diff --git a/CharLSTMSentiment.py b/CharLSTMSentiment.py index 51ae308..eef8417 100644 --- a/CharLSTMSentiment.py +++ b/CharLSTMSentiment.py @@ -7,17 +7,32 @@ ''' import Config +import json from lib_model.bidirectional_lstm import LSTM +import logging import nltk from nltk import Tree from nltk.tokenize import sent_tokenize, word_tokenize +import os from os import listdir from os.path import isfile, join -from pycorenlp import StanfordCoreNLP from queue import Queue +from stanfordcorenlp import StanfordCoreNLP nltk.download('punkt') +# for testing only please! Use the server created in Entry => StanfordSentiment please for deployment usage +def getCoreNlpInstance(config_item): + # don't need sentiment, however the stanford annotator does need it + props={'annotators': 'tokenize,ssplit,pos,lemma,ner,parse,coref,sentiment', + 'pipelineLanguage':'en', + 'outputFormat':'json', + 'parse.model':'edu/stanford/nlp/models/srparser/englishSR.ser.gz', + 'sentiment.model': os.path.realpath(__file__) + '/../model/stanford/model-0000-70.74.ser.gz' + } + # we do not provide the same level of recovery as in StanfordSentiment. Please manually start your server first + return StanfordCoreNLP(config_item.STANFORD_SERVER, port=config_item.STANFORD_PORT, logging_level=logging.DEBUG, max_retries=5, memory='8g') + def convert_scale(positive): return 2 * positive - 1 @@ -70,7 +85,6 @@ def get_subtrees(tree): subtrees.append((noun, sentence)) return subtrees - class CharLSTMSentiment(object): def __init__(self): @@ -78,13 +92,9 @@ def __init__(self): self.network.build() self.server_on = False - def config(self, config): - try: - self.nlp = StanfordCoreNLP(config.STANFORD_SERVER + ':' + str(config.STANFORD_PORT)) - self.server_on = True - except Exception as e: - print('Stanford server could not be found') - print(e) + def config(self, config, nlp): + self.nlp = nlp + self.server_on = True def init_dict(self): local_dict = {} @@ -93,69 +103,39 @@ def init_dict(self): local_dict[k] = None self.entities = local_dict - def parse_sentence(self, sentence): - """ sentence --> named-entity chunked tree """ - try: - output = self.nlp.annotate(sentence.decode('utf-8'), properties={'annotators': 'tokenize, ssplit, pos,' - ' lemma, ner, parse', - 'outputFormat': 'json'}) - # print_tree(output) - return Tree.fromstring(output['sentences'][0]['parse']) - except TypeError as e: - import pdb; pdb.set_trace() - - def coreference_resolution(self, sentence): - # coreference resolution - output = self.nlp.annotate(sentence, properties={'annotators': 'coref', - 'outputFormat': 'json'}) - tokens = word_tokenize(sentence) - coreferences = output['corefs'] - entity_keys = coreferences.keys() - for k in entity_keys: - # skip non PERSON NP - if coreferences[k][0]['gender'] == 'MALE' or coreferences[k][0]['gender'] == 'FEMALE': - rep_mention, pos = get_rep_mention(coreferences[k]) - for reference in coreferences[k]: - if not reference['isRepresentativeMention']: - start, end = reference['startIndex'] - 1, reference['headIndex'] - 1 - if start == end: - tokens[start] = rep_mention - else: - tokens[start] = rep_mention - del tokens[start + 1: end] - - sentence = ' '.join(tokens) - return sentence.encode('utf-8') + def evaluate_single_document(self, document, mode): + if mode == 'document': + document = document[0:1000] + p = self.network.predict_sentences([document]) + positive = p[0][0][0] + return [convert_scale(positive)] + elif mode == 'sentence': + return self.evaluate_sentences(sent_tokenize(document)) + elif mode == 'entity': + return self.get_entity_sentiment(document) + else: + return ['UNKNOWN MODE'] - def parse_doc(self, document): - """ Extract relevant entities in a document """ - print('Tokenizing sentences...') - sentences = sent_tokenize(document) - print('Done!') - # Context of all named entities - ne_context = [] - for sentence in sentences: - # change pronouns to their respective nouns - print('Anaphora resolution for sentence: %s' % sentence) - tree = self.parse_sentence(self.coreference_resolution(sentence)) - print('Done!') - - # get context for each noun - print('Named Entity Clustering:') - context = get_subtrees(tree) - for n, s in context: - print('%s' % s) - ne_context.append(context) - self.contexts = flatten(ne_context) + #sentence sentiment function + def evaluate_sentences(self, sentences): + scores = [] + p = self.network.predict_sentences(sentences) + for i in range(0, len(sentences)): + positive = p[0][i][0] + scores.append(convert_scale(positive)) + return scores + # the following in this class all have to do with entity sentiment + # we need to make sure it is serializable to json (i.e. beware of float32) def get_entity_sentiment(self, document): """ Create a dict of every entities with their associated sentiment """ print('Parsing Document...') self.parse_doc(document) - print('Done!') + print('Done Parsing Document!') self.init_dict() #sentences = [sentence.encode('utf-8') for _, sentence in self.contexts] sentences = [sentence for _, sentence in self.contexts] + print('Predicting!') predictions = self.network.predict_sentences(sentences) for i, c in enumerate(self.contexts): @@ -167,30 +147,71 @@ def get_entity_sentiment(self, document): self.entities[key] = (predictions[0][i][0] - predictions[0][i][1]) for e in self.entities.keys(): + # conversion for json purposes + self.entities[e] = str(self.entities[e]) print('Entity: %s -- sentiment: %s' % (e, self.entities[e])) return self.entities - def evaluate_single_document(self, document, mode): - if mode == 'document': - document = document[0:1000] - p = self.network.predict_sentences([document]) - positive = p[0][0][0] - return [convert_scale(positive)] - elif mode == 'sentence': - return self.evaluate_sentences(sent_tokenize(document)) - elif mode == 'entity': - return self.get_entity_sentiment(document) - else: - return ['UNKNOWN MODE'] + def parse_doc(self, document): + """ Extract relevant entities in a document """ + print('Tokenizing sentences...') + # why are we mixing nlp pipelines here? + #nltk + sentences = sent_tokenize(document) + print('Done Sentence Tokenize!') + # Context of all named entities + ne_context = [] + for sentence in sentences: + # change pronouns to their respective nouns + print('Anaphora resolution for sentence: %s' % sentence) + (output, modified_sentence) = self.coreference_resolution(sentence) + tree = self.parse_sentence(output, modified_sentence) + print('Done Anaphora Resolution!') + + # get context for each noun + print('Named Entity Clustering:') + context = get_subtrees(tree) + for n, s in context: + print('%s' % s) + ne_context.append(context) + self.contexts = flatten(ne_context) + + def coreference_resolution(self, sentence): + # coreference resolution + # corenlp + print('Starting document annotation for ' + sentence) + output_string = self.nlp.annotate(sentence) + print('Done document annotation') + output = json.loads(output_string) + coreferences = output['corefs'] + entity_keys = coreferences.keys() - def evaluate_sentences(self, sentences): - scores = [] - p = self.network.predict_sentences(sentences) - for i in range(0, len(sentences)): - positive = p[0][i][0] - scores.append(convert_scale(positive)) - return scores + tokens = word_tokenize(sentence) + + for k in entity_keys: + # skip non PERSON NP + if coreferences[k][0]['gender'] == 'MALE' or coreferences[k][0]['gender'] == 'FEMALE': + rep_mention, pos = get_rep_mention(coreferences[k]) + for reference in coreferences[k]: + if not reference['isRepresentativeMention']: + start, end = reference['startIndex'] - 1, reference['headIndex'] - 1 + if start == end: + tokens[start] = rep_mention + else: + tokens[start] = rep_mention + del tokens[start + 1: end] + + sentence = ' '.join(tokens) + print('Ending coref function') + return (output, sentence.encode('utf-8')) + + def parse_sentence(self, output, sentence): + """ sentence --> named-entity chunked tree """ + try: + return Tree.fromstring(output['sentences'][0]['parse']) + except TypeError as e: + import pdb; pdb.set_trace() side_effect = [] @@ -206,18 +227,22 @@ def fetch_files(directory): if __name__ == '__main__': cls = CharLSTMSentiment() - cls.config('document', Config.StagingConfig()) + config_item = Config.DevelopmentConfig + cls.config(config_item, getCoreNlpInstance(config_item)) document = 'Bob talked with the great ruler John yesterday. John mentioned how horrible Tesla is. The nefarious Bob agreed.' print('Fetching files') - filelines = fetch_files('input/train') + filelines = fetch_files('input/test') print(len(filelines)) + + limit_files_to = 10 for i in range(0, len(filelines)): + if i == limit_files_to: + break print(i) fileline = filelines[i] document = '\n'.join(fileline) - result = cls.evaluate_single_document(document) + result = cls.evaluate_single_document(document, 'entity') print(result) - cls.network.close() diff --git a/Entry.py b/Entry.py index f67834e..52b1e51 100644 --- a/Entry.py +++ b/Entry.py @@ -41,11 +41,6 @@ else: raise ValueError('Invalid environment name ' + env) -stanford_sentiment.config(sent_config) -google_sentiment.config() -aylien_sentiment.config() -char_lstm_sentiment.config(sent_config) - def init(): print('Loading Spacy Vectors') global nlp, sa @@ -55,6 +50,11 @@ def init(): init() +stanford_sentiment.config(sent_config) +google_sentiment.config() +aylien_sentiment.config() +char_lstm_sentiment.config(sent_config, stanford_sentiment.nlp) + @application.route("/spacy", methods = ['GET', 'POST']) def get_spacy_sentiment(): if request.method == 'GET': @@ -166,7 +166,8 @@ def get_char_lstm_sentiment(): mode = request.form['mode'] else: return ('Unknown method!!!') - return json.dumps(compute_lstm_sentiment(text, mode)) + result = compute_lstm_sentiment(text, mode) + return json.dumps(result) def compute_lstm_sentiment(text, mode): return char_lstm_sentiment.evaluate_single_document(text, mode) diff --git a/StanfordSentiment.py b/StanfordSentiment.py index 517bde8..e47098f 100644 --- a/StanfordSentiment.py +++ b/StanfordSentiment.py @@ -24,7 +24,8 @@ def convert_scale(original): class StanfordSentiment(object): def __init__(self): - self.props={'annotators': 'tokenize,ssplit,pos,parse,sentiment', + # we do more than is necessary because we need coref for the CharLSTM service + self.props={'annotators': 'tokenize,ssplit,pos,lemma,ner,parse,coref,sentiment', 'pipelineLanguage':'en', 'outputFormat':'json', 'parse.model':'edu/stanford/nlp/models/srparser/englishSR.ser.gz', diff --git a/input/test/Test1.txt b/input/test/Test1.txt new file mode 100644 index 0000000..7bd0bf0 --- /dev/null +++ b/input/test/Test1.txt @@ -0,0 +1 @@ +,
Aug. 24, 2018
/PRNewswire/ -- US demand for fabricated metal products is forecast to rise 2.7% per annum through 2022, according to
Fabricated Metal Products:
United States
, a report recently released by Freedonia Focus Reports. Suppliers will benefit from rising domestic durable goods shipments and continued growth in the US construction sector and tariffs on imports of foreign steel and aluminum, as well as fabricated metal products. However, further gains will be limited by ongoing competition from metal castings and alternative materials such as plastics.
More information about the report is available at:
Demand for structural metals – the largest segment – is expected to see increases through 2022. Expansion in commercial building and nonbuilding construction expenditures will drive gains. In addition, rising prices due to tariff protection will help boost demand in value terms.
These and other key insights are featured in
Fabricated Metal Products:
United States
. This report forecasts to 2022 US fabricated metal products demand and shipments in nominal US dollars at the manufacturer level. Total demand is segmented by product in terms of:
structural metals
/PRNewswire/ --
ReportsnReports adds Global and Chinese Magnesium Silicate Market 2018 Industry Research Report initially provides a basic overview of the industry that covers definition, applications and manufacturing technology, post which the report explores into the international and Chinese players in the market.
Complete report on Magnesium Silicate market spread across 140 pages providing 8 company profiles and 98 tables and figures is available at
.
Magnesium Silicate Market Key Company Profiles
: All-Chemie Ltd, Sorbent Technologies Inc, Spectrum Chemicals& Laboratory Product, Atlantic Equipment Engineers Inc, Hydrite Chemical Co, Magnesium Products, Inc, Maryland Lava Company, The Dallas Group.
The 'Global Magnesium Silicate Industry, 2018 Market Research Report' is a professional and in-depth study on the current state of the global Magnesium Silicate market with a focus on the Chinese industry. The report provides key statistics on the market status of the Magnesium Silicate manufacturers and is a valuable source of guidance and direction for companies and individuals interested in the industry.
Firstly, the
Magnesium Silicate Market
report provides a basic overview of the industry including its definition, applications and manufacturing technology. Then, the report explores the international and Chinese major industry players in detail. In this part, the report presents the company profile, product specifications, capacity, production value, and 2013-2018 market shares for each company. Through the statistical analysis, the report depicts the global and Chinese total market of Magnesium Silicate industry including capacity, production, production value, cost/profit, supply/demand and Chinese import/export. The total market is further divided by company, by country, and by application/type for the competitive landscape analysis. The report then estimates 2018-2023 industry development trends of Magnesium Silicate market. Analysis of upstream raw materials, downstream demand, and current market dynamics is also carried out. In the end, the report makes some important proposals for a new project of Magnesium Silicate Industry before evaluating its feasibility. Overall, the report provides an in-depth insight of 2013-2023 global and Chinese Magnesium Silicate market covering all important parameters.
Make an Enquiry or ask for Discount at
Scam Reporter > CFPB Complaint > USI Solutions Inc. – CFPB Complaint USI Solutions Inc. – CFPB Complaint By Research Department on August 17, 2018 +Date Received: 2018-07-27T00:00:00 +Issue: Written notification about debt +Consumer Consent Provided to Share Complaint: Consent provided +Consumer Complaint: Sometime in XX/XX/2018, I started receiving phone calls from USI Solutions , Inc regarding a credit card from XXXX XXXX XXXX that was in collections ( and also had a judgment against me ). In wanting to clean up my credit, I agreed to make a payment of {$2400.00} to settle the account. I received a letter stating the settlement agreement on XX/XX/2018. I made the payment. on XX/XX/2018 I received a letter stating the account was paid in full. +in the process of applying for a loan, I was told the judgement was still on my record and was owned/initiated by another company. I contacted that company and was told the account was never settled and they didn't know who USI Solutions is. +on XX/XX/2018 I contacted USI Solutions, Inc and spoke to a XXXX XXXX, who was very rude to me. He first told me he didn't know what company they had purchased my account from, so then I ask for a verification of debt letter, for which he told me the account was closed, and then told me it would take 30 – 90 days to get a verification letter, and then told me I would have to speak to the woman who handled my account but she wasn't there that day. +So now, not only do I still owe over {$4000.00} for the judgement account, I can not get information on from USI Solutions as to how they have the account and to get my money back. +Company: USI Solutions Inc. +Company Response to Complaint: Closed with explanation +Was Company Response Timely: No +Did Consumer Dispute Company Response: N/A +Complaint ID: 2975083 +The above data is from the Consumer Financial Protection Bureau. Keep in mind that every company will get a complaint from time-to-time, even the great ones. But there are a few key data points that will give you an idea about how well the company values their customers and handles consumer issues. READ CAINE & WEINER COMPANY, INC. - CFPB Complaint +Look at the item Company Response to Complaint: and Did Consumer Dispute Company Response: to get a better idea of how this was resolved. And the field Consumer Complaint: can give you some context of the issue. +In particular what you are looking for was that the company response was timely and that the consumer did not dispute it. The posting of complaints has proven to be a valuable resource for both companies and consumers . Like this: Last step, fill out the information below or call us for Priority Assistance. What may we help you with? How much do you owe? What is the status of your payments? What type of student loans do you have? What is the status of your loans? What type of tax debt do you have? How many years have you owed taxes? Are you currently enrolled in a payment program with the IRS? +What problems are you having with your report? Late Payment \ No newline at end of file diff --git a/input/test/Test1005.txt b/input/test/Test1005.txt new file mode 100644 index 0000000..0d3779f --- /dev/null +++ b/input/test/Test1005.txt @@ -0,0 +1,33 @@ +The 'King of Rock and Roll' and the 'Queen of Soul' died on same day - four decades apart LINDSEY BEVER Last updated 20:21, August 17 2018 1 NEWS +The winner of 18 Grammy Awards, Aretha Franklin's legacy will see her remembered as a singer and matriarch of social revolution. +It was a Tuesday in 1977 when the world heard the tragic news about Elvis Presley. +And it was the same day - exactly 41 years after the nation lost its "King of Rock and Roll" - that it is mourning its "Queen of Soul," Aretha Franklin. Franklin, 76, died Thursday in her home in Detroit following a battle with pancreatic cancer. +"Everybody remembers where they were when they heard Elvis had died," Scott Williams, president and chief operating officer of the Newseum, told The Washington Post . He is the former vice president of marketing and public relations for Elvis Presley Enterprises. AP PHOTOS +A day after people remembered Elvis Presley, they mourned the loss of Aretha Franklin. +The same will no doubt be true for Franklin. +READ MORE: +"No matter when she died it would have been a loss," Williams said, but he noted it's interesting that a day after people held a candlelight vigil Wednesday to remember Presley, they mourned Franklin. MARIO SURIANI/AP +Aretha Franklin performs at New York's Radio City Music Hall in 1989. +In 1977, Presley was discovered unconscious at Graceland, his mansion in Memphis, and was rushed to nearby Baptist Memorial Hospital, where he was pronounced dead. +The news hit the airwaves. Newspapers and magazines scrambled to get the story on the next day's front page. And tabloids ran blunt headlines announcing "Elvis is dead." Variety reported at the time that "Elvis Presley, often credited as the single performer to introduce white audiences to the black boogie and blues rhythms of his native south, died yesterday at age 42, possibly of a heart attack." +Days later, the National Enquirer published a controversial photo showing the deceased musician in a casket. +"There was mass hysteria to get the story, to get a picture, to try to get a piece of the action," Williams said. +The nation was deeply saddened and in shock. +On August 17, 1977, The Washington Post reported it this way: +Reaction among fans, performers and music industry executives elsewhere was also emotional. In Santiago, Chile, newspapers stopped the presses and radio stations changed their evening programming to recount the life of "El Rey de Rock 'n' Roll." In Memphis, the telephone system was reported unable to handle the volume of calls coming into the city from around the country. Hundreds of weeping fans gathered outside Baptist Memorial and Graceland Mansion last night. +Two European radio stations also suspended regular programming as soon as Presley's death was announced. Radio Luxembourg, the continent's most widely listened-to pop station, cancelled all its commercials to play Presley's music nonstop. +"This is the end of rock 'n' roll," said Bob Moore Merlis, an executive with Warner Bros. Records, who compiled an anthology of Presley's early material several years ago for RCA. "The void he will leave is impossible to gauge," said Pat Boone, an early rival of Presley's. +"The King is dead," said former Beatle John Lennon last night. "But rock 'n' roll will never die. Long live the King." SUPPLIED +Elvis Presley in concert. +President Jimmy Carter issued a statement, saying, Presley's death "deprives our country of a part of itself." +"He was unique and irreplaceable," Carter said. "More than 20 years ago, he burst upon the scene with an impact that was unprecedented and will probably never be equalled. His music and his personality, fusing the styles of white country and black rhythm and blues, permanently changed the face of American popular culture. His following was immense, and he was a symbol to people the world over of the vitality, rebelliousness, and good humour of his country." +FRANKLIN "THE GREATEST VOCALIST I'VE EVER KNOWN" +On Thursday, the news of Franklin's death spread quickly on social media, where musicians, politicians and devoted fans mourned the loss of a beloved entertainer. +Diana Ross referred to Franklin as "the wonderful golden spirit." +John Legend said she was "the greatest vocalist I've ever known." +"Let's all take a moment to give thanks for the beautiful life of Aretha Franklin, the Queen of our souls, who inspired us all for many many years," Paul McCartney wrote on Twitter. "She will be missed but the memory of her greatness as a musician and a fine human being will live with us forever. Love Paul." From the time that Dinah Washington 1st told me that Aretha was the "next one" when she was 12-years old, until the present day, Aretha Franklin set the bar & she did it with the professionalism, class, grace, & humility that only a true Queen could... : Hassan pic.twitter.com/IjT6I7NH1D — Quincy Jones (@QuincyDJones) August 16, 2018 This photo was taken in 2012 when Aretha & I performed at a tribute celebration for our friend Marvin Hamlisch. It's difficult to conceive of a world without her. Not only was she a uniquely brilliant singer,but her commitment to civil rights made an indelible impact on the world pic.twitter.com/Px9zVB90MM — Barbra Streisand (@BarbraStreisand) August 16, 2018 The loss of @ArethaFranklin is a blow for everybody who loves real music: Music from the heart, the soul and the Church. Her voice was unique, her piano playing underrated – she was one of my favourite pianists. pic.twitter.com/ug5oZYywAz — Elton John (@eltonofficial) August 16, 2018 The Queen of Soul, Aretha Franklin, is dead. She was a great woman, with a wonderful gift from God, her voice. She will be missed! — Donald J. Trump (@realDonaldTrump) August 16, 2018 Aretha helped define the American experience. In her voice, we could feel our history, all of it and in every shade—our power and our pain, our darkness and our light, our quest for redemption and our hard-won respect. May the Queen of Soul rest in eternal peace. pic.twitter.com/bfASqKlLc5 — Barack Obama (@BarackObama) August 16, 2018 +As The Post's J. Freedom du Lac reported, Franklin was "one of the most celebrated and influential singers in the history of American vernacular song." +He added: +"Ms. Franklin secured her place on music's Mount Rushmore in the late 1960s and early 1970s by exploring the secular sweet spot between sultry rhythm and blues and the explosive gospel music she'd grown up singing in her father's Baptist church. +The result was potent and wildly popular, with defining soul anthems that turned Franklin into a symbol of black pride and women's liberation. +Her calling card: "Respect," the Otis Redding hit that became a crossover smash in 1967 after Franklin tweaked it just so (a "sock it to me" here, some sisterly vocal support there), transforming the tune into a fervent feminist anthem." - The Washington Pos \ No newline at end of file diff --git a/input/test/Test1006.txt b/input/test/Test1006.txt new file mode 100644 index 0000000..25fcd22 --- /dev/null +++ b/input/test/Test1006.txt @@ -0,0 +1,23 @@ +This article is reprinted by permission from NerdWallet . +Financial planning is something you might think is for people like that annoying Facebook FB, -2.69% friend who posts about his awesome Silicon Valley job and fabulous vacations on the Cote d'Azur. Or maybe it's a vague task you imagine getting to someday — after the kids are out of diapers, once the credit cards are paid off or when that long-awaited promotion comes through. +If so, think again: Financial planning is for you, and ideally, done now. +Here are some common myths about financial planning and what you should know. +Myth: Financial planning is only for rich people Financial planning is for ordinary folks, too — anyone who wants to figure out how to manage their money to achieve their dreams. +"If you have goals for what you want to do or need help in crafting them, then you're a good candidate for financial planning," says Frank Pare, president of the Financial Planning Association and the PF Wealth Management Group in Oakland, California. +Myth: Financial planning costs too much You can create a financial plan yourself. You'll find a variety of free tools online, such as budgeting and retirement calculators. If you want low-cost guidance in picking and managing investments, online services called robo advisers can help. +Or you can hire a financial planner. You don't have to be wealthy; some planners charge hourly fees for advice. Hiring help is a good idea if you're overwhelmed or confused, planning a big life change such as a divorce or starting a business, or your finances have grown too complex for a do-it-yourself plan. +Many types of financial advisers compete for your business. Fee-only financial planners don't make commissions on selling products, so they can provide objective guidance without conflicts of interest. +Myth: Financial planning can wait until life settles down That could be a long, long wait, because life has a funny way of never settling down. The earlier you start with financial planning, the better your chances of achieving your goals and navigating challenges that arise. +"It's kind of like dancing," says Patricia Jennerjohn, a certified financial planner and owner of Focused Finances in Oakland, California. "You can't do a fancy lift until you know where your right and left feet need to be." Get a plan in place, then adjust as your needs change and your finances grow more complex. +Read: How to find a competent, ethical financial adviser +And if life feels too chaotic, a financial plan might be just what you need. "I see it as an educational process to give people control and understanding," says Peter Creedon, CEO and certified financial planner at Crystal Brook Advisors in Mount Sinai, New York. That promotes peace of mind, which can lead to better decision-making. +Myth: It's all about the portfolio "People think, 'If I get my portfolio really well invested, that will take care of me,'" Jennerjohn says. But while a diversified investment portfolio is important, it's only one piece of the puzzle. +Beyond investments, a comprehensive financial plan looks at your overall financial situation — debts, income, savings and cash flow. It considers insurance needed to protect assets, retirement and estate planning, and tax strategy. +You don't have to have a full-blown financial plan to invest. Contribute to a 401(k) at work? Got an IRA? You're already an investor. But having a financial plan can help guide your investment choices so they align with your big-picture goals. +Myth: Get a plan, and you're set Sometimes clients want to believe all their financial problems will be fixed in one shot, Jennerjohn says. But you have to follow up on the recommendations, such as practicing good spending habits to reach savings goals, getting enough life insurance, and keeping your will up-to-date. +Expect to monitor and regularly update your plan, because it's a living document. Just as there is an annual tax season, Pare says there should be an annual financial planning season. Pick a time when your calendar tends to be slower and use it to tend to your financial plan each year. +"It's not, 'Here's the rest of your life on paper,'" Jennerjohn says. Life changes, and so will your plan. +More from NerdWallet: What is a robo adviser, and is one right for you? Fee-only vs. fee-based financial planner: What's the difference? How much does a financial adviser cost? Barbara Marquand is a writer at NerdWallet. Email: bmarquand@nerdwallet.com . Twitter: @barbaramarquand. +Get a daily roundup of the top reads in personal finance delivered to your inbox. Subscribe to MarketWatch's free Personal Finance Daily newsletter. Sign up here. +We Want to Hear from You Join the conversation +Commen \ No newline at end of file diff --git a/input/test/Test1007.txt b/input/test/Test1007.txt new file mode 100644 index 0000000..5f3c05f --- /dev/null +++ b/input/test/Test1007.txt @@ -0,0 +1,2 @@ +Idiopathic Pulmonary Fibrosis Therapeutic Market Professional Survey Report 2024 + A rare lung disease often terminal, idiopathic pulmonary fibrosis (IPF) is an interstitial lung disease affecting the lung interstitium. Patients diagnosed with IPF suffer an extreme lung deterioration resulting a decline in the lung functioning. //www.transparencymarketresearch.com/sample/sample.php?flag=B&rep_id=14717 IPF causes 'pulmonary fibrosis', which basically means damaging of the lung tissues. Breathing distress is the most common intricacy involved with idiopathic pulmonary fibrosis. The cause of idiopathic pulmonary fibrosis still remains unknown, however, it is mostly linked with excessive inhalation of smoke or dust, exposure to unhealthy gases and chemicals and smoking of cigarettes. IPF may also be caused due to genetic predisposition or develop from other lung condition. Some of the medical conditions, which may develop in a patient with idiopathic pulmonary fibrosis (IPF) include obstructive sleep apnea, chronic obstructive pulmonary disease, coronary artery disease and gastro oesophagal reflux disease. A set of guidelines has been released for managing such conditions accordingly. Idiopathic Pulmonary Fibrosis Therapeutic Market Trends In the recent years, higher incidence of idiopathic pulmonary fibrosis has been noticed, which has fueled the demand for idiopathic pulmonary fibrosis therapeutics. The introduction of novel medicines and advancement in treatment methods of the disease has further supplemented the overall growth of the market. Nintedanib and Pirfenidone are the two most common anti-fibrotic drugs used for the treatment of idiopathic pulmonary fibrosis. There is no absolute cure for idiopathic pulmonary fibrosis available as yet. A large portion of the treatment is directed to provide temporary relieve to the patients. Failure to provide a complete cure and limited treatment options are considered as major setbacks of the market. Limited drug options with low efficiency are further hindering the growth of the global idiopathic pulmonary fibrosis market. View Report- https://www.transparencymarketresearch.com/idiopathic-pulmonary-fibrosis-therapeutic-market.html Greater focus on effective drug treatment of idiopathic pulmonary fibrosis has led to the development of few quality drugs such as Vargatef and Ofev. These drugs effectively reduce the patient's discomfort and ease the functioning of the lung. In addition, increasing R&D programs for development of new therapies to successfully treat IPF in expected to favor the market in the near future. For instance, recently two major pharmaceuticals companies Inventiva SAS and Boehringer Ingelheim GmbH have decided to jointly work on developing potential new treatments for IPF. Idiopathic Pulmonary Fibrosis Therapeutic Market: Region-wise Analysis On the basis of region, the global idiopathic pulmonary fibrosis therapeutics market has been segmented into six key regions namely North America, Latin America, Western Europe, Eastern Europe, Asia Pacific (APAC), and the Middle East & Africa. Europe and North America are considered as the two largest market of idiopathic pulmonary fibrosis therapeutics. In addition, the presence of major pharmaceutical companies in these two regions has positively impacted the growth of the market. Countries such as the US, Canada, Germany, France and Britain have accounted for a healthy demand of idiopathic pulmonary fibrosis therapeutics attributed to the increasing number of IPF incidence occurring in these countries. The global IPF therapeutics market is expected to register a healthy growth in the upcoming years. Few of Key players in the global idiopathic pulmonary fibrosis therapeutic market include AdAlta Pty Ltd., Biogen, Inc., Angion Biomedica Corp., Chong Kun Dang Pharmaceutical Corp., FibroGen, Inc. Progenra, Inc, Boehringer Ingelheim GmbH and Vectura Group plc. Most companies the focusing on further product development and offer a wider range of IPF therapeutic treatments. //www.transparencymarketresearch.com/sample/sample.php?flag=CR&rep_id=14717 The report offers a comprehensive evaluation of the market. It does so via in-depth qualitative insights, historical data, and verifiable projections about market size. The projections featured in the report have been derived using proven research methodologies and assumptions. By doing so, the research report serves as a repository of analysis and information for every facet of the market, including but not limited to: Regional markets, technology, types, and applications \ No newline at end of file diff --git a/input/test/Test1008.txt b/input/test/Test1008.txt new file mode 100644 index 0000000..4747630 --- /dev/null +++ b/input/test/Test1008.txt @@ -0,0 +1,12 @@ +Acadian Asset Management LLC Purchases Shares of 10,495 Simulations Plus, Inc. (SLP) Anthony Miller | Aug 17th, 2018 +Acadian Asset Management LLC purchased a new stake in Simulations Plus, Inc. (NASDAQ:SLP) in the second quarter, according to its most recent filing with the SEC. The fund purchased 10,495 shares of the technology company's stock, valued at approximately $233,000. +Other hedge funds and other institutional investors have also recently modified their holdings of the company. Citigroup Inc. increased its holdings in shares of Simulations Plus by 1,154.8% in the 1st quarter. Citigroup Inc. now owns 11,670 shares of the technology company's stock valued at $172,000 after acquiring an additional 10,740 shares during the last quarter. Bank of Montreal Can bought a new position in Simulations Plus during the 2nd quarter worth $186,000. TIAA FSB bought a new position in Simulations Plus during the 2nd quarter worth $225,000. Wells Fargo & Company MN grew its stake in Simulations Plus by 234.1% during the 4th quarter. Wells Fargo & Company MN now owns 17,028 shares of the technology company's stock worth $275,000 after buying an additional 11,931 shares during the last quarter. Finally, Deutsche Bank AG grew its stake in Simulations Plus by 27.4% during the 4th quarter. Deutsche Bank AG now owns 24,583 shares of the technology company's stock worth $394,000 after buying an additional 5,282 shares during the last quarter. Institutional investors and hedge funds own 34.28% of the company's stock. Get Simulations Plus alerts: +In related news, Chairman Walter S. Woltosz sold 18,500 shares of the company's stock in a transaction on Tuesday, May 29th. The stock was sold at an average price of $19.27, for a total transaction of $356,495.00. Following the completion of the transaction, the chairman now directly owns 5,454,408 shares in the company, valued at approximately $105,106,442.16. The sale was disclosed in a document filed with the SEC, which is available through this link . 33.45% of the stock is owned by corporate insiders. +SLP has been the subject of a number of recent research reports. BidaskClub downgraded Simulations Plus from a "buy" rating to a "hold" rating in a research note on Tuesday, May 1st. Zacks Investment Research upgraded Simulations Plus from a "hold" rating to a "buy" rating and set a $20.00 price objective for the company in a research note on Saturday, July 21st. Finally, ValuEngine upgraded Simulations Plus from a "buy" rating to a "strong-buy" rating in a research note on Monday, May 14th. +Shares of SLP opened at $19.05 on Friday. The firm has a market cap of $321.25 million, a P/E ratio of 56.03 and a beta of -0.85. Simulations Plus, Inc. has a 12 month low of $13.98 and a 12 month high of $23.95. +Simulations Plus (NASDAQ:SLP) last issued its quarterly earnings data on Tuesday, July 10th. The technology company reported $0.13 EPS for the quarter, topping the Zacks' consensus estimate of $0.12 by $0.01. The firm had revenue of $8.55 million during the quarter, compared to the consensus estimate of $7.86 million. Simulations Plus had a return on equity of 25.65% and a net margin of 29.88%. analysts anticipate that Simulations Plus, Inc. will post 0.4 earnings per share for the current year. +The business also recently disclosed a quarterly dividend, which was paid on Thursday, August 2nd. Investors of record on Thursday, July 26th were paid a dividend of $0.06 per share. The ex-dividend date was Wednesday, July 25th. This represents a $0.24 dividend on an annualized basis and a yield of 1.26%. Simulations Plus's payout ratio is currently 70.59%. +Simulations Plus Profile +Simulations Plus, Inc develops drug discovery and development software for mechanistic modeling and simulation worldwide. The company offers GastroPlus, which simulates the absorption, pharmacokinetics (PK), and pharmacodynamics of drugs administered to humans and animals; DDDPlus that simulates in vitro laboratory experiments, which measure the rate of dissolution of the drug and additives in a dosage form; and MembranePlus, which simulates laboratory experiments. +Further Reading: Stock Symbols Definition, Examples, Lookup +Want to see what other hedge funds are holding SLP? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Simulations Plus, Inc. (NASDAQ:SLP). Simulations Plus Simulations Plu \ No newline at end of file diff --git a/input/test/Test1009.txt b/input/test/Test1009.txt new file mode 100644 index 0000000..beaa902 --- /dev/null +++ b/input/test/Test1009.txt @@ -0,0 +1,6 @@ +Amendments to introduce host of new levies including Telecom Tower Levy, Debt Repayment Levy, Luxury Tax and Vehicle Entitlement Levy By Chathuri Dissanayake +A number of changes proposed to the Finance Act will impose new levies to several sectors including telecommunications, vehicle importation and tourism. +The amendment bill outlines a number of changes to taxes and levies currently in operation while introducing new ones. The amendments gazetted on 10 August, subject to approval by Parliament, propose a new levy called the Annual Company Registration Levy on companies registered under the Companies Act No. 7 of 2007. The Bill also proposes to impose a levy of Rs. 200,000 per annum for each tower from 1 January 2019 on all mobile telephone operators who own cellular compared to the previously proposed Rs. 200,000 per month charge. The amendment also proposes a levy on Short Message Services, charging 0.25 per SMS for all bulk advertising messages, payable by the advertiser. The Bill also proposes a 7 % levy on Value Added Tax (VAT) base termed a Debt Repayment Levy (DRL) to be charged from every financial institution on the value addition attributable to the supply of financial services by each institution. +The Bill also outlines the details of a new levy called Carbon Tax from the registered owner of motor vehicles which fall under the categories of hybrid, fuel or passenger bus as specified in the schedules. +Further, the Bill also provides for the imposition of a Luxury Tax on motor vehicles with cylinder capacity exceeding 2,300 cc in diesel or 1,800cc in petrol or electric power engines that exceed 200 KW, excluding dual purpose petrol vehicles with 2,200cc capacity or electric motor vehicles. +If ratified by Parliament, the amendments will also introduce a Vehicle Entitlement Levy for a select number of vehicles specified in the Bill \ No newline at end of file diff --git a/input/test/Test101.txt b/input/test/Test101.txt new file mode 100644 index 0000000..6a38054 --- /dev/null +++ b/input/test/Test101.txt @@ -0,0 +1,10 @@ +PATCHOGUE, N.Y. In order to help businesses adjust their advertising to appeal to key demographics, digital marketing agency fishbat discusses how to market to millennials. +Millennials are a huge market that continues to gain more purchasing power as they mature as a generation. As one of the primary groups spending a significant amount of time online, any comprehensive marketing strategy should include work that caters to this demographic. +Below are just a few of the ways in which a business can market to millennials. +Create Authentic and Relatable Content. As a generation, millennials are some of the most tech savvy consumers the world has ever seen. With a wealth of information at their fingertips and the skills to pull up expert opinions on pretty much any topic, it can sometimes be difficult to develop marketing that stands out from a sea of other influences in the same market. Millennials as a whole appreciate authentic content that seems as if it could come from their peers. By focusing marketing efforts on content that feels effortless and organic rather than trying to shove traditional ads in their face, companies may see a much larger payoff with this important demographic. +Prioritize Inbound Marketing. While traditional advertising and outbound advertising may be the go-to for older generations, millennials are turned off by pop up ads and even traditional banner advertisements. In order to appeal to this generation, a business needs to try to create informational content like white papers, how-to articles, and videos. As a generation that is very resistant to advertising, a company needs to provide value in order to take advantage of this generation's purchasing power. It can be a tough generation to crack, but businesses that are able to adjust their marketing in a way that can get by a millennial's distaste for advertisement will reap the rewards of their efforts. +Collaboration is Key. Millennials want to feel like their voices are heard, and more than any other generation, it's important that they feel like their input has value. A business can see an incredible payoff by considering millennials' opinions and developing future marketing and products with that input in mind. When millennials feel like they are getting a personalized response from a business, they are more likely to spend their limited funds there instead of at a competitor that is unaware of what the market needs. Marketing strategies, and especially those that include user engagement on social media, work best when they ask for collaboration rather than "preaching" to their audience. +ABOUT FISHBAT +fishbat New York digital marketing agency is a full-service firm that takes a holistic business approach to their clients' digital marketing programs. The fishbat team understands the importance of business principles just as well as the nuances of the latest digital technologies. fishbat offers every digital marketing service available from digital marketing research and planning to brand development to website and asset creation through social media management and search engine optimization programs - all custom calibrated for both B2B and B2C businesses. +SOURCE fishbat +Related Links http://fishbat.com \ No newline at end of file diff --git a/input/test/Test1010.txt b/input/test/Test1010.txt new file mode 100644 index 0000000..b671aa2 --- /dev/null +++ b/input/test/Test1010.txt @@ -0,0 +1 @@ +British banks face ratings downgrade in case of "disruptive Brexit" 14 Aug 2018 British banks face a possible downgrade in their credit ratings should the UK leave the EU with no deal in March 2019, according to a report from S&P Global Ratings Dear visitor,You have viewed all of your free articles this month To continue reading this article register or login LATEST INDUSTRY NEWS STRAIGHT TO YOUR INBOX First Name Under a third of small businesses paid on time Top Stories 17 Aug 2018 Calum Fuller More than three in five small businesses are dealing with late payment issues, according to research from YouGov and Hitachi Capital Business Finance Nearly four million UK households could default on personal debt by 2022 Top Stories 16 Aug 2018 Calum Fuller The number of households in personal debt default is set to increase to 3.8 million by the end of 2022, according to a forecast by debt purchaser Arrow Global Consumer finance and car finance new business rise in June Top Stories 16 Aug 2018 Calum Fuller Figures released by the Finance & Leasing Association (FLA) show that consumer finance new business grew in June by nine percent compared with the same month last year Upcoming event \ No newline at end of file diff --git a/input/test/Test1011.txt b/input/test/Test1011.txt new file mode 100644 index 0000000..f38b2c6 --- /dev/null +++ b/input/test/Test1011.txt @@ -0,0 +1,5 @@ +Welcome, visitor. [ / Log in ] Kingfisher PLC (LON:KGF) Has Just Had Its PT Downgraded by Professional Analysts at UBS to GBX 260.00 +August 17, 2018 - By Adrian Mccoy Analysis: Kingfisher PLC (LON:KGF) Target Raised Today +In analysts report revealed to clients by UBS on Friday, 17 August, the firm, Kingfisher PLC (LON:KGF) , had their target price lowered to GBX 260.00. Analusts presently have a solid Sell rating on the stock. Kingfisher plc (LON:KGF) 8 analysts covering Kingfisher PLC ( LON:KGF ), 5 have Buy rating, 1 Sell and 2 Hold. Therefore 63% are positive. Kingfisher PLC has GBX 425 highest and GBX 275 lowest target. GBX 336.17's average target is 24.46% above currents GBX 270.1 stock price. Kingfisher PLC had 15 analyst reports since March 13, The stock has "Hold" rating by Deutsche Bank on Friday, March 23. As per Monday, March 26, the company rating was maintained by RBC Capital Markets. The firm earned "Sector Performer" rating on Thursday, August 16 by RBC Capital Markets. JP Morgan maintained the stock with "Underweight" rating in Monday, April 30 report. The rating was maintained by HSBC with "Buy" on Monday, July 9. The stock of Kingfisher plc (LON:KGF) earned "Buy" rating by Stifel Nicolaus on Thursday, March 22. The rating was maintained by Morgan Stanley on Wednesday, March 28 with "Overweight". The rating was maintained by Deutsche Bank on Wednesday, May 2 with "Hold". The firm has "Underweight" rating by JP Morgan given on Thursday, March 22. The rating was maintained by Deutsche Bank with "Hold" on Friday, May 18. +The stock decreased 1.60% or GBX 4.4 during the last trading session, reaching GBX 270.1. About 1.59M shares traded. Kingfisher plc (LON:KGF) has 0.00% +Kingfisher plc, together with its subsidiaries, supplies home improvement services and products through a network of retail stores and other channels located primarily in the United Kingdom and continental Europe. 5.73 billion GBP. The firm offers garden furnishing, exterior lighting, performance hand and power tools, heating and cooling systems, security and water treatment products, air treatment products, and communication products. It has a 12.28 P/E ratio. It also engages in the property investment, sourcing, finance, and IT services businesses. Adrian Mcco \ No newline at end of file diff --git a/input/test/Test1012.txt b/input/test/Test1012.txt new file mode 100644 index 0000000..bcb6898 --- /dev/null +++ b/input/test/Test1012.txt @@ -0,0 +1,7 @@ +A teenager from Melbourne, Australia has pleaded guilty to hacking Apple, downloading 90GB of secure files and accessing customer accounts, The Age reported . +The school student appeared in Children's Court this week, where it heard that he started hacking Apple's systems when he was 16. +His lawyer stated that the teen hacked Apple several times over the course of a year because he was a big fan of the company, and that he dreamed of working there. +Australian Federal Police obtained and executed a search warrant for the teen's home last year, the court heard, where they seized two Apple laptops, a mobile phone, and a hard drive. +Hacking files and instructions were discovered in a directory on a computer titled "hacky hack hack." +According to the report, sentencing will proceed next month. +Now read: iPhones do not listen in on users — Apple Apple hac \ No newline at end of file diff --git a/input/test/Test1013.txt b/input/test/Test1013.txt new file mode 100644 index 0000000..d3537fd --- /dev/null +++ b/input/test/Test1013.txt @@ -0,0 +1 @@ +ProMedica Chief Human Resources Officer Karen Strauss confirmed the layoffs to
Becker's Hospital Review
in a prepared statement Aug. 23, and said an additional 60 vacant "nondirect patient care positions" will not be filled.
"ProMedica has worked diligently to improve efficiencies and reduce costs across the organization, and we have made great progress. Unfortunately, like so many other health systems, it has not been enough given the current healthcare environment. And, while we recently partnered with HCR ManorCare and expect the partnership to bring opportunities for growth and synergy, we still must address pre-merger ProMedica financial issues now. As a result, and after a rigorous and thoughtful review, we have made the tough decision to reduce our workforce to address and respond to these external factors," she said.
Ms. Strauss told
Becker's
the system's human resources department is working with affected employees and will notify them of opportunities to return to ProMedica if a future position meets their needs.
A ProMedica spokesperson told the
The Blade
many of the jobs were located at the health system's corporate headquarters, which opened last August. The individual specified none of the eliminated positions were from Toledo-based HCR ManorCare, which ProMedica and Welltower, a real estate investment trust,
Aug 23. 
The Integrated Care for Kids Model will focus on the prevention, early identification and treatment of behavioral and physical health needs among kids covered by Medicaid and the Children's Health Insurance Program. This new model aims to empower states and local healthcare providers to better address these needs through increased care integration to lower expenditures and boost care quality.
"The interventions outlined in the InCK Model are designed to respond to this crisis by supporting state Medicaid agencies and local health and community-based partners to increase access to behavioral health for vulnerable children and build capacity in communities to provide more effective, efficient, and affordable care through home- and community-based services," CMS said in a press release.
The CMS Innovation Center will release a Notice of Funding Opportunity this fall with more information on how state Medicaid agencies and other local health organizations can apply to participate in the seven-year model. The agency intends to fund eight states, where each state woudl receive a maximum of $16 million by spring 2019.
More articles on opioids: 
its recommendations on seasonal flu vaccine use in the U.S.
The CDC continues to recommend annual flu vaccination for persons 6 months and older and does not prefer one vaccine over another.
The CDC's report updates the 2017–18 Advisory Committee on Immunization Practices recommendations.
Updates and changes to the recommendations are of four types:
1. The vaccine virus composition for the 2018–19 U.S. seasonal influenza vaccines. 
2. A recommendation for the 2018–19 season that live attenuated influenza vaccine can be used when appropriate.
3. A recommendation that people with an egg allergy may get any licensed, recommended and age-appropriate influenza vaccine. 
4. Recent regulatory actions, including new vaccine licensures and labeling changes for previously licensed vaccines. 
To learn more about the updates, click
Aug 23. 
The Integrated Care for Kids Model will focus on the prevention, early identification and treatment of behavioral and physical health needs among kids covered by Medicaid and the Children's Health Insurance Program. This new model aims to empower states and local healthcare providers to better address these needs through increased care integration to lower expenditures and boost care quality.
"The interventions outlined in the InCK Model are designed to respond to this crisis by supporting state Medicaid agencies and local health and community-based partners to increase access to behavioral health for vulnerable children and build capacity in communities to provide more effective, efficient, and affordable care through home- and community-based services," CMS said in a press release.
The CMS Innovation Center will release a Notice of Funding Opportunity this fall with more information on how state Medicaid agencies and other local health organizations can apply to participate in the seven-year model. The agency intends to fund eight states, where each state woudl receive a maximum of $16 million by spring 2019.
More articles on opioids: 
its recommendations on seasonal flu vaccine use in the U.S.
The CDC continues to recommend annual flu vaccination for persons 6 months and older and does not prefer one vaccine over another.
The CDC's report updates the 2017–18 Advisory Committee on Immunization Practices recommendations.
Updates and changes to the recommendations are of four types:
1. The vaccine virus composition for the 2018–19 U.S. seasonal influenza vaccines. 
2. A recommendation for the 2018–19 season that live attenuated influenza vaccine can be used when appropriate.
3. A recommendation that people with an egg allergy may get any licensed, recommended and age-appropriate influenza vaccine. 
4. Recent regulatory actions, including new vaccine licensures and labeling changes for previously licensed vaccines. 
To learn more about the updates, click
+ All Blacks to target Wallabies centre \ No newline at end of file diff --git a/input/test/Test1031.txt b/input/test/Test1031.txt new file mode 100644 index 0000000..926932d --- /dev/null +++ b/input/test/Test1031.txt @@ -0,0 +1 @@ +Helios Towers to invest in infrastructure in DRC 59 CET | News Helios Towers is investing in the Democratic Republic of Congo and looking for acquisitions, as it seeks to move on after it scrapped plans for an initial public offering earlier this year, reports Bloomberg. It plans to build 1,800 kilometers of network linking mobile towers to connect another 6 million people in sub-Saharan Africa's largest country, chief executive officer Kash Pandya said. Helios is striving to improve coverage for Vodacom Group and Orange, which have both been awarded 4G licences in the country, he said \ No newline at end of file diff --git a/input/test/Test1032.txt b/input/test/Test1032.txt new file mode 100644 index 0000000..7cec8c0 --- /dev/null +++ b/input/test/Test1032.txt @@ -0,0 +1,25 @@ +Running for a Cause: Julia and Michael Faucher race in memory of friend for ALS One team at Falmouth Road Race 29 29 PM By Josh SchaferContributing writer +Family and friends of the Fauchers don't throw out their bottles and cans. +Instead they bag them and get them to the Faucher family. Michael, 11, and his mother, Julia, have collected more than 100,000 bottles and cans in the last two years. And they come from everywhere. +Michael placed a bin in the lobby of Kittredge Elementary in North Andover for his classmates to donate. Colleagues of Julia, an employee of North Andover Middle School, filled her classroom with bags of cans and bottles while she was at meetings. Numerous members of the community drop off items at Julia's parents home in Duxbury. They all know about Michael and many call him "Michael Recycle." +It's added up to roughly $5,000 just from recycled items, all of which is donated to ALS One, a foundation started by Julia's college friend, Kevin Gosnell. +"If anyone in our house even considers throwing a can away … we're like, 'Oh, my God, what are you doing?'" Julia said. "We'll never look at a bottle and can the same way." +Julia will run in the New Balance Falmouth Road Race on Sunday for the third time as a member of the ALS One team. The team honors her former Framingham State classmate, Gosnell, and his mission to find a cure for the disease that cost him his life in 2016. +Michael will join Julia in the race. The Fauchers have raised roughly $45,000 for ALS One in the last three years, more than $16,000 of which was raised this year alone. +"We have to keep going on Kevin's work efforts," Michael said. "Kevin started it. Now we're going to finish it." +After being diagnosed with Amyotrophic Lateral Sclerosis (ALS) in spring 2015, Gosnell researched his newly diagnosed disease and discovered that no one had researched the disease through partnerships. This limited communication between different medical practices, making a cure harder to find. +ALS One was founded in January 2016, combining leaders in ALS research from Massachusetts General Hospital, UMass Medical School and Harvard Medical School, among others. The non-profit focuses 90 percent of its funds toward finding a cure while the other 10 percent helps current victims of the disease with their everyday life in combination with Compassionate Care ALS in Falmouth. +In three years of participating in the Falmouth Road Race, with around 120 runners on its team, ALS One has raised more than $725,000. Jen DiMartino, ALS One Executive Director, said the race is the biggest fundraiser of the year for the non-profit, which has raised $9 million for ALS research. +"We're really lucky," DiMartino said. "The Falmouth Road Race, they do such an amazing job of incorporating non-profits into it and allowing them to have that platform." +Kevin was a part of the initial push for ALS One leading into its first year in the race. +At a meet-and-greet event in 2016, Gosnell expressed his gratitude for those helping and urged them to continue the fight. He died a week later on Aug. 8, 2016. +"Since then I've wanted to continue his mission," Julia Faucher said. "And I promised him that I would continue to help fight the fight after he was gone." +And that's what the Fauchers have done, aiding research in any way possible. +On June 30, Michael Faucher and his family set up two large tables and canopies underneath a tree in front of his grandparents house in Duxbury. Below them were two coolers, one for ice and one for lemonade, that had been donated by the Big Y. On top of the tables was an assortment of bags for the 15 raffles which accompanied Michael's favorite fundraiser, the lemonade stand. +Michael doesn't sell lemonade like an average middle schooler. In each of the last two years, more than $1,000 has gone to ALS One just from the one event. +"What they do is they just make everybody feel so good about getting involved and donating," DiMartino said. "The way that they thank people and it makes people just want to get involved." +Each donation to the Faucher team is accompanied by a Facebook post from Julia thanking the donor for the support and providing an update on where the team is at. +On Aug. 12, one week from race day, Michael took to Facebook with a video message for their supporters. +"Michael Recycle here," he announced proudly. "I've come to tell you it's only seven days away from Falmouth. We're still accepting cans and donations. We're on to 16,000 dollars going on to 17. Michael Recycle signing out." +He then cracked open a can of Barq's root beer and took a big gulp. +"Five cents," he said with a smile before sipping once more. "For ALS." Never miss a stor \ No newline at end of file diff --git a/input/test/Test1033.txt b/input/test/Test1033.txt new file mode 100644 index 0000000..eef8ed6 --- /dev/null +++ b/input/test/Test1033.txt @@ -0,0 +1 @@ +REMOTE CALL CENTER TO OPEN A NEW OFFICE IN SEATTLE FOR WASHINGTON BASED BUSINESSES August 16 Share it With Friends WITHOUT MAKING ANY COMPROMISE ON THE QUALITY, THIS OUTBOUND CALL CENTER IS TAKING THE AMERICAN TELEMARKETING TO THE NEXT LEVEL Seattle, WA, USA – August 16, 2018 – Remote Call Center has proudly announced that it is now expanding its services to cater to new clients and businesses in Washington State area including Seattle.Remote Call Center is a renowned US-basedoutbound call center that offers outbound call center services as well as outbound telemarketing services to the American businesses for more than six years now. Moreover, the company has also announced plans to expand its servicesto almost all the major cities in the USA. "We are very delighted to announce our entry to the Seattle market, which will basically focus on Washington based businesses," said Tai Huynh, while announcing the Seattle expansion of Remote Call Center. "We believe in growing together with our valued clients and our dedicated telemarketers ensure that the quality of each phone call is beyond exceptional." He added. Remote Call Center is known to provide bespoke services at more affordable price range and for its dedicated team of outbound telemarketerswho work hard to achieve their targets and the desired results for each client. Remote Call Center is a US-based call center with a remote office in the Philippines allowing the company to offer cheaper service rates than its American counterparts. The dedicated Filipino telemarketers are highly trained in US standards which is something greatly appreciated by the company's clients. Moreover, the outbound call center is also making great contributions in creating jobs in the American market. Outbound telemarketing can get more effective and targeted results while generating stronger leads than any other form of marketing. This is exactly why Remote Call Center's clients prefer these outbound telemarketing services by the company as their topmost priority. "Our clients can set their own targets and let us know how many agents they require on the project," said Tai, while explaining how the call center works. "We will then convert cold calls into cold cash by making quality sales for those clients," he added. According to Tai, the call center has a very efficient Quality Assurance department, that regularly monitors calls to ensure that each agent is performing up to the mark. Followed by Seattle, the company aims at broadening its marketto all the major US cities and it is truly taking the American telemarketing industry to the next level. For more information, please visit: www.remotecallcenter.net/seattle-outbound-call-center Media Contac \ No newline at end of file diff --git a/input/test/Test1034.txt b/input/test/Test1034.txt new file mode 100644 index 0000000..16c550d --- /dev/null +++ b/input/test/Test1034.txt @@ -0,0 +1,3 @@ +Thank you for sharing! Slaughters corporate partner Richard de Carle recently advised BHP Billiton on UK matters for its acquisition by oil and gas giant BP for $10.5bn (£8bn) +Slaughter and May corporate restructuring and insolvency partner Richard de Carle recently advised BHP Billiton on UK matters for its acquisition by oil and gas giant BP for £8bn. He joined Slaughters in 1984 and has been a partner at the firm since 1993. +Why did you become a lawyer? I tried my hand as a waiter for a few weeks and realised that I lacked the necessary skills for that; so I had to fall back on the law. This premium content is reserved for Legal Week Subscribers. Subscribe today to get ALL ACCESS and 15% off! A premium subscription gives you access to all articles and provides: Trusted insight, news and analysis from the UK and across the globe Connections to senior business lawyers within the leading law firms and legal departments Unique access to ALM's unrivalled, market-leading reporting in the US and Asia and cutting-edge research, including Legal Week's UK Top 50 and Global 100 rankings The Legal Week Daily News Alert, Editor's Highlights, and Breaking News digital newsletters and more, plus a choice of over 70 ALM newsletters Optimized access on all of your devices: desktop, tablet and mobile Complete access to the site's full archive of more than 56,000 article \ No newline at end of file diff --git a/input/test/Test1035.txt b/input/test/Test1035.txt new file mode 100644 index 0000000..d692dc5 --- /dev/null +++ b/input/test/Test1035.txt @@ -0,0 +1,14 @@ +Uber's new Brazil center aims to improve safety of cash transactions Thursday, August 16, 2018 11:07 p.m. EDT FILE PHOTO: The logo of Uber is seen on an iPad, during a news conference to announce Uber resumes ride-hailing service, in Taipei, Taiwan A +By Marcelo Rochabrun +SAO PAULO (Reuters) - Ride-hailing company Uber Technologies Inc plans to open a 250 million-reais ($64-million) center in Brazil that will research technology to make it safer for its drivers to accept cash, a key payment method in its rapid expansion in Latin America, the company said Friday. +Uber's Safety Product Director Sachin Kansal said in an interview that the investment over the next five years would fund an office with around 150 tech specialists in Sao Paulo, its biggest city in the world by rides, focused on a variety of safety solutions. +Brazil is Uber's second-largest national market after the United States with 1 billion rides in the past four years and a profitable bottom line, according to executives. Yet the imperative of accepting cash for rides here instead of relying solely on credit and debit cards as it does in the United States has also brought safety challenges. +Chief Executive Dara Khosrowshahi, who took the reins one year ago, has said safety is now Uber's top priority. +While in the United States and other developed markets, concerns have focused on the safety of riders, in emerging markets the danger can cut both ways, as drivers accepting cash payments have become targets for attacks from riders. +"Cash is extremely important for us to support," Kansal said in an interview at Uber's Sao Paulo office. "There is a certain segment of society which does not have access to credit cards and that is also the segment of society that is probably in the most need of convenient, reliable transportation." +New tools were helping to confirm the identity of users without credit cards, he said. One such method, which requires the Brazilian equivalent of a social security number for a rider to pay with cash, was introduced last year after Reuters revealed a spike in attacks on Uber drivers as the company rolled out cash payments. +Kansal said Uber was also using machine learning to block trips it considered risky before they happened. He declined to share the number of trips that had been flagged by its systems. +Uber also allows drivers and riders to share their locations in real time with contacts. The percentage of Uber users that activate the feature is in the "high single digits," he said. +"Drivers are using it more than riders globally," Kansal said, "but the magnitude of that difference in Latin America is actually quite high." +Kansal said he had not researched the disparity and declined to offer an explanation. +(Reporting by Marcelo Rochabrun; Editing by Brad Haynes and Cynthia Osterman) More From Technolog \ No newline at end of file diff --git a/input/test/Test1036.txt b/input/test/Test1036.txt new file mode 100644 index 0000000..b0465c3 --- /dev/null +++ b/input/test/Test1036.txt @@ -0,0 +1 @@ +Mobile payments market remains marginal in Switzerland 36 CET | News Mobile payments are still a marginal phenomenon in Switzerland, reported CEtoday.ch. Contactless payments have a reputation for not being secure. Based on a survey by ZHAW and the University of St. Gallen (HSG), only 7 percent of transactions in Switzerland are contactless and only 2 percent of money is transferred via mobile payment apps such as Twint \ No newline at end of file diff --git a/input/test/Test1037.txt b/input/test/Test1037.txt new file mode 100644 index 0000000..cce32a5 --- /dev/null +++ b/input/test/Test1037.txt @@ -0,0 +1 @@ +No posts were found Global Spark Plug Market will multiply at an impressive CAGR of 5.7% By 2024 & Top Key Players Robert Bosch Gmbh, ACDelco, Weichai Power Co. Ltd., Megenti Marelli S.p.A, NGK Spark Plug Co. Ltd, August 17 Share it With Friends The concept of spark plug has revolutionized the automotive industry by lowering the emission, resolving the cold starting problems while boosting the performance of the vehicles. Advanced spark plug improves cold starting and generates efficient combustion which in turn increases the performance of the vehicle. "Global Spark Plug Market Outlook: Industry Analysis & Opportunity Evaluation 2016-2024" Based on electrode material, the global spark plug market is segmented into copper, iridium, platinum and other material, out of which, iridium segment with 53.1% market share is anticipated to have largest share by the end of 2024. Further, global iridium spark plug market is anticipated to reach USD 4,921.4 Million by the end of 2024 from USD 2,953.1 Million in 2016. In addition to this, global iridium spark plug market is expected to achieve Y-o-Y growth rate of 7.6% in 2024 as compared to previous year. Further, the increase in production of passenger car vehicles in the world and rising utilization of natural gas equipment is envisioned to strengthen the growth of global spark plug market. The Global Spark Plug Market is expected to grow at a CAGR of 5.7 % over the period 2017-2024. Worldwide sales of spark plugs are anticipated to generate USD 9,267.2 Million in revenue by the end of 2024 as compared to USD 6,012.9 Million in 2016. Factors such as rising awareness about fuel efficiency combined with growing affluent middle class population are believed to fuel the growth of automotive market and are further anticipated for a boom in global spark plug market. In regional segment, Asia Pacific was the largest region in the global spark plug market in year 2016 with the highest share of 58.7%. In terms of revenue, the Asia-Pacific Market is estimated to have the largest regional market share of global spark plugs by the end of forecast period. With an increase in automotive industries, Asia Pacific is anticipated to grow at highest pace in overall spark plug market, expanding at a CAGR of 6.6%. Followed by Asia Pacific, North America and Europe are anticipated to expand at a moderate CAGR during forecast period. Request Report Sample @ https://www.researchnester.com/sample-request/2/rep-id-297 Urbanization to Flourish the Market Global Automotive Industry is booming on the account of urbanization and increasing disposable income. This massive growth of automotive industry is widening the demand for spark plug. Further, this rising sale of automobiles among affluent middle class population in developing regions as well as across the globe is paving the way for the growth of the global spark plug market. Automotive Component Aftermarket Reflects Significant Opportunities Rising sale of automotive vehicles has led the manufacturers of spark plug to work aggressively on the expansion of their aftermarket business. Further, various spark plug manufacturers such as NGK spark plugs companies are emphasizing more on aftermarket business to consolidate their presence and preserve their market share. This factor is expected to garner the growth of the overall spark plug market during the forecast period. However, availability of low cost spark plugs by local vendors and high number of local manufacturers in regions such as China, Russia and India among others are anticipated to deter the growth of the global spark plug market. Request for TOC Here @ https://www.researchnester.com/toc-request/1/rep-id-297 The report titled "Global Spark Plug Market Outlook: Industry Analysis & Opportunity Evaluation 2016-2024" delivers detailed overview of the global spark plug market in terms of product type, by electrode material, by application type, by distribution channel and by region. Further, for the in-depth analysis, the report encompasses the industry growth drivers, restraints, supply and demand risk, market attractiveness, BPS analysis and Porter's five force model. This report also provides the existing competitive scenario of some of the key players of the global spark plug market which includes company profiling of Federal-Mogul Corporation, Denso Corporation, Robert Bosch Gmbh, ACDelco, Weichai Power Co. Ltd., Megenti Marelli S.p.A, NGK Spark Plug Co. Ltd, Valeo, MSD Performance and HELLA GmbH & Co. KGaA. The profiling enfolds key information of the companies which encompasses business overview, products and services, key financials and recent news and developments. On the whole, the report depicts detailed overview of the global spark plug market that will help industry consultants, equipment manufacturers, existing players searching for expansion opportunities, new players searching possibilities and other stakeholders to align their market centric strategies according to the ongoing and expected trends in the future. Buy This Premium Reports Now @ https://www.researchnester.com/payment/rep-id-297 About Research Nester: Research Nester is a leading service provider for strategic market research and consulting. We aim to provide unbiased, unparalleled market insights and industry analysis to help industries, conglomerates and executives to take wise decisions for their future marketing strategy, expansion and investment etc. We believe every business can expand to its new horizon, provided a right guidance at a right time is available through strategic minds. Our out of box thinking helps our clients to take wise decision so as to avoid future uncertainties. For more details visit @ https://bit.ly/2zJ4SVy Media Contac \ No newline at end of file diff --git a/input/test/Test1038.txt b/input/test/Test1038.txt new file mode 100644 index 0000000..92b582e --- /dev/null +++ b/input/test/Test1038.txt @@ -0,0 +1 @@ +Hello , I have similar kind of expertise and work experience. I have gone through your requirement and understand that,you are looking for highly skilled, qualified, and experience Mobile App development team for Más $3055 USD en 10 días (7 comentarios) CryptoProgrammer Hi, As I have gone through your projects descriptions so I can do it. I have 6 years+ of experience with all IT related skills which is needed for your project. I have completed lot of projects with Software architect Más $1000 USD en 9 días (0 comentarios \ No newline at end of file diff --git a/input/test/Test1039.txt b/input/test/Test1039.txt new file mode 100644 index 0000000..3bbb791 --- /dev/null +++ b/input/test/Test1039.txt @@ -0,0 +1 @@ +Global smart speaker sales jump 187 percent in Q2, China sees strongest growth 20 CET | News The Amazon Echo slipped to second place in the sales ranking, overtaken by the Google Home device, and its market share plummeted to 24.5 percent from 82.3 percent a year earlier as new Chinese brands captured much of the growth \ No newline at end of file diff --git a/input/test/Test104.txt b/input/test/Test104.txt new file mode 100644 index 0000000..e0552f9 --- /dev/null +++ b/input/test/Test104.txt @@ -0,0 +1 @@ +Press release from: QYResearch CO.,LIMITED PR Agency: QYR Global Small Wind Turbines Market Expected to Witness a Sustainable Growth over 2025 - QY Research This report presents the worldwide Small Wind Turbines market size (value, production and consumption), splits the breakdown (data status 2013-2018 and forecast to 2025), by manufacturers, region, type and application.This study also analyzes the market status, market share, growth rate, future trends, market drivers, opportunities and challenges, risks and entry barriers, sales channels, distributors and Porter's Five Forces Analysis.A small wind turbine is a wind turbine used for microgeneration, as opposed to large commercial wind turbines, such as those found in wind farms, with greater individual power output.The market volume of Small Wind Power is related to downstream demand and global economy. As there will always be some uncertainties in the global economy in the following years, the growth rate of Small Wind Power market might not keep that fast. But it is surely forecasted that the market of Small Wind Power is still promising.The consumption revenue of Small Wind Power fell by about 22% in 2015 to reach more than USD 310 million. The market is currently dominated by a handful of companies that own the core technologies, including Northern Power Systems, Wind Energy Solutions, Kingspan and so on.In 2015, China has nearly 60% production market share of the total worldwide Small Wind Power industry, followed by the Europe with about 18%.The following manufacturers are covered in this report:     Northern Power Systems     Primus Wind Power     Ghrepower     Ningbo WinPower     Bergey Wind Power     ZK Energy     Polaris America     Ogin, Inc     Renewtech     Montanari Energy     Turbina Energy AG     Oulu     Eocycle     HY Energy     S&W Energy Systems     Kliux EnergiesSmall Wind Turbines Breakdown Data by Type     Horizontal Axis Wind Turbine     Vertical Axis Wind Turbine Small Wind Turbines Breakdown Data by Application     On-Grid     Off-GridSmall Wind Turbines Production by Region     United States     Europe     China     Japan     Other Regions     Other RegionsThe study objectives are:     To analyze and research the global Small Wind Turbines status and future forecast,involving, production, revenue, consumption, historical and forecast.     To present the key Small Wind Turbines manufacturers, production, revenue, market share, and recent development.     To split the breakdown data by regions, type, manufacturers and applications.     To analyze the global and key regions market potential and advantage, opportunity and challenge, restraints and risks.     To identify significant trends, drivers, influence factors in global and regions.     To analyze competitive developments such as expansions, agreements, new product launches, and acquisitions in the market.Request Sample Report and TOC@ www.qyresearchglobal.com/goods-1790542.html About Us:QY Research established in 2007, focus on custom research, management consulting, IPO consulting, industry chain research, data base and seminar services. The company owned a large basic data base (such as National Bureau of statistics database, Customs import and export database, Industry Association Database etc), expertâs resources (included energy automotive chemical medical ICT consumer goods etc.QY Research Achievements:  Year of Experience: 11 YearsConsulting Projects: 500+ successfully conducted so farGlobal Reports: 5000 Reports Every YearsResellers Partners for Our Reports: 150 + Across GlobeGlobal Clients: 34000 \ No newline at end of file diff --git a/input/test/Test1040.txt b/input/test/Test1040.txt new file mode 100644 index 0000000..f45b37d --- /dev/null +++ b/input/test/Test1040.txt @@ -0,0 +1 @@ +Image-based cytometer requirement is anticipated to boost owing to technological advancements and the growing utilization of image-based flow cytometers in research activities. The image based cytometer market is thus estimated to expand at a robust CAGR over the forecast period. "Image-Based Cytometer Market: Global Demand Analysis & Opportunity Outlook 2027" The global Image based cytometer market is segmented into By Application:-Research, Clinical, Others; By End-User:-Hospitals, Commercial Organizations, Clinical Testing Labs, Others and by regions. Image based cytometer market is anticipated to mask a significant CAGR during the forecast period i.e. 2018-2027. Trend towards precision medicine where each clinical trial is towards a specific cell is emerging. Clinical applications of Image Based Cytometer basically includes measurement of DNA content of whole nuclei in ovarian tumors; measurement of DNA content of nuclei in sections of brain tumor; and analysis of DNA distribution of nuclei in sections of oral leukoplakia. Image cytometry has been particularly useful in studies of embedded tissues in which the tissue architecture is important in identifying regions for measurement, in which there may be very few cells available for measurement, or in which the tissue is not suitable for dissociation. North America is estimated to remain the ruling region owing to eminent advancements in research and development field along with elevated technological developments through the years. While Asia Pacific is expected to emerge as a fastest growing region due to growing expenditure by the government on R&D activities as well as rising technological advancements in the developed and developing countries of the region. Request Report Sample @ https://www.researchnester.com/sample-request/2/rep-id-905 Rising Expenditure on R&D Activities Image-based cytometer requirement is estimated to increase owing to technological advancements, development of intuitive software, increasing use of image-based cytometer in clinical trials and the growing utilization of image-based flow cytometers in research activities. Rapid 'user�friendly' systems currently under development may increase the market growth of image-based cytometric systems. However, the main problem for the researchers is to access such technology which has cost constraints associated to buying antibodies. Request for TOC Here @ https://www.researchnester.com/toc-request/1/rep-id-905 The report titled " Image-Based Cytometer Market: Global Demand Analysis & Opportunity Outlook 2027" delivers detailed overview of the global image based cytometer market in terms of market segmentation By Application:-Research, Clinical, Others; By End-User:-Hospitals, Commercial Organizations, Clinical Testing Labs, Others and by regions. Further, for the in-depth analysis, the report encompasses the industry growth drivers, restraints, supply and demand risk, market attractiveness, BPS analysis and Porter's five force model. This report also provides the existing competitive scenario of some of the key players of the global image based cytometer market which includes company profiling of Invitrogen, ChemoMetec A/S, Nexcelom Bioscience LLC., Vala Sciences Inc., Merck KGaA, GE Healthcare, Yokogawa Electric Corporation and Thorlabs, Inc. The profiling enfolds key information of the companies which encompasses business overview, products and services, key financials and recent news and developments. On the whole, the report depicts detailed overview of the global Image based cytometer market that will help industry consultants, equipment manufacturers, existing players searching for expansion opportunities, new players searching possibilities and other stakeholders to align their market centric strategies according to the ongoing and expected trends in the future. Buy This Premium Reports Now @ https://www.researchnester.com/payment/rep-id-905 About Research Nester: Research Nester is a leading service provider for strategic market research and consulting. We aim to provide unbiased, unparalleled market insights and industry analysis to help industries, conglomerates and executives to take wise decisions for their future marketing strategy, expansion and investment etc. We believe every business can expand to its new horizon, provided a right guidance at a right time is available through strategic minds. Our out of box thinking helps our clients to take wise decision so as to avoid future uncertainties. For more details visit @ https://www.researchnester.com/reports/image-based-cytometer-market/905 Media Contac \ No newline at end of file diff --git a/input/test/Test1041.txt b/input/test/Test1041.txt new file mode 100644 index 0000000..43816ba --- /dev/null +++ b/input/test/Test1041.txt @@ -0,0 +1,11 @@ +Content key for Argyll Entertainment in Solihull sponsorship STS strengthens broadcasting service by 20,000 events with IMG Craig Davies August 17, 2018 Europe , Latest News , Sport , Sportsbook Comments Off on STS strengthens broadcasting service by 20,000 events with IMG Share Romanian entry for SBTech following Get's Bet link up March 6, 2018 +Polish bookie STS has announced a fresh deal IMG to "significantly extend" its offer of broadcast sporting events via its website and mobile app. +Under the terms of the new deal, which is to to run until the end of 2020, the firm is to enhance its offering by approximately 20 thousand sporting events, including streams of football, handball, volleyball, basketball, tennis and hockey, amongst others. +The service is available free to all adult users, and builds upon its current free broadcast service of over 2,000 sporting events each month. +All games can be followed on its sts.pl website and through the bookmakers app, while a selection of streams are also available throughout the country on stationary STS betting points. +Mateusz Juroszek, CEO at STS , commented: "We are observing a growing interest in live betting among the customers. For this reason, we are investing in the broadest possible offer of sporting-event broadcasts, in various disciplines from around the world. +"STS is the biggest legally operating bookmaker in Poland, and it has been systematically strengthening its leading position in this challenging local market. +"In fact, as much as 60% of the Polish market is covered by non-licensed operators, who do not pay taxes or comply with the strict Polish bookmaking law. +"Despite such an adverse competitive environment, we keep expanding our offer and offering new functionalities to our clients. Our aim is continued organic growth that will allow us to respond even better to our clients' needs." +This deal builds upon a deal held with Eleven Sports Network Group, which sees the provision of broadcasting space to Eleven, Eleven Sports and Eleven Extra in all STS owned venues. +Sts.pl broadcasts are available to all registered users, regardless of whether or not they are active players, with registration available for free to all adult users via its website. Shar \ No newline at end of file diff --git a/input/test/Test1042.txt b/input/test/Test1042.txt new file mode 100644 index 0000000..9a50b5a --- /dev/null +++ b/input/test/Test1042.txt @@ -0,0 +1,9 @@ +Hussain Shah 0 Comments +In the era of automation, advancements in wearable technology are no big deal as pet wearables go GPS-driven. New age technological advancements, coupled with proliferation of the Internet of Things (IoT), have translated into rise in adoption of various smart pet tech products including pet activity monitors and GPS trackers. A new Fact.MR research study projects activity monitors to expand at a meteoric pace through 2028, however, this statistic lacks in offsetting the supremacy of GPS trackers as the most used pet wearable. The study foretells that the pet wearables market is likely to exhibit a strong 7.6% value CAGR throughout the period of assessment, 2018-2028. +With exploding digitization, traditional sales channels are being swept aside by e-commerce currents and this trend has not left any industry untouched, including the pet wearable space. As e-commerce platform raises the heat apropos of modern retailing, the traditional brick-and-mortar pet wearable retailers are going on the defensive front. The report envisages that the sales of various types of pet wearables are likely to surge via e-commerce. That said, pet wearable retailers are slowly gravitating towards the preeminent internet platform. +Medical diagnosis and treatment have gained alarming importance, underpinned by a significant rise in pet health issues. For instance, rising concern regarding obesity among cats and dogs has compelled pet owners to adopt continual pet health monitoring. According to APOP (Association for Pet Obesity Prevention), the rate of obesity among pets has increase in the past few years. In the United States alone, 54 percent of dogs and 59 percent of cats were overweight in 2017. +Obesity being one of the major factors reducing life expectancy by around 3 years, it has become essential to use pet wearables such as activity monitors to facilitate preventive health maintenance. Although medical diagnosis and treatment account for a major share in the pet wearable market, sales of wearables in pet identification and tracking are likely to witness a significant rise, making it a second most attractive sales funnel for manufacturers of pet wearables. +Sales of pet wearables have been largely influenced by increasing household spending on pet health and monitoring. According to the analysis revealed by the APPA (American Pet Products Association), in 2017 more than US$ 69 billion were spent on pets in the United States alone of which pet tech products accounted for around 6.7 percent. This aspect is also influenced by a high purchasing power parity of the United States citizens, making US the largest market for pet wearables. +Furthermore, the Asia Pacific excluding Japan (APEJ) pet wearables market continues to remain concentrated in the emerging economies of China and India. Given the rising pet ownership amongst the burgeoning middle class in China, stakeholders are looking forward to encash the booming opportunities in the country, venturing into development of wearables such as GPS trackers and activity monitors for pets. Likewise, the Indian market for pet wearables has also reflected tremendous potential with demand rising at a stellar rate of 8.3% during the 2018-2028 timeline, according to Fact.MR study. +"The pet wearable sector is likely to permeate the Indian market wherein stakeholders can leverage the immense potential in the country on the back of increasing pet parents across India's metropolitan cities. Moreover, growing number of expos have furthered the significance of pet care, specifically targeting pet lovers. For example, the India International Pet Trade fair and Petex India, have largely contributed to the pet care cause. Overall, the optimism portrayed by the country is likely to pave new growth pathways in the years to follow" – Research analyst at Fact.MR +Will United States continue with its status quo as a market leader in the pet wearable space or will APEJ turn the tables against this pet wearable behemoth? Find out more in the captivating research study on pet wearables market by Fact.MR \ No newline at end of file diff --git a/input/test/Test1043.txt b/input/test/Test1043.txt new file mode 100644 index 0000000..2973eea --- /dev/null +++ b/input/test/Test1043.txt @@ -0,0 +1,7 @@ +My Top 2 Stocks For Young Investors: Infosys Limited (INFY), People's United Financial, Inc. (PBCT) (gvtimes.com) +PBCT has been the subject of several analyst reports. BidaskClub lowered shares of People's United Financial from a "hold" rating to a "sell" rating in a research report on Thursday, April 19th. Sandler O'Neill upgraded shares of People's United Financial from a "hold" rating to a "buy" rating in a research report on Thursday, April 19th. Keefe, Bruyette & Woods restated a "hold" rating and set a $21.50 price target on shares of People's United Financial in a research report on Thursday, April 19th. Piper Jaffray Companies upgraded shares of People's United Financial from an "underweight" rating to a "neutral" rating in a research report on Friday, April 20th. Finally, Morgan Stanley cut their price target on shares of People's United Financial from $21.00 to $20.00 and set an "equal weight" rating for the company in a research report on Friday, April 20th. Two analysts have rated the stock with a sell rating, five have issued a hold rating and three have issued a buy rating to the stock. The company has a consensus rating of "Hold" and a consensus target price of $20.19. NASDAQ PBCT opened at $18.60 on Friday. The company has a quick ratio of 0.98, a current ratio of 0.98 and a debt-to-equity ratio of 0.78. People's United Financial has a 12-month low of $15.97 and a 12-month high of $20.26. The stock has a market cap of $6.41 billion, a price-to-earnings ratio of 17.88, a price-to-earnings-growth ratio of 7.12 and a beta of 0.94. +People's United Financial (NASDAQ:PBCT) last posted its quarterly earnings results on Thursday, July 19th. The bank reported $0.32 earnings per share (EPS) for the quarter, meeting the consensus estimate of $0.32. The business had revenue of $396.10 million during the quarter, compared to analyst estimates of $395.57 million. People's United Financial had a net margin of 23.24% and a return on equity of 7.57%. During the same period in the prior year, the business posted $0.19 earnings per share. sell-side analysts predict that People's United Financial will post 1.29 earnings per share for the current fiscal year. +The company also recently disclosed a quarterly dividend, which was paid on Wednesday, August 15th. Stockholders of record on Wednesday, August 1st were paid a dividend of $0.175 per share. This represents a $0.70 annualized dividend and a dividend yield of 3.76%. The ex-dividend date of this dividend was Tuesday, July 31st. People's United Financial's dividend payout ratio (DPR) is 67.31%. +In other news, VP Robert E. Trautmann sold 75,404 shares of the company's stock in a transaction dated Wednesday, July 25th. The shares were sold at an average price of $18.27, for a total transaction of $1,377,631.08. Following the completion of the transaction, the vice president now directly owns 69,193 shares of the company's stock, valued at $1,264,156.11. The sale was disclosed in a legal filing with the SEC, which is accessible through this hyperlink . Also, VP Robert E. Trautmann sold 10,000 shares of the company's stock in a transaction dated Wednesday, August 1st. The shares were sold at an average price of $18.34, for a total transaction of $183,400.00. The disclosure for this sale can be found here . Corporate insiders own 2.50% of the company's stock. +People's United Financial Company Profile +People's United Financial, Inc operates as the bank holding company for People's United Bank, National Association that provides commercial banking, retail banking, and wealth management services to individual, corporate, and municipal customers. The company operates in two segments, Commercial Banking and Retail Banking \ No newline at end of file diff --git a/input/test/Test1044.txt b/input/test/Test1044.txt new file mode 100644 index 0000000..bb39da4 --- /dev/null +++ b/input/test/Test1044.txt @@ -0,0 +1,2 @@ +Search for: Home Auto Components Sunil Dhopatkar, Manish Kumar Sharma & Sachin Tiwari win Castrol Super Mechanic title for cars Sunil Dhopatkar, Manish Kumar Sharma & Sachin Tiwari win Castrol Super Mechanic title for cars August 17, 2018 Jeeven Auto Components , Auto Events , Auto News , India , Lubricants , Service 0 In the closely contested Castrol Super Mechanic All-India finale for car mechanics in Mumbai, Sunil Dhopatkar, Manish Kumar Sharma and Sachin Tiwari proved their mettle and emerged victorious. The winning trio will now head to Malaysia for the Castrol Asia Pacific Super Mechanic regional Finale for cars, where champion mechanics from six other countries will battle it out for the ultimate title of 'Castrol Super Mechanic – Asia Pacific'. The winning team of the Asia-Pacific event will be invited to experience the technical precision & speed alongside the Renault F1 Pit Crew at the prestigious Singapore Airlines Singapore Grand Prix in September. The qualifying rounds for the Castrol Super Mechanic for Cars were held in Delhi and Mumbai, with top six finalists from each location, qualifying to compete in the finals. The exciting grand finale saw four teams, comprising of three mechanics each, competing to win the prestigious title. The final round included a quiz and a practical round, which tested the mechanics on their vehicle servicing and repair knowledge and skills. Omer Dormen, MD Castrol India & Kedar Apte, VP Marketing Castrol India with the Winners +According to Kedar Apte – Vice President Marketing, Castrol India , "The Castrol Super Mechanic programme was initiated with an aim to recognize and reward one of the most undervalued communities in our country – the mechanics – one of our key stakeholders, who keep India moving. Our programme gives them a platform to showcase their knowledge and skills and updates them on the latest trends and technologies emerging in the automotive and lubricant industries. We are delighted with the response we got for the Castrol Super Mechanic programme this year, and are looking forward to a more exciting and engaging event next year." One of the winners, Sunil Dhopatkar , said, "I am really excited to win the Castrol Super Mechanic competition for cars and proudly look forward to representing India at the Asia Pacific finale. Castrol Super Mechanic contest has helped me develop and improve my skill set and knowledge. The judges, training and interaction with instructors at the contest gave me rich exposure to new technologies and techniques which I would not have had the opportunity to access. \ No newline at end of file diff --git a/input/test/Test1045.txt b/input/test/Test1045.txt new file mode 100644 index 0000000..6d760f3 --- /dev/null +++ b/input/test/Test1045.txt @@ -0,0 +1,20 @@ +REUTERS: Elon Musk's rocket company, SpaceX, could help fund a bid to take electric car company Tesla Inc private, the New York Times reported on Thursday, quoting people familiar with the matter. +Musk startled Wall Street last week when he said in a tweet he was considering taking the auto company private for US$420 per share and that funding was "secured." He has since said he is searching for funds for the effort. Advertisement +Musk said on Monday that the manager of Saudi Arabia's sovereign wealth fund had voiced support for the company going private several times, including as recently as two weeks ago, but also said that talks continue with the fund and other investors. +The New York Times report said another possibility under consideration is that SpaceX would help bankroll the Tesla privatisation and would take an ownership stake in the carmaker, according to people familiar with the matter. +Musk is the CEO and controlling shareholder of the rocket company. +Tesla and SpaceX did not respond when Reuters requested comment on the matter. Advertisement Advertisement +In a wide-ranging and emotional interview with the New York Times published late on Thursday, Musk, Tesla's chief executive, described the difficulties over the last year for him as the company has tried to overcome manufacturing issues with the Model 3 sedan. +"This past year has been the most difficult and painful year of my career," he said. "It was excruciating." +The loss-making company has been trying to hit production targets, but the tweet by Musk opened up a slew of new problems including government scrutiny and lawsuits. +The New York Times report said efforts are underway to find a No. 2 executive to help take some of the pressure off Musk, people briefed on the search said. +Musk has no plans to relinquish his dual role as chairman and chief executive officer, he said in the interview. +Musk said he wrote the tweet regarding taking Tesla private as he drove himself on the way to the airport in his Tesla Model S. He told the New York Times that no one reviewed the tweet before he posted it. +He said that he wanted to offer a roughly 20 percent premium over where the stock had been recently trading, which would have been about US$419. He decided to round up to US$420 - a number that has become code for marijuana in counterculture lore, the report said. +"It seemed like better karma at US$420 than at US$419," he said in the interview. "But I was not on weed, to be clear. Weed is not helpful for productivity. There's a reason for the word 'stoned.' You just sit there like a stone on weed," he said. +Some board members recently told Musk to lay off Twitter and rather focus on operations at his companies, according to people familiar with the matter, the newspaper report said. +During the interview, Musk emotionally described the intensity of running his businesses. He told the newspaper that he works 120 hours a week, sometimes at the expense of not celebrating his own birthday or spending only a few hours at his brother's wedding. +"There were times when I didn't leave the factory for three or four days — days when I didn't go outside," he said during the interview. "This has really come at the expense of seeing my kids. And seeing friends." +To help sleep, Musk sometimes takes Ambien, which concerns some board members, since he has a tendency to conduct late-night Twitter sessions, according to a person familiar with the board the New York Times reported. +"It is often a choice of no sleep or Ambien," he said. +(Reporting by Rama Venkat Raman in Bengaluru and Brendan O'Brien in Milwaukee; Editing by Gopakumar Warrier, Bernard Orr) Source: Reuter \ No newline at end of file diff --git a/input/test/Test1046.txt b/input/test/Test1046.txt new file mode 100644 index 0000000..6306be5 --- /dev/null +++ b/input/test/Test1046.txt @@ -0,0 +1,18 @@ +Italy says death toll will rise in Genoa bridge collapse Paolo Santalucia and Frances D'Emilio, The Associated Press Thursday Aug 16, 2018 at 8:48 AM +GENOA, Italy — The death toll from the collapse of a highway bridge in the Italian city of Genoa that is already confirmed to have claimed 39 lives will certainly rise, a senior official said Thursday. +"Unfortunately, the toll will increase, that's inevitable," Interior Minister Matteo Salvini told reporters. +Searchers continued to comb through tons of jagged steel, concrete and dozens of vehicles that plunged as much as 150 feet into a dry river bed on Tuesday, the eve of Italy's main summer holiday. +Salvini declined to cite a number of the missing, saying that would be "supposition," but separately Genoa Chief Prosecutor Francesco Cozzi told reporters there could be between 10 and 20 people still unaccounted for. Join the conversation at Facebook.com/columbusdispatch and connect with us on Twitter @DispatchAlerts +"The search and rescue operations will continue until we find all those people that are listed as missing," Sonia Noci, a spokeswoman for Genoa firefighters, told The Associated Press. +Italy is planning a state funeral for the dead in the port city Saturday, which will be marked as a day of national mourning. The service will be held in a pavilion on the industrial city's fair grounds and led by Genoa's archbishop, Cardinal Angelo Bagnasco. +Italian President Sergio Mattarella has said the collapse is an "absurd" catastrophe that has stricken the entire nation. +At least six of the dead are foreigners — four French citizens and two Albanians. +Authorities say they don't know how many vehicles were on the bridge when it collapsed in a violent rain storm. +Cozzi has said the investigation of the cause is focusing on possible inadequate maintenance of the 1967 Morandi Bridge or possible design flaws. +In an interview on SkyTG24 TV Thursday, Cozzi said that there was a video of the collapse. Outside experts will study the video to see if it might help determine the cause. +Since the cause is yet to be ascertained, there are "no suspects" at this point, the prosecutor said. But he said prosecutors are considering possible eventual charges that include multiple manslaughter. +Premier Giuseppe Conte says his government won't wait until prosecutors finish investigating the collapse to withdraw the concession from the main private company that maintains Italy's highways, Atlantia. +The bridge links two heavily traveled highways, one leading to France, the other to Milan. +A $23 million project to upgrade the bridge's safety had already been approved, with public bids to be submitted by September. According to business daily Il Sole, improvement work would have involved two weight-bearing columns that support the bridge — including one that collapsed Tuesday. +The bridge, considered innovative when it opened in 1967 for its use of concrete around its cables, was long due for an upgrade, especially since it carried more traffic than its designers had envisioned. Some architects have said the choice of encasing its cables in reinforced concrete was risky since it's harder to detect corrosion of the metal cables inside. Never miss a story +Choose the plan that's right for you. Digital access or digital and print delivery \ No newline at end of file diff --git a/input/test/Test1047.txt b/input/test/Test1047.txt new file mode 100644 index 0000000..3910f55 --- /dev/null +++ b/input/test/Test1047.txt @@ -0,0 +1,5 @@ +Tweet +FinnCap reiterated their corporate rating on shares of Clearstar (LON:CLSU) in a research report sent to investors on Tuesday morning. +Shares of LON:CLSU opened at GBX 84 ($1.07) on Tuesday. Clearstar has a 1 year low of GBX 27 ($0.34) and a 1 year high of GBX 60 ($0.77). Get Clearstar alerts: +In other Clearstar news, insider Samuel Andre bought 10,000 shares of the firm's stock in a transaction dated Thursday, May 24th. The shares were purchased at an average price of GBX 52 ($0.66) per share, for a total transaction of £5,200 ($6,633.50). About Clearstar +ClearStar, Inc provides technology and services to the background check industry, supporting background screening companies, employers, and employees with their recruitment and employment application decisions. The company offers employment screening services; volunteer screening services; tenant screening services comprising tenant credit report, enhanced eviction search, employment and previous landlord verifications, criminal records searches, and sex offender registry searches; and occupational health testing services, such as drug screening, MRO services, and physicals and medical testing, as well as drug free workplace programs \ No newline at end of file diff --git a/input/test/Test1048.txt b/input/test/Test1048.txt new file mode 100644 index 0000000..e065294 --- /dev/null +++ b/input/test/Test1048.txt @@ -0,0 +1,82 @@ +MediaZest Plc - Final Results PR Newswire +London, August 17 +MediaZest Plc +("MediaZest"or the "Company"; AIM: MDZ) +Final Results for the Year Ended 31 March 2018 +MediaZest, the creative audio-visual company, is pleased to provide shareholders with final results for the year ended 31 March 2018 . +CHAIRMAN'S STATEMENT +Introduction +The results for MediaZest plc (the "Group") for the year ended 31 March 2018 incorporate the results of its subsidiary, MediaZest International Limited, which is wholly owned. +Results for the year and Key Performance Indicators +Revenue for the period was £2,819,000 down 6% (2017: £3,013,000). Gross profit was £1,361,000 – a 4% increase (2017: £1,313,000). Gross margins improved to 48% (2017: 44%). EBITDA was a loss of £113,000 (2017: loss of £2,000). Loss after tax of £256,000 increased 80% (2017: loss of £142,000). The basic and fully diluted loss per share was 0.02 pence (2017: 0.01 pence ). Cash in hand at period end £38,000 (2017: £160,000). Business overview +The Group comprises two entities: MediaZest plc, a holding company Quote: d on the AIM section of the London Stock Exchange, and an operational company, MediaZest International Limited. +Despite much progress in building the business during the year, the Board is disappointed with the financial results for year ended 31 March 2018 ("FY18"), which have been significantly affected by delays to three substantial projects that have all fallen into the new financial year ended 31 March 2019 ("FY19"). This timing risk was highlighted in the interim results announcement of 15 December 2017 . +The net impact on the FY18 accounts has been that revenues are lower than expected by approximately £450,000 and net profit lower by approximately £200,000. There was also a further impact on cash in hand at year end as the Group held stock for two of these projects prior to the FY18 year-end cut-off. +In spite of these delays, the operational business, MediaZest International Limited, has again showed a net profit, with revenues of £2,819,000 (2017: £3,013,000) and profit of £95,000 after tax (2017: £118,000). +The most significant improvement in the business was evidenced by the increase in recurring contractual revenue. The Group continues to focus its efforts on permanent audio-visual installation work, with accompanying growth in recurring revenues. Over time this is expected to mitigate the impact of project delays such as those previously mentioned. +This strategy continues to work well for the Group and, as announced in the trading update on 23 May 2018 , the current run rate of recurring revenues has grown significantly in the last 12 months. At the current time it is in excess of £700,000, more than double the level at the beginning of FY18. This increase in recurring revenue contracts will have substantial impact in FY19 as many of these contracts began relatively recently and the associated revenues are apportioned across the life of the contract. +The Group now supports approximately 2,000 displays in over 20 countries under these contracts. +Margins continue to improve in the business as recurring revenues grow, also reflecting the strategic emphasis on providing managed services in conjunction with any hardware supplied. This managed service wraps around the audio-visual proposition and includes the analysis of return on investment and associated data services for clients which the Board believes will be an area of profitable growth in the coming years. +The Group's advanced expertise in these areas provides a competitive advantage and in building on initial development of a product based on facial recognition technology ("MediaZest Retail Analytics") it has invested in acquiring access to new tools for data measurement and a refined reporting database to provide clients with further reporting and analytical services in respect of this data. +Costs have risen in some areas as the Group becomes better structured to meet client needs and there have also been increases in expenses associated with the listing of MediaZest plc and interest expense on shareholder loans. The Board continues to monitor these closely and will adjust as necessary to meet the demands of the business in FY19. +PROJECT HIGHLIGHTS AND MARKETS SERVED +The Group continues to enjoy a strong reputation in the broader retail sector, particularly in the Automotive, Fashion, Electronic goods and Financial Services sectors. +Project highlights for the year include the completion of our first store for Volkswagen, at Birmingham Bullring; completion of our first and delivery of our second major store projects for Clydesdale and Yorkshire Banking Group plus substantial project work with HP. All are new clients won within the last 18 months. +Other new clients include the European Bank for Reconstruction and Development (EBRD) and in the automotive sector Mitsubishi and Ford through our relationship with Rockar along with projects in Germany with Opel and a corporate project with BMW in the UK. +The Company's work with Ted Baker , Diesel, Kuoni, HMV, Halfords, Hyundai and several others all continues. +As well as serving clients all over the UK, in the past year there has been notable growth in overseas opportunities. Ted Baker is a client the Company works with on a global basis, now including Asia , Europe , the Middle East and Africa (EMEA), North America and Australasia. Recent projects for HP have been across the EMEA region and the Group recently completed several projects in China . There is an ongoing project for Opel is in Germany and the Group is pitching on several other multi-national substantial opportunities. The Board believes this offers meaningful growth opportunities in FY19 and future years. +STRATEGY +The Board maintains the following policies to maximise revenue and long- term value in the company: +Emphasis on maximising opportunities by concentrating the Group's marketing and sales efforts on acquiring and developing business relationships with large scale customers which have both the desire and potential of rolling out digital signage in multiple locations; Improve the Group's recurring revenue streams through different managed service offerings; Maintain the emphasis on proprietary products such as MediaZest Retail Analytics which can generate intellectual property in the statement of financial position and provide ongoing sustainable revenue streams; and Market the Group's 'one stop shop' positioning to a wide range of global retailers in conjunction with existing partners and to continue to grow the number of overseas deployments. Furthermore, the Group has agreed to work more closely with one of its significant supplier partners, Samsung UK. As one of a handful of "Growth Engine Partners" selected by Samsung UK, the two companies are working on certain joint marketing activities that the Board hopes will lead to further mutual substantial opportunities in the next 12 months. +The growth in activity in audio visual retail markets currently being experienced by many companies in the sector is also leading to further corporate opportunities. The Board's view is that the acceleration of growth by way of merger and/or acquisition is a strategy that should be considered at this time and is evaluating several such opportunities whilst remaining open to other options. +FUNDRAISING DURING THE PERIOD +On 13 February 2018 , the Company made a successful placing of 46,668,000 shares at 0.15p per share to raise £70,000 before expenses. The shares were admitted to trading on AIM in February 2018 . +The reasons for this placing were twofold: +The Company is becoming more focused on dealing with large, complex, global organisations. This has led to a need to keep a proportion of operating cashflow earmarked for deposit purposes with suppliers. In order to take full advantage of two specific opportunities, the Board set aside some of these funds raised for this purpose. +In addition, as noted above, the Board believes that there are strategic growth opportunities that should be explored and an element of the Placing funds has been set aside for this accordingly. +Due to the dilutive nature of fund raising at the current share price, the Board limited the amount raised to cover these two requirements only. +OUTLOOK +Although there has been much recent progress in business structure terms, the Board recognises that financial results need to improve and is looking to achieve this in FY19, particularly with the strong start to the first quarter. +Although the project delays have been particularly frustrating in FY18, all three will fall within the first half of FY19 and as a result, in tandem with growing contractual revenues, the Group expects to make substantial progress in financial performance at both Group and operational levels for the period ending 30 September 2019 versus the corresponding prior year period. Unaudited management accounts to 31 May 2018 (the first two months of the new financial year FY19) already show turnover of £662,000 and profit at Group level of £37,000 (profit in the operational company £105,000) which is a significant improvement on the previous year. +New projects for HP, Mitsubishi (at Lakeside shopping centre) and Ford (opened 16 th July at Next in Manchester Arndale Centre) have been well received. The increased level of recurring revenue contracts is also expected to assist in achieving improved financial performance and to provide both greater predictability, visibility and quality of revenue. +New business activity continues to be brisk and the Board expect to announce further significant contract wins in due course. +Lance O'Neill +Chairman +Date: 16 August 2018 +CONSOLIDATED STATEMENT OF COMPREHENSIVE INCOME +FOR THE YEAR ENDED 31 MARCH 2018 +Note 2018 2017 £'000 £'000 Continuing operations Revenue 1 2,819 3,013 Cost of sales (1,458) (1,700) Gross profit 1,361 1,313 Administrative expenses (1,474) (1,315) EBITDA (113) (2) Administrative expenses – depreciation & amortisation (41) (77) Operating loss (154) (79) Finance costs (102) (67) Loss on ordinary activities before taxation (256) (146) Tax on loss on ordinary activities - 4 Loss for the year and total comprehensive loss for the year attributable to the owners of the parent (256) (142) Loss per ordinary 0.1p share 2 Basic (0.02p) (0.01p) Diluted (0.02p) (0.01p) CONSOLIDATED STATEMENT OF FINANCIAL POSITION +AS AT 31 MARCH 2018 +2018 2017 £'000 £'000 Non-current assets Goodwill 2,772 2,772 Tangible fixed assets 51 51 Intangible fixed assets 3 14 Total non-current assets 2,826 2,837 Current assets Inventories 217 69 Trade and other receivables 897 243 Cash and cash equivalents 38 160 Total current assets 1,152 472 Current liabilities Trade and other payables (1,664) (860) Financial liabilities (471) (424) Total current liabilities (2,135) (1,284) Net current liabilities (983) (812) Non-current liabilities Financial liabilities (22) (18) Total non-current liabilities (22) (18) Net assets 1,821 2,007 Equity Share capital 3,546 3,499 Share premium account 5,244 5,221 Share options reserve 146 146 Retained earnings (7,115) (6,859) Total equity 1,821 2,007 The financial statements were approved and authorised for issue by the Board of Directors on 16 August 2018 and were signed on its behalf by: +Geoffrey Robertson +CEO +CONSOLIDATED STATEMENT OF CHANGES IN EQUITY +FOR THE YEAR ENDED 31 MARCH 2018 +Share Share Share Options Retained Total Capital Premium Reserve Earnings Equity £'000 £'000 £'000 £'000 £'000 Balance at 1 April 2016 3,299 5,138 146 (6,717) 1,866 Loss for the year - - - (142) (142) Total comprehensive loss for the year - - - (142) (142) Issue of share capital 200 100 - - 300 Share issue costs - (17) - - (17) Balance at 31 March 2017 3,499 5,221 146 (6,859) 2,007 Loss for the year - - - (256) (256) Total comprehensive loss for the year - - - (256) (256) Issue of share capital 47 24 - - 71 Share issue costs - (1) - - (1) Balance at 31 March 2018 3,546 5,244 146 (7,115) 1,821 CONSOLIDATED STATEMENT OF CASH FLOWS +FOR THE YEAR ENDED 31 MARCH 2018 +Note 2018 2017 £'000 £'000 Net cash used in operating activities before tax (434) 222 Taxation - 9 Net cash used in operating activities (434) 231 Cash flows used in investing activities Purchase of plant and machinery (5) (23) Disposal of plant and machinery - 11 Purchase of intellectual property (2) - Purchase of leasehold improvements - (4) Net cash used in investing activities (7) (16) Cash flow from financing activities Other loans (40) (42) Shareholder loan receipts 233 - Shareholder loan repayments (213) (66) Interest paid (54) (25) Proceeds of share issue 70 250 Share issue costs - (17) Net cash (used in) / generated from financing activities (4) 100 Net decrease in cash and cash equivalents (445) 315 Cash and cash equivalents at beginning of year 92 (223) Cash and cash equivalents at end of the year 3 (353) 92 NOTES TO THE FINAL RESULTS ANNOUNCEMENT OF MEDIAZEST PLC FOR THE YEAR ENDED 31 MARCH 2018 +The financial information set out in this announcement does not constitute the Group's financial statements for the years ended 31 March 2018 or 2017, but is derived from those financial statements. Statutory financial statements for 2017 have been delivered to the Registrar of Companies and those for 2018 will be delivered following the Group's annual general meeting. The auditors have reported on the 2017 and 2018 financial statements which carried an unqualified audit report, did not include a reference to any matters to which the auditor drew attention by way of emphasis and did not contain a statement under section 498(2) or 498(3) of the Companies Act 2006. +Whilst the financial information included in this announcement has been computed in accordance with International Financial Reporting Standards (IFRS), this announcement does not in itself contain sufficient information to comply with IFRS. The accounting policies used in preparation of this announcement are consistent with those in the full financial statements that have yet to be published. +The Report and Consolidated Financial Statements for the year ended 31 March 2018 will be posted to shareholders shortly and will also be available to download from the Company's website: www.mediazest.com +1. SEGMENTAL INFORMATION +Revenue for the year can be analysed by customer location as follows: +2018 2017 £'000 £'000 UK and Channel Islands 2,381 2,885 Netherlands 281 23 Germany 70 - North America 54 74 Other 33 31 2,819 3,013 The Directors have decided that revenue recognition should be analysed between hardware and installation, support and maintenance - recurring revenue, and other services. The 2017 numbers have been re-stated in accordance with this decision and the revenue for this year, and comparatives, are as follows: +2018 2017 £'000 £'000 Hardware and installation 2,016 2,418 Support and maintenance – recurring revenue 524 339 Other services 279 256 2,819 3,013 Segmental information and results +The Chief Operating Decision Maker ('CODM'), who is responsible for the allocation of resources and assessing performance of the operating segments, has been identified as the Board. IFRS 8 requires operating segments to be identified on the basis of internal reports that are regularly reviewed by the Board. The Board have reviewed segmental information and concluded that there is only one operating segment. Further analysis, previously undertaken between the Project division, Service/Maintenance division and MediaZest Ventures division, has therefore now been excluded. +The Group does not rely on any individual client – the following revenues arose from sales to the Group's largest client. +2018 2017 £'000 £'000 Goods and services 94 329 Service and maintenance 169 - 263 329 2. LOSS PER ORDINARY SHARE +2018 2017 £'000 £'000 Losses Losses for the purposes of basic and diluted earnings per share being net loss attributable to equity shareholders 256 142 2018 2017 Number of shares Number Number Weighted average number of ordinary shares for the purposes of basic earnings per share 1,245,639,221 1,217,292,006 Number of dilutive shares under option or warrant - - +2018 2017 £'000 £'000 Weighted average number of ordinary shares for the purposes of dilutive loss per share 1,245,639,221 1,217,292,006 Basic loss per share is calculated by dividing the loss after tax attributed to ordinary shareholders of £256,000 (2017: £142,000) by the weighted average number of shares during the year of 1,245,639,221 (2017: 1,217,292,006). +The diluted loss per share is identical to that used for basic loss per share as the exercise of warrants and options would have the effect of reducing the loss per share and therefore is anti-dilutive. +3. CASH AND CASH EQUIVALENTS +2018 2017 £'000 £'000 Cash held at bank 38 160 Invoice discounting facility (391) (68) (353) 92 This announcement contains inside information. +Enquiries: +Geoff Robertson +Chief Executive Officer +MediaZest Plc 0845 207 9378 Tom Price/Edward Hutton +Nominated Adviser +Northland Capital Partners Limited 020 3861 6625 Claire Noyce +Broker +Hybridan LLP 020 3764 2341 Notes to Editors: +About MediaZest +MediaZest is a creative audio-visual systems integrator that specialises in providing innovative marketing solutions to leading retailers, brand owners and corporations, but also works in the public sector in both the NHS and Education markets. The Group supplies an integrated service from content creation and system design to installation, technical support, and maintenance. MediaZest was admitted to the London Stock Exchange's AIM market in February 2005 . For more information, please visit www.mediazest.co \ No newline at end of file diff --git a/input/test/Test1049.txt b/input/test/Test1049.txt new file mode 100644 index 0000000..e026390 --- /dev/null +++ b/input/test/Test1049.txt @@ -0,0 +1,9 @@ +Tweet +Arizona State Retirement System raised its position in Marsh & McLennan Companies, Inc. (NYSE:MMC) by 3.6% in the second quarter, Holdings Channel reports. The institutional investor owned 172,899 shares of the financial services provider's stock after purchasing an additional 6,003 shares during the period. Arizona State Retirement System's holdings in Marsh & McLennan Companies were worth $14,173,000 as of its most recent filing with the Securities and Exchange Commission. +A number of other hedge funds and other institutional investors have also recently modified their holdings of MMC. American Century Companies Inc. lifted its stake in Marsh & McLennan Companies by 155.0% in the first quarter. American Century Companies Inc. now owns 2,822,249 shares of the financial services provider's stock valued at $233,090,000 after buying an additional 1,715,497 shares during the last quarter. JPMorgan Chase & Co. raised its stake in shares of Marsh & McLennan Companies by 22.5% during the first quarter. JPMorgan Chase & Co. now owns 5,322,464 shares of the financial services provider's stock worth $439,582,000 after purchasing an additional 976,003 shares during the last quarter. Unigestion Holding SA purchased a new stake in shares of Marsh & McLennan Companies during the second quarter worth approximately $54,564,000. Cornerstone Investment Partners LLC purchased a new stake in shares of Marsh & McLennan Companies during the second quarter worth approximately $44,798,000. Finally, USS Investment Management Ltd raised its stake in shares of Marsh & McLennan Companies by 16.1% during the second quarter. USS Investment Management Ltd now owns 2,515,127 shares of the financial services provider's stock worth $206,165,000 after purchasing an additional 349,100 shares during the last quarter. Institutional investors own 85.64% of the company's stock. Get Marsh & McLennan Companies alerts: +Shares of MMC stock opened at $83.63 on Friday. Marsh & McLennan Companies, Inc. has a 1-year low of $76.68 and a 1-year high of $87.89. The firm has a market cap of $41.92 billion, a P/E ratio of 21.33, a price-to-earnings-growth ratio of 1.54 and a beta of 0.94. The company has a current ratio of 1.46, a quick ratio of 1.46 and a debt-to-equity ratio of 0.75. Marsh & McLennan Companies (NYSE:MMC) last announced its quarterly earnings data on Thursday, July 26th. The financial services provider reported $1.10 earnings per share for the quarter, missing the Zacks' consensus estimate of $1.11 by ($0.01). The business had revenue of $3.73 billion for the quarter, compared to analyst estimates of $3.72 billion. Marsh & McLennan Companies had a return on equity of 29.26% and a net margin of 11.13%. The company's revenue was up 6.8% on a year-over-year basis. During the same period in the prior year, the company earned $1.00 EPS. equities analysts predict that Marsh & McLennan Companies, Inc. will post 4.3 EPS for the current fiscal year. +Several equities research analysts have recently commented on MMC shares. Citigroup upped their price target on Marsh & McLennan Companies from $94.00 to $97.00 and gave the stock a "buy" rating in a research note on Thursday, July 12th. Zacks Investment Research cut Marsh & McLennan Companies from a "hold" rating to a "sell" rating in a research note on Wednesday, July 25th. Bank of America cut Marsh & McLennan Companies from a "buy" rating to a "neutral" rating and cut their price target for the stock from $94.00 to $93.00 in a research note on Thursday, July 26th. Jefferies Financial Group reaffirmed a "hold" rating and set a $90.00 price objective on shares of Marsh & McLennan Companies in a report on Friday, July 27th. Finally, Credit Suisse Group started coverage on Marsh & McLennan Companies in a report on Tuesday, August 7th. They set a "neutral" rating and a $86.00 price objective on the stock. Two analysts have rated the stock with a sell rating, six have given a hold rating and five have assigned a buy rating to the stock. Marsh & McLennan Companies currently has a consensus rating of "Hold" and a consensus target price of $91.36. +Marsh & McLennan Companies Company Profile +Marsh & McLennan Companies, Inc, a professional services firm, provides advice and solutions in the areas of risk, strategy, and people worldwide. It operates in two segments, Risk and Insurance Services, and Consulting. The Risk and Insurance Services segment offers risk management services, such as risk advice, risk transfer, and risk control and mitigation solutions, as well as insurance, reinsurance broking, catastrophe and financial modeling, and related advisory services. +Recommended Story: Market Capitalization, Large-Caps, Mid-Caps, Small-Caps +Want to see what other hedge funds are holding MMC? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Marsh & McLennan Companies, Inc. (NYSE:MMC). Receive News & Ratings for Marsh & McLennan Companies Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Marsh & McLennan Companies and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test105.txt b/input/test/Test105.txt new file mode 100644 index 0000000..afcf944 --- /dev/null +++ b/input/test/Test105.txt @@ -0,0 +1,2 @@ +Is it important for SEO to rank first in 2018? Is it important for SEO to rank first in 2018? SEO 17 Aug 18 | Tereza Litsa 0 Twitter 0 When starting with SEO one of the top goals for businesses is to rank first on the search results. It is the equivalent of success and lots of SEO professionals were working hard through the years to deliver a good ranking to their clients. As SEO is changing though, is it still relevant to aim for a #1 ranking on SERPs? And if it's not a priority anymore, what should you do instead? Defining success in SEO Every company would like to show up as the first result in a search engine. And it's not just for the sake of vanity, as the top ranking increases your chances of improved awareness, traffic, authority. There are more than 40,000 search queries processed by Google every second, which means that there are more than 3.5 billion searches every single day. We were reporting back in 2013 how the top listing in Google's top position receives 33% of the total traffic. The second position received 17.6% of the traffic, while the fifth result only received 6.1% of the traffic. This meant that back in the day, the initial goal was to show up on the first page of SERPs and then to work harder to reach the top. It's not always easy to achieve it and the authority of your site certainly plays a big role, but it was still considered the ultimate goal. SEO has evolved quite a lot since 2013, which means that even the definition of a successful SEO strategy has changed. It's not enough anymore to aim for a top ranking. At least, not in the organic search results. How SEO is changing The big difference with SEO ranking through the years is that search engines are becoming smarter. Users are happier with the ease of finding what they're looking for and businesses have to adapt in the way SEO works. There may still be companies that aim for the top ranking in SERPs, but is this still the definition of SEO success? If we want to combine success with ROI, then is it enough to rank first? There are growing discussions on the organic drop of CTRs even on popular terms. This is due to the changing nature of SEO and how users search for a result. You've probably noticed on your own that search has evolved and you won't necessarily reach the first organic search result to find the answer you're looking for. Google's focus on adding additional boxes and ads at the top of the SERPs reduced the chances for people to notice the organic results. Think of it, nowadays you may be distracted by: PPC Ads News Local information and Maps. It's not a distraction per se, but rather a new way of finding the answer to your questions. This is a good change for the user, so all you need as a company is to adjust to this change when planning your SEO strategy. Thus, you don't necessarily need to aim for a top ranking, but you can still optimize your content to increase your success. In this case, the definition of success becomes more practical and it refers to: Increased clicks Engaged users. Tips to consider when aiming for SEO success in 2018 SEO becomes more sophisticated year-by-year and this means that your goals are also evolving. It's not enough anymore as an SEO professional to promise top ranking. Here are six tips to consider when adjusting your SEO strategy: Aim for a good ranking, not a top ranking There is already a change in perception of what counts as SEO success. It's definitely important to rank as high as possible in SERPs, but you don't need to aim for the top position to see an increase in clicks and engagement. Find the best way to improve your ranking step-by-step by paying close attention to Google's updates. Keep focusing on optimization This is a good old tip but it's still applicable to a modern SEO strategy. Do not ignore optimization of your copy either on your site or how it shows up in search results. Spend the right time to build a result that is relevant, appealing, and engaging. How to blend SEO and creativity for content marketing success Be creative Search ranking is becoming more competitive, which means that it's harder to rank on top of search results. This doesn't mean that you can't find SEO success though. You can go beyond organic search results to succeed, whether it's with ads or an additional optimization to land first on featured snippets and answer boxes. Here's everything you need to know about featured snippets and how to make the most of them. CTR affects ranking Focus on your clickthrough rates. Your CTR affects ranking and there is a confirmation coming from Google's engineer Paul Haahr. He mentioned in a presentation that a high CTR can affect your ranking as it gives the signal that your page grabs the users' attention. Rankbrain can actually affect ranking to results that show up higher than they should have been, with the number of CTRs determining the permanent position. Thus, make sure your page is appealing, optimize the headline, the description and the content to bring an increased number of visitors to your content. Never sacrifice the quality of your copy As you manage to bring in new visitors to your site, you want to ensure that they're enjoying your content. Content is still a very important ranking factor for Google and it's always a good idea to focus on the quality of your copy. Find the best way to add value and make sure that your content is relevant for your target audience. Keyword optimization can still be useful but it's the quality of your copy that will determine your ranking. Link building is still important, which reminds us that some basic SEO strategies are still prevalent even in an updated way. Engagement matters Once your new visitors land to your page and enjoy your copy, the next step is to keep them coming. You don't want to increase your one-time visitors, but you'd rather have them visit your page on a regular basis. Thus, you want to convince them to proceed to further actions, whether it's clicking on a CTA button, subscribing to your newsletter, requesting a demo, or even visiting multiple pages. The time they spend on your site helps search engines understand if your content is relevant for them. In fact, the RankBrain update placed 'dwell time', the time a user spends on your site, as a very important ranking factor. It's not enough anymore to bring in new visitors if they are not interested in learning more about your content and your site. A good way to increase engagement is to focus on user intent and how people use search engines. Think like a user, not a business and create an optimized copy that will be both enticing and useful. Should we stop aiming at ranking first? You can still involve the top ranking as part of your goals, but it's good to understand how SEO is changing. It could be a welcome addition to reach the top of the SERPs for your favorite keywords, but it's even better to bring the ROI that will justify your efforts. SEO is going beyond vanity metrics and it is focusing on delivering the best user experience. The more you spend time on understanding your users, the higher the chances of a successful SEO strategy. +Tereza Litsa is a Writer at Search Engine Watch. Want to stay on top of the latest search trends? Get top insights and news from our search experts. Subscrib \ No newline at end of file diff --git a/input/test/Test1050.txt b/input/test/Test1050.txt new file mode 100644 index 0000000..802cbf7 --- /dev/null +++ b/input/test/Test1050.txt @@ -0,0 +1 @@ +How to Discover the Top rated Advertising Issues on Amazon fba in the Hottest Niches Your accomplishment in marketing within the Amazon site will generally be based on how correctly уоu wіll gеt thе lаrgеs \ No newline at end of file diff --git a/input/test/Test1051.txt b/input/test/Test1051.txt new file mode 100644 index 0000000..7c891a8 --- /dev/null +++ b/input/test/Test1051.txt @@ -0,0 +1 @@ +51 ADT Security Services, the leading property security service provider in North America, today announced its comprehensive smart home system Clients can manage their Hi Tech Home Pros products from their ADT Security Services Pulse panel or ADT Security Services mobile app. They can create custom lighting scenes and schedules for rooms, floors or their entire home, including having the Hi Tech Home Pros smart home lights on to make a home seem occupied while away. The ADT Security Services app, customers can create recipes to control multiple features of their smart home at once. They can easily arm their home security system, switch off their Hi Tech Home Pros smart lights and lower the thermostat when they close their doors and leave home. Clients can manage their Hi Tech Home Pros smart home features with their voice by controlling their Amazon Alexa or Google Home devices, as well. At ADT Security Services, were dedicated to inventing an easy way for our customers to design the smart home they want, said Mark Wilson, Chief Technology Officer at ADT Security Services. Were excited to add the Hi Tech Home Pros smart home system to the ADT security experience, and give our clients more ways to make their homes safer and easier to operate. We strive to make our clients lives simpler and their homes protected with the best security and smart home lighting services, said Sean Waters, Chief Marketing Leader USA at Hi Tech Home Pros. We welcome ADT to our growing Hi Tech Home Pros partner program, to help deliver on this promise. By bringing Hi Tech Home Pros and the ADT Security Services system together, clients can have a simple, connected smart lighting experience. Clients can purchase ADT Security Services system and Hi Tech Home Pros smart lighting at one of our more than 400 locations nationwide. For more information about ADT and Hi Tech Home Pros, visit us at http://installadt.hitechhomepros.com About Hi Tech Home Pros Hi Tech Home Pros is the countrys fastest leading smart automated lighting system for the commercial and private property. It includes bulbs, strips, spots, lamps, fixtures, and controls, powered by the Hi Tech Home Pros main control panel. The system modifies how lights are being used in and out of the home/property to take smart home entertainment experience to the next level, support your daily habits and moments, and help give peace of mind while home and away from home. Since the launch of Hi Tech Home Pros, smart lighting has stimulated other companies to develop gadgets, apps, and systems that work effectively with the system. From almost 700 third-party apps and wearable gadgets and technology to Internet services and smart home products, Hi Tech Home Pros goes beyond impossibilities to provide more than just light - to deliver new experiences, where the only limit is your imagination. For more information about Hi Tech Home Pros and where you can buy the connected lighting products. About the Hi Tech Home Pros Partnership Program The Hi Tech Home Pros partnership program is designed to ensure that partner brands work effectively with Hi Tech Home Pros so that users can enjoy the best smart home experiences. The program also offers reliable brands the opportunity to integrate Hi Tech Home Pros technology into their stylish designs easily so that patrons can enjoy the benefits of smart home automation services. About Hi Tech Home Pros Lighting Hi Tech Home Pros is the countrys leader in smart home automation technology, lighting products, systems and services, delivers innovations that unravel business value, giving better user experiences that help improve lives. Serving commercial and private home owner markets, Hi Tech Home Pros lead the industry using the Internet of Things to transform buildings, homes and urban spaces. With 2016 sales of millions, we have approximately 5,000 employees in over 50 states. Latest updates from Hi Tech Home Pros innovation and partnership will be seen at the Newsroom, Facebook, Twitter and LinkedIn. Information for partnership can be found at the Partnership page. About ADT Security Services ADT Security Services is the leading provider of security services in North America. ADT delivers an integrated smart home system with in-house consultation, professional installation and support delivered by its Smart Home Professional Installers, as well as 24-7 customer care and monitoring. Dedicated to redefining the home security experience with smart products and services, ADT serves more than one million customers throughout the U.S. and Canada. For more information, http://www.safestreets.com/DB \ No newline at end of file diff --git a/input/test/Test1052.txt b/input/test/Test1052.txt new file mode 100644 index 0000000..40b8d61 --- /dev/null +++ b/input/test/Test1052.txt @@ -0,0 +1 @@ +SAP FICO ONLINE TRAINING IN INDIA Description: SAP FICO ONLINE TRAINING IN INDIA SOFTNSOL is a Global Interactive Learning company started by proven industry experts with an aim to provide Quality Training in the latest IT Technologies. SOFTNSOL offers SAP FICO online Training. Our trainers are highly talented and have Excellent Teaching skills. They are well experienced trainers in their relative field. Online training is your one stop & Best solution to learn SAP FICO Online Training at your home with flexible Timings.We offer SAP FICO Online Trainings conducted on Normal training and fast track training classes. SAP FICO ONLINE TRAINING 1. Interactive Learning at Learners convenience time 2. Industry Savvy Trainers 3. Learn Right from Your Place 4. Advanced Course Curriculum 6. Two Months Server Access along with the training 7. Support after Training 8. Certification Guidance We have a third coming online batch on SAP FICO Online Training. We also provide online trainings on SAP ABAP,SAP WebDynpro ABAP,SAP ABAP ON HANA,SAP Workflow,SAP HR ABAP,SAP OO ABAP,SAP BOBI, SAP BW,SAP BODS,SAP HANA,SAP HANA Admin, SAP S4HANA, SAP BW ON HANA, SAP S4HANA,SAP S4HANA Simple Finance,SAP S4HANA Simple Logistics,SAP ABAP on S4HANA,SAP Success Factors,SAP Hybris,SAP FIORI,SAP UI5,SAP Basis,SAP BPC,SAP Security with GRC,SAP PI,SAP C4C,SAP CRM Technical,SAP FICO,SAP SD,SAP MM,SAP CRM Functional,SAP HR,SAP WM,SAP EWM,SAP EWM on HANA,SAP APO,SAP SNC,SAP TM,SAP GTS,SAP SRM,SAP Vistex,SAP MDG,SAP PP,SAP PM,SAP QM,SAP PS,SAP IS Utilities,SAP IS Oil and Gas,SAP EHS,SAP Ariba,SAP CPM,SAP IBP,SAP C4C,SAP PLM,SAP IDM,SAP PMR,SAP Hybris,SAP PPM,SAP RAR,SAP MDG,SAP Funds Management,SAP TRM,SAP MII,SAP ATTP,SAP GST,SAP TRM,SAP FSCM,Oracle, Oracle Apps SCM,Oracle DBA,Oracle RAC DBA,Oracle Exadata,Oracle HFM,Informatica,Testing Tools,MSBI,Hadoop,devops,Data Science,AWS Admin,Python, and Salesforce . Experience the Quality of our Online Training. For Free Demo Please Contact SOFTNSOL \ No newline at end of file diff --git a/input/test/Test1053.txt b/input/test/Test1053.txt new file mode 100644 index 0000000..99231ac --- /dev/null +++ b/input/test/Test1053.txt @@ -0,0 +1,7 @@ +Tweet +YY (NASDAQ:YY) 's stock had its "buy" rating reiterated by stock analysts at Jefferies Financial Group in a note issued to investors on Wednesday. They presently have a $110.00 price target on the information services provider's stock. Jefferies Financial Group's target price indicates a potential upside of 52.19% from the company's current price. +YY has been the subject of a number of other research reports. ValuEngine upgraded YY from a "hold" rating to a "buy" rating in a report on Friday, June 15th. Zacks Investment Research lowered YY from a "hold" rating to a "sell" rating in a report on Thursday, June 14th. BidaskClub upgraded YY from a "hold" rating to a "buy" rating in a report on Saturday, June 2nd. UBS Group reduced their target price on YY from $160.00 to $150.00 and set a "buy" rating for the company in a report on Friday, June 8th. Finally, JPMorgan Chase & Co. increased their target price on YY from $145.00 to $155.00 and gave the company an "overweight" rating in a report on Thursday, June 7th. Two research analysts have rated the stock with a sell rating, one has given a hold rating, nine have given a buy rating and two have given a strong buy rating to the stock. YY presently has an average rating of "Buy" and a consensus price target of $133.90. Get YY alerts: +YY opened at $72.28 on Wednesday. The firm has a market cap of $5.61 billion, a PE ratio of 11.38, a P/E/G ratio of 0.48 and a beta of 0.95. YY has a fifty-two week low of $68.44 and a fifty-two week high of $142.97. YY (NASDAQ:YY) last released its quarterly earnings data on Monday, August 13th. The information services provider reported $2.03 earnings per share for the quarter, topping the consensus estimate of $1.81 by $0.22. The business had revenue of $570.20 million during the quarter, compared to analyst estimates of $544.76 million. YY had a return on equity of 27.41% and a net margin of 23.00%. The company's revenue was up 48.1% compared to the same quarter last year. During the same period last year, the company posted $1.53 EPS. research analysts anticipate that YY will post 7.42 earnings per share for the current year. +Several institutional investors and hedge funds have recently added to or reduced their stakes in YY. NorthCoast Asset Management LLC purchased a new stake in shares of YY during the second quarter worth $1,768,000. Morse Asset Management Inc purchased a new stake in shares of YY during the second quarter worth $264,000. Platinum Investment Management Ltd. purchased a new stake in shares of YY during the second quarter worth $53,436,000. Sylebra HK Co Ltd purchased a new stake in shares of YY during the second quarter worth $42,238,000. Finally, Tower Research Capital LLC TRC raised its holdings in shares of YY by 28,468.4% during the second quarter. Tower Research Capital LLC TRC now owns 5,428 shares of the information services provider's stock worth $546,000 after acquiring an additional 5,409 shares in the last quarter. Institutional investors own 55.59% of the company's stock. +YY Company Profile +YY Inc, through its subsidiaries, engages in the live streaming business in the People's Republic of China. The company operates YY Live platform, an online music and entertainment live streaming service; and Huya platform, a live streaming platform, including online games, console games, mobile games, entertainments, sports, etc \ No newline at end of file diff --git a/input/test/Test1054.txt b/input/test/Test1054.txt new file mode 100644 index 0000000..73a05a3 --- /dev/null +++ b/input/test/Test1054.txt @@ -0,0 +1,40 @@ +Glasgow man embraces his stammer to land dream teaching job Written by Reporter , 17 August 2018 Register for our free newsletter +ADAM BLACK used to avoid situations that would highlight his stammer – now he embraces it and is helping make the world think about it. +It was 12 years ago that the Glaswegian took the brave decision to throw himself into a new job that would leave him with no hiding place. +As a teacher! +As he reveals, it has proved to be the best decision he ever made, having previously held down jobs where he could hide away and not have to speak in front of people. +"For years and years, going through school and then college, I would try to hide away from it," admits the 29-year-old. "But with stuttering, the more you hide, the more it comes out. +"Psychologically, you're not tackling things. So I started on a programme where they told me just to try, to give it a go, and it changed everything. +"I treat it like a sport in which I'm not going to hit the target every time but I'm going to hit it most of the time. It's just about having that go at it, that's the important thing." +When he describes how hard it was, it's all the more amazing that Adam can now read to his two sons before they go to sleep, and talk in front of classrooms every day. +"People don't see the internal struggle you might be having," he explains. "For me, just saying my name, Adam, was one of those things I could not do. It was too personal. +"If it came to it, and people were asking my name and I knew I couldn't say it, I would just change it to John. There were so many embarrassing moments. +"You'd meet those people again when you were with your pals, and those people would say, 'All right, John?' and it was cringey stuff! It's horrible. +"There was another time when I was leaving a kilt at the drycleaners. They asked for my name and I couldn't say it, so I just made up a name. When I went to collect it days later, I gave my ticket, they asked for my name and I couldn't remember the name I'd given. +"I had to tell them the whole story to explain, and it was embarrassing. It makes you feel very small, which isn't nice." +Something that many non-stammerers assume is that you should never finish someone's sentence for them, as it can cause offence. To my surprise, Adam reckons that is not always the case. +"I'm in two minds about it," he says. "There have been moments when I was really thankful that I was helped out. However, on the other side, I've had moments where people ended my sentence and it wasn't the words I was going for. +"So then you have to persevere. So maybe the best advice is not to finish sentences." +He did think The King's Speech, the hit movie about the future King George VI's speech troubles, was spot-on. +"I thought it was a pretty good representation of how he probably felt," Adam agrees. +"The approaches in the film are a bit out-of-date now, but at the time they were perfectly applicable. +"That is how much it can hurt you, that he did not want to be the King purely based on the fact that he stuttered. What an amazing thing, to almost not become King. So yes, I thought it was a good film and it helped people understand the pain you go through." +Are people in our supposedly more enlightened times more sympathetic and understanding than they once were about people who stutter? +"I've had teasing in the past, but I've never been really harshly picked on, so I've never found it too hard," Adam points out. "But I have met people who've had it really hard. +"I think it just depends on the people you have around you. I was lucky to have a group of good friends, and if anyone took the mickey they would stick up for me. +"As a teacher, it's a great job and I really enjoy it. For me, it's more than just teaching, it is also about the talking. I focus on pushing myself into new situations and talking as much as possible. +"If I find myself teaching a new topic, I find it really enjoyable because I know there are going to be new things to talk about. +"The more I do it, the more I realise that the students are more interested in the content of what I am saying than in how I actually say it." +As you can see, becoming a teacher is proving to be the best scenario to drop himself into, rather than a nightmare one. Strangely, though, some subjects seem tougher to speak about than others. +"It's amazing, brilliant, to read to my two sons," Adam admits. "I always thought I would just be the quiet guy in the house. As with anything, it has turned the other way and I'm involved in everything and being a proper dad is really nice. +"There was a day in class last year when I was reading Charlie And The Chocolate Factory, and I was finding it so tricky. There were so many times on each page where Willy Wonka and Charlie Bucket appeared. +"These were words I just could not get past. What I did was I came home, got on the phone and just called people and practised it over and over, making about 80 calls! +"The next day, I tried those tricky two pages again and it was absolutely fine." +The bane of many people's lives, stammering isn't something you can choose to have or just get rid of. But embracing it as Adam has done, and never giving up, makes all the difference in the world. +"It's a neurological condition," he explains. "About 5% of primary-age children stutter, and up to about the age of 10 that dwindles down to 1%. +"So it's purely your neurological make-up, though there are some stories where people think there may have been trauma in your childhood. But there is no academic research out there. +"I had a really happy upbringing, though. I am a twin, however, and it is more common in twins and left-handed people. But my twin brother doesn't have a stammer. +"Pressure situations and stress can make it trickier, but I think that is just because you have other things in your head and that means you have to try that bit harder. +"If you have a bad day, just have that sporting mentality of getting back out there and trying again." +For more on the programme that helped Adam, visit https://www.mcguireprogramme.com/en +Another very good source is https://www.stammering.or \ No newline at end of file diff --git a/input/test/Test1055.txt b/input/test/Test1055.txt new file mode 100644 index 0000000..8eecf54 --- /dev/null +++ b/input/test/Test1055.txt @@ -0,0 +1,36 @@ +"Sure, anything that's going to actually get rid of it, yes," said Indiana GOP Senate nominee Mike Braun of the GOP lawsuit to gut Obamacare. "And then be ready to come back and talk about what you're ready to do about pre-existing conditions and no limits on coverage. That's where you don't hear much conservative talk." | Michael Conroy/AP Photo Facebook Twitter Google + Email Comment Print MISHAWAKA, Ind. — Republican candidates are trying to have it both ways on Obamacare. +On one hand, Republicans are still campaigning against the law, arguing a strong election result will allow them one more shot at repealing the Affordable Care Act with GOP majorities in both chambers. And many high-profile Senate GOP candidates support a lawsuit that would scuttle Obamacare if successful in the nation's courts, a case that will be heard by a federal judge in September. +Story Continued Below +Yet at the same time Republicans are still touting the law's most popular provisions, arguing that after it is struck down they will be able to preserve protections for pre-existing conditions by passing a new bill. GOP challengers in four of the most competitive Senate races support the lawsuit. +"Sure, anything that's going to actually get rid of it, yes," said Indiana GOP Senate nominee Mike Braun of the GOP lawsuit to gut the law in an interview in Mishawaka. "And then be ready to come back and talk about what you're ready to do about pre-existing conditions and no limits on coverage. That's where you don't hear much conservative talk." +The problem? Congress has shown no ability to pass new healthcare legislation under Republican rule or work across party lines, raising severe doubts that the GOP would be able to fulfill its promises to both kill the law and maintain its popular provisions. +Sign up here for POLITICO Huddle A daily play-by-play of congressional news in your inbox. +Email Sign Up By signing up you agree to receive email newsletters or alerts from POLITICO. You can unsubscribe at any time. +In interviews, several GOP senators said the party is unprepared to act if the GOP lawsuit, which is supported by the Trump administration, is successful. Senate Majority Whip John Cornyn (R-Texas) said "it may be good to have an exit strategy and I'm not sure there's one in place." +"I do not have confidence that Congress could put together a bipartisan bill and get it done," said Sen. Susan Collins (R-Maine), who is criticizing the Justice Department for not defending the health care law. +The lawsuit is animating Democratic campaigns, with vulnerable incumbent senators calling out Republicans as defending pieces of Obamacare while effectively rooting for its failure. Braun's opponent, Sen. Joe Donnelly (D-Ind.), says there's a "big difference on healthcare" between the two candidates and is running much of his campaign behind his defense of Obamacare's most popular provisions. +On Thursday, Democrats announced two ads aimed at GOP candidates in North Dakota and Missouri attacking them as enemies of popular health care protections given their voting records and support for the lawsuit. Both Missouri Attorney General Josh Hawley and Rep. Kevin Cramer (R-N.D.) say they support protecting pre-existing conditions, though Hawley is a party to the lawsuit and Cramer supports it, saying: "Who doesn't want the constitutionality of something reviewed?" +And though Senate Democrats are fractured on immigration and the Supreme Court, the party is unified around protecting Obamacare as an electoral strategy, and they view the lawsuit as the law's biggest threat. +"It's totally bogus," said Sen. Claire McCaskill (D-Mo.), Hawley's opponent. The lawsuit "not only will do away with pre-existing conditions, it does away with all of the consumer protections." +"You can't make the argument that Congress should invalidate the Affordable Care Act and then come back and have Congress put in those protections. Congress already has," said Brad Woodhouse, a Democratic operative who works for Protect Our Care, a group fighting Obamacare repeal. +Oral arguments in Texas Obamacare suit set for Sept. 10 By PAUL DEMKO +The dissonant messaging comes at a time of political paralysis for Republicans who have been fighting the law for a decade. President Donald Trump keeps bringing Obamacare up and zinging Sen. John McCain (R-Ariz.) for voting no on its repeal, but there's been no real movement to gut the law since the GOP Congress dispatched the individual mandate late last year. +But in Senate races in deeply conservative states, it's impossible for Republicans to avoid the topic of Obamacare given the Senate's high-profile failure to repeal the law last year. And some Republicans contend that there may be another repeal opportunity if Republicans beef up the party's 51-seat majority this fall. Plus two high-profile GOP candidates, Hawley and West Virginia Attorney General Patrick Morrisey of West Virginia have signed onto the lawsuit. +Hawley says he supports protecting pre-existing conditions as well as allowing children to stay on their parents' plans until the age of 25. And he says if the lawsuit is successful and Obamacare is scuttled, the Senate must act to keep those provisions and rewrite healthcare laws. +"The Senate is not doing its job. There's no doubt about that. Claire McCaskill is a huge part of the problem," said Hawley. Next year, Hawley says replacing Obamacare "has got to be a top priority." +Similarly, Morrisey said he supports pre-existing protection coverage despite being party to the lawsuit that would eliminate the law providing those protections. +"You can believe that some of the pieces, helping those who need it most, are good but still have a lawsuit to get rid of the awful policy of Obamacare," Morrisey said. +Manchin fired back that Morrisey is taking a "position against the people of West Virginia" and suggested that Morrisey is unfamiliar with the GOP's flailing on Obamacare repeal and health care as whole. +"How come in eight years [Republicans] haven't done diddly squat? How comes there's no fallback position?" Manchin said. +White House +'If they take the House, he wins big': Trump loyalists see upside in impeachment By CHRISTOPHER CADELAGO +Even under the best circumstances in which the GOP maintains control of Congress and gains Senate seats, House Republicans are set to lose ground this year. That would make passing a new partisan health care law nearly impossible given the large number of moderate GOP defections last year in the House. +And House and Senate Democrats uniformly oppose any rollback of the law. That won't change regardless of the election result. And Democrats argue that Republicans will finally feel ownership of the U.S. health care system during this election. +Republicans are "trying to pull the wool over the eyes of voters and try to avoid responsibility for leading the charge to take away protections for people with pre-existing conditions," said Senate Minority Leader Chuck Schumer (D-N.Y.). +Several GOP candidates have not addressed the issue directly, wary that supporting the lawsuit will undermine Republicans' stance that they stand to protect pre-existing conditions. Rep. Marsha Blackburn (R-Tenn.) said she still supports getting "the whole [Obamacare] thing off the books" but declined to weigh in on the lawsuit. +And vulnerable incumbent Sen. Dean Heller (R-Nev.) refused to talk about the lawsuit on Thursday, though his office said he support pre-existing condition protections. +But Heller's state is more purple, his governor sought to protect Obamacare and the state has not joined the lawsuit. A number of other Republicans in red states have to channel far more outrage at the law. +Braun is trying to come off as a breath of fresh air on health care, touting his business record of providing affordable insurance for his employees. But he made clear that Obamacare is still a big political target for the GOP, complaining the law was written for a "greedy insurance industry" and said the people that wrote it "were more concerned about coverage and results and not cost." +Then he leveled a diss at Donnelly that's resonated in past mid-term campaigns — but Democrats say won't work this time. +"He's a defender of Obamacare," Braun said of Donnelly. It might be the one thing they agree on. +James Arkin contributed reporting from Beckley, W.Va., and Elana Schor contributed reporting from Bismarck, N.D \ No newline at end of file diff --git a/input/test/Test1056.txt b/input/test/Test1056.txt new file mode 100644 index 0000000..f0e69a7 --- /dev/null +++ b/input/test/Test1056.txt @@ -0,0 +1,7 @@ +Tweet +Aspiriant LLC decreased its position in Vanguard FTSE Emerging Markets ETF (NYSEARCA:VWO) by 7.0% in the second quarter, according to its most recent 13F filing with the Securities and Exchange Commission (SEC). The fund owned 182,107 shares of the exchange traded fund's stock after selling 13,735 shares during the quarter. Aspiriant LLC's holdings in Vanguard FTSE Emerging Markets ETF were worth $7,685,000 as of its most recent filing with the Securities and Exchange Commission (SEC). +Other large investors have also recently added to or reduced their stakes in the company. HighVista Strategies LLC bought a new stake in Vanguard FTSE Emerging Markets ETF in the 1st quarter worth approximately $4,106,000. Whittier Trust Co. lifted its position in Vanguard FTSE Emerging Markets ETF by 5.3% in the second quarter. Whittier Trust Co. now owns 694,115 shares of the exchange traded fund's stock valued at $29,292,000 after purchasing an additional 35,178 shares during the last quarter. Nicolet Bankshares Inc. lifted its position in Vanguard FTSE Emerging Markets ETF by 11.7% in the second quarter. Nicolet Bankshares Inc. now owns 164,865 shares of the exchange traded fund's stock valued at $6,958,000 after purchasing an additional 17,216 shares during the last quarter. AT Bancorp lifted its position in Vanguard FTSE Emerging Markets ETF by 0.8% in the first quarter. AT Bancorp now owns 651,870 shares of the exchange traded fund's stock valued at $30,625,000 after purchasing an additional 5,123 shares during the last quarter. Finally, Well Done LLC bought a new stake in Vanguard FTSE Emerging Markets ETF in the first quarter valued at approximately $270,000. Get Vanguard FTSE Emerging Markets ETF alerts: +Shares of VWO stock opened at $40.99 on Friday. Vanguard FTSE Emerging Markets ETF has a fifty-two week low of $40.33 and a fifty-two week high of $50.99. Vanguard FTSE Emerging Markets ETF Company Profile +The Fund seeks to track the performance of the FTSE Emerging Markets All Cap China A Inclusion Index, that measures the return of stocks issued by companies located in emerging market countries. +Recommended Story: How to Track your Portfolio in Google Finance +Want to see what other hedge funds are holding VWO? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Vanguard FTSE Emerging Markets ETF (NYSEARCA:VWO). Receive News & Ratings for Vanguard FTSE Emerging Markets ETF Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Vanguard FTSE Emerging Markets ETF and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test1057.txt b/input/test/Test1057.txt new file mode 100644 index 0000000..0a4b11e --- /dev/null +++ b/input/test/Test1057.txt @@ -0,0 +1,10 @@ +Emily Ratajkowski's Instagram Is the Gift That Keeps on Giving Wardrobe malfunctions, new movie trailers, motorcycles — Emrata is never boring. +12 mins ago +The trailer for Emily Ratajkowski's new film, Cruise , landed on the interwebs earlier this week. +The '80s-inspired movie marks Ratajkowski's return to the big screen after appearing in flicks like I Feel Pretty, In Darkness, and We Are Your Friends . +In the trailer, it looks like audiences can look forward to lots of leather, fast cars, and one very lucky ice cream cone. Suffice to say it could be, um, interesting. +However, that was not the most popular thing released this week by our favorite model/actress/feminist/designer. +Nope, that'd be the photo she posted of herself eating dinner somewhere in Italy with a barely digitally obscured wardrobe malfunction. +Never one for modesty, Ratajkowski posted the photo of her nonchalant nip slip at the dining table and neatly captioned it with the fork and knife emoji. A post shared by Emily Ratajkowski (@emrata) on Aug 13, 2018 at 8:42pm PDT +Janet Jackson, eat your heart out. +Since Cruise doesn't hit theaters and on-demand channels until September 28, we've curated some more pics from EmRata's Instagram from this week and earlier to help tide you over. A post shared by Emily Ratajkowski (@emrata) on Aug 14, 2018 at 10:29am PDT A post shared by Emily Ratajkowski (@emrata) on Aug 11, 2018 at 4:14pm PDT A post shared by Emily Ratajkowski (@emrata) on Aug 1, 2018 at 8:56am PDT A post shared by Emily Ratajkowski (@emrata) on Aug 8, 2018 at 10:00am PDT A post shared by Emily Ratajkowski (@emrata) on Jul 28, 2018 at 3:51pm PDT �� A post shared by Emily Ratajkowski (@emrata) on Jul 31, 2018 at 8:25am PD \ No newline at end of file diff --git a/input/test/Test1058.txt b/input/test/Test1058.txt new file mode 100644 index 0000000..f450c41 --- /dev/null +++ b/input/test/Test1058.txt @@ -0,0 +1,7 @@ +Tweet +Park Lawn (TSE:PLC) had its target price lifted by analysts at National Bank Financial from C$30.00 to C$32.00 in a research note issued to investors on Wednesday. The brokerage presently has an "outperform" rating on the stock. National Bank Financial's price target would indicate a potential upside of 19.45% from the company's current price. +Other research analysts have also issued research reports about the stock. Canaccord Genuity decreased their price target on shares of Park Lawn to C$29.50 in a research report on Tuesday, May 8th. CIBC restated an "outperform" rating and issued a C$29.00 price target on shares of Park Lawn in a research report on Monday, June 18th. Finally, Raymond James upgraded shares of Park Lawn from an "outperform" rating to a "strong-buy" rating and set a C$30.00 price target on the stock in a research report on Wednesday, May 30th. Four research analysts have rated the stock with a buy rating and one has given a strong buy rating to the stock. Park Lawn has a consensus rating of "Buy" and an average target price of C$29.70. Get Park Lawn alerts: +Park Lawn stock opened at C$26.79 on Wednesday. Park Lawn has a 1 year low of C$17.75 and a 1 year high of C$27.48. Park Lawn (TSE:PLC) last posted its quarterly earnings results on Tuesday, May 15th. The company reported C$0.18 earnings per share (EPS) for the quarter, missing the Thomson Reuters' consensus estimate of C$0.19 by C($0.01). The business had revenue of C$27.21 million for the quarter, compared to analysts' expectations of C$29.09 million. +About Park Lawn +Park Lawn Corporation, together with its subsidiaries, provides goods and services associated with the disposition and memorialization of human remains in Canada and the United States. It owns and operates cemeteries, crematoriums, and funeral homes. The company also engages in chapels, planning offices, and transfer service businesses. +Read More: Stock Symbol Receive News & Ratings for Park Lawn Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Park Lawn and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test1059.txt b/input/test/Test1059.txt new file mode 100644 index 0000000..fdb6f27 --- /dev/null +++ b/input/test/Test1059.txt @@ -0,0 +1 @@ +Fantasy football Gameweek 2 advice: three players to consider – and those to avoid By @FantasyYIRMA . Aug 17 2018 7:03PM By @FantasyYIRMA . Aug 17 2018 7:03PM Hovering over that wildcard button already? Tut tut. Before you throw those toys out of the pram, heed the advice of our pals at @FantasyYIRMA We are part of The Trust Project What is it? Buy! Benjamin Mendy (Manchester City, DF, £6.1m) Selected by: 16.4% It turns out Manchester City's former pitchside 'Shark Team' social media consultant is also pretty good at football. Mendy racked up a huge 15-point score in Gameweek 1, banking two assists, a clean sheet and taking the three bonus points. The champions have a favourable run of fixtures, with Huddersfield (h), Wolves (a) and Newcastle (h) bringing them up to the first international break. With clean sheet potential in each, expect to see the Frenchman pushing forward at every opportunity. Bye-bye! Son Heung-min (Tottenham, MF, £8.4m) Selected by: 3.9% It's that age-old boy-meets-girl story. Son Heung-min joins Spurs. Son Heung-min is obliged to do National Service. Son Heung-min plays in U23 tournament for South Korea in the hope of winning said tournament to get excused from aforementioned National Service. Classic. You may think that this is a bit of a given, but let's look at the numbers. There are five million+ managers in the game. At the time of writing there are still 200,000 teams who own Son – and that's after more than 175,000 managers have transferred him out after their mad moments of realisation. (Also, 1,690 managers have brought Son in this week ahead of Gameweek 2. There is no assistance on offer for these people.) Buy! Alexis Sanchez (Manchester United, MF, £10.5m) Selected by: 9.0% Sanchez has yet to demonstrate his terrifying ability with consistency at Old Trafford – or much at all in fact. Having joined in January, it's past the point where he is bedding into a new squad or getting to know his new team-mates. Gameweek 1 was a mixed bag for the former Arsenal man. He did register a questionable assist but missed out on more points when a combination of Romelu Lukaku's finishing and Kasper Schmeichel's goalkeeping conspired against him. Next, United travel to Brighton, who looked vulnerable at Watford last week in conceding 19 shots. With less than 10% ownership, Sanchez could be a replacement option for a certain injured Belgian... Bye-bye! Kevin De Bruyne (Manchester City, MF, £10m) Selected by: 17% When reports came out earlier this week that De Bruyne had suffered a knee injury in training, there was a danger that the official Fantasy Premier League website would crash with managers logging on to drop the Belgian sharpish. The full extent of the injury is still unknown, but even with the best medical expertise we know it will be a number of gameweeks before he's back. More than 430,000 players have dropped him since the injury news broke. He's still owned by around 850,000 managers, but expect that number to plummet. Buy! Jamie Vardy (Leicester, FW, £9m) Selected by: 8.1% Gameweek 1 was certainly one for the defenders – nine managed double figure point returns – so it's only fair that this is shared out with the forwards now. Solid options this week include Sergio Aguero facing Huddersfield, Romelu Lukaku taking on Brighton and even Harry Kane against Fulham, who look good to let the England striker break his August goal drought. Premium forwards come with a premium price tag, however, so looking under the £10m mark to provide some value brings us to Leicester's Vardy (£9m). He looks a good option at home to Wolves this week, was sharp off the bench in GW1, and with the exception of Liverpool in GW4, Leicester have a solid run of fixtures through October. Bye-bye! Leroy Sané (Manchester City, MF, £9.5m) Selected by: 12.2% It feels harsh to put Sané in this listing, given how he was cruelly left out of Germany's squad for the World Cup and then only made the bench in Gameweek 1 for Manchester City. But £9.5m is a lot to have sitting on your fantasy bench. The real issue with City is their rotation and the sheer depth of talent that Pep Guardiola has at his disposal. Riyad Mahrez played well on his league debut, while both Raheem Sterling and Bernardo Silva scored and should retain their starting spots. Sané has incredible ability and potential, but with question marks over game time he is an expensive luxury to own, prompting 80k+ managers to sell him this week already. SEE ALSO FantasyYIRMA started in 2012, focused on FPL news and previews. After coverage across 229 gameweeks, they are confident they could have been well on their way to becoming a qualified astronaut had the time been spent more productively SHAR \ No newline at end of file diff --git a/input/test/Test106.txt b/input/test/Test106.txt new file mode 100644 index 0000000..5fbb6d7 --- /dev/null +++ b/input/test/Test106.txt @@ -0,0 +1 @@ +Simplifying E-commerce, CRM, CMS Implementation | Matrix-E.com Pte. Ltd. Home > eShops > Music > Music, 7 Minute Marketing For Recording Studios Whopping 75 Music, 7 Minute Marketing For Recording Studios Whopping 75 Here's A Fiery Hot Niche - Home Recording Studios... This Is A Popular Hobby And Tons Of Folks Dream Of Making It A Full Time Gig. 7 Minute Marketing Makes It Simple To Start Booking Clients In Any Home Studio. Check It Out Today... Display Full Page Edinburgh sounds: an insider's guide to homegrown live music From traditional folk in dusty pubs to experimental hip-hop in bare-bones studios in Leith, an illustrated guide to Edinburgh's legendary venues and local musicians. Musician Cathal McConnell holding ... Music review: Modern Maori Quartet: Two Worlds, Assembly George Square Studios Modern Maori Quartet: Two Worlds, Assembly George Square Studios (Venue 17) **** Uncle was beaten into angry rejection of his mother tongue because the Maori, like Gaelic speakers, were punished for u... Korn Is In The Studio Working On New Music Luzier posted an Instagram photo from his session at producer Nick Raskulinecz's Rock Falcon Studio inside the Nashville complex owned by the music and entertainment company Black River Entertainment. ... Mmegi Online :: Home studios rescuing recording industry "I now record traditional gospel (mokhukhu), afro pop, afro jazz, house music," he said. Koosimile whose studio ... Koosimile said Galaxy studios however do not sign artists, but they plan to do that ... Music studio plans for East Neuk church Music production company First Cut Music, which has recording studios in Santa Monica and Northampton, has submitted the plans for Colinsburgh Parish Church. The company has worked with a number of fa... Drill music deaths reveal hard truths of London streets We are about positivity' - Label moguls TK and SK angrily rejected the accusations. SK highlighted the refuge that music studios offer, and the contribution that the industry had made to the community ... Electronic Music Studios Home Page Last Updated 20 Years Ago On 808 Day August 8th (8/08) is a special day for electronic musicians, because of its association with Roland's classic TR-808 drum machine. It's also, though, the anniversary of the Electronic Music Studios Ho... BlocBoy JB and Big Boi Hit the Studio to Talk Music, Style, and Sneakers BlocBoy JB knew he was coming to Atlanta to meet Big Boi at Stankonia Studios, but the Memphis upstart didn't ... where they sit down for a conversation about music, style, and the concept of reinvent.. \ No newline at end of file diff --git a/input/test/Test1060.txt b/input/test/Test1060.txt new file mode 100644 index 0000000..cffd8c6 --- /dev/null +++ b/input/test/Test1060.txt @@ -0,0 +1,7 @@ +Tweet +AT Bancorp increased its holdings in iShares Russell 2000 ETF (NYSEARCA:IWM) by 15.6% in the second quarter, HoldingsChannel.com reports. The firm owned 11,440 shares of the exchange traded fund's stock after buying an additional 1,547 shares during the quarter. AT Bancorp's holdings in iShares Russell 2000 ETF were worth $1,874,000 at the end of the most recent reporting period. +A number of other hedge funds and other institutional investors have also added to or reduced their stakes in the stock. Wilbanks Smith & Thomas Asset Management LLC raised its holdings in iShares Russell 2000 ETF by 6.0% in the 2nd quarter. Wilbanks Smith & Thomas Asset Management LLC now owns 114,201 shares of the exchange traded fund's stock worth $18,703,000 after purchasing an additional 6,426 shares during the period. CIBC World Markets Inc. raised its holdings in shares of iShares Russell 2000 ETF by 23.1% during the second quarter. CIBC World Markets Inc. now owns 132,765 shares of the exchange traded fund's stock valued at $21,743,000 after acquiring an additional 24,935 shares during the last quarter. Ayalon Holdings Ltd. raised its holdings in shares of iShares Russell 2000 ETF by 223.6% during the second quarter. Ayalon Holdings Ltd. now owns 2,815 shares of the exchange traded fund's stock valued at $461,000 after acquiring an additional 1,945 shares during the last quarter. Doyle Wealth Management raised its holdings in shares of iShares Russell 2000 ETF by 110.8% during the second quarter. Doyle Wealth Management now owns 3,999 shares of the exchange traded fund's stock valued at $655,000 after acquiring an additional 2,102 shares during the last quarter. Finally, Ken Stern & Associates Inc. acquired a new position in shares of iShares Russell 2000 ETF during the second quarter valued at approximately $231,000. Get iShares Russell 2000 ETF alerts: +Shares of iShares Russell 2000 ETF stock opened at $167.63 on Friday. iShares Russell 2000 ETF has a 12 month low of $134.12 and a 12 month high of $170.20. About iShares Russell 2000 ETF +iShares Russell 2000 ETF (the Fund) is an exchange-traded fund. The Fund seeks investment results that correspond generally to the price and yield performance of the Russell 2000 Index (the Index). The Index is a float-adjusted capitalization weighted index that measures the performance of the small-capitalization sector of the United States equity market and includes securities issued by the approximately 2,000 smallest issuers in the Russell 3000 Index. +Featured Article: How to Use the New Google Finance Tool +Want to see what other hedge funds are holding IWM? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for iShares Russell 2000 ETF (NYSEARCA:IWM). Receive News & Ratings for iShares Russell 2000 ETF Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for iShares Russell 2000 ETF and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test1061.txt b/input/test/Test1061.txt new file mode 100644 index 0000000..8b014db --- /dev/null +++ b/input/test/Test1061.txt @@ -0,0 +1 @@ +53 InfoGlobalData Released over 1.2 Million Physician Email List with updated Contact Information InfoGlobalData, a leading provider of b2b email lists and b2b marketing information solutions, today announced the release of updated Physician Email Lists that enable healthcare marketers to gain access to Physicians in the USA and Global Markets. The Physician Database which includes over 1.2 Million Physicians is up-to-date verified to maintain its maximum accuracy. Identify and connect with highly targeted physicians and gain the opportunity to market your healthcare products or services with InfoGlobalData Physician Email List. The Physician Database comes with the complete contact information that will help marketers to boost their multichannel marketing campaigns. With this customizable database, physicians can be targeted by location, specialty, address, email, volume and other key metrics. This updated Database of Physicians from InfoGlobalData is the best source to boost multichannel marketing campaigns for promoting healthcare products and services, identifying and connecting with best prospects, pharmaceutical marketing, medical equipment supplies, market survey and much more. Well Researched and Highly Targeted Database: The InfoGlobalData Physician Mailing List is the most accurate marketing database that supplies the updated and verified information for your email and telemarketing campaigns. The Physician Email Database is verified through tele-verification, advanced software tools and opt-in email programs for accuracy to give you an error-free, up-to-date list of contacts for all your marketing needs. About InfoGlobalData For over 10 years, millions of businesses have relied on InfoGlobalData, to help target and acquire new customers, increase their sales, clean and update their databases and make business credit decisions. InfoGlobalData compiles the most up-to-date b2b mailing lists and sales leads containing powerful, in-depth demographic information. InfoGlobalData makes it easy to reach the target audience with complete direct mail and email marketing services, which include everything from purchasing the targeted list to the design and delivery of the marketing campaign. InfoGlobalData Phone: +1 (206) 792 3760 Website: http://www.infoglobaldata.com \ No newline at end of file diff --git a/input/test/Test1062.txt b/input/test/Test1062.txt new file mode 100644 index 0000000..f95761c --- /dev/null +++ b/input/test/Test1062.txt @@ -0,0 +1,8 @@ +Tweet +National Bank Financial reaffirmed their sector perform market weight rating on shares of First Majestic Silver (NYSE:AG) (TSE:FR) in a research report report published on Monday morning. National Bank Financial also issued estimates for First Majestic Silver's FY2018 earnings at ($0.04) EPS, FY2019 earnings at $0.22 EPS and FY2020 earnings at $0.30 EPS. +A number of other research analysts have also commented on AG. Zacks Investment Research lowered shares of First Majestic Silver from a hold rating to a sell rating in a research report on Monday. HC Wainwright set a $9.00 price objective on shares of First Majestic Silver and gave the company a buy rating in a research report on Tuesday. Scotiabank upped their price objective on shares of First Majestic Silver from $8.00 to $8.75 and gave the company a sector perform rating in a research report on Friday, May 18th. ValuEngine lowered shares of First Majestic Silver from a hold rating to a sell rating in a research report on Monday. Finally, BMO Capital Markets raised shares of First Majestic Silver from an underperform rating to a market perform rating in a research report on Monday, May 14th. Two research analysts have rated the stock with a sell rating, two have given a hold rating and three have given a buy rating to the company. First Majestic Silver currently has an average rating of Hold and an average price target of $9.00. Get First Majestic Silver alerts: +First Majestic Silver stock opened at $5.07 on Monday. The firm has a market cap of $1.25 billion, a price-to-earnings ratio of -126.75 and a beta of 0.01. The company has a debt-to-equity ratio of 0.21, a current ratio of 4.41 and a quick ratio of 4.15. First Majestic Silver has a fifty-two week low of $4.93 and a fifty-two week high of $8.48. First Majestic Silver (NYSE:AG) (TSE:FR) last announced its quarterly earnings data on Monday, August 13th. The mining company reported ($0.07) EPS for the quarter, missing the Zacks' consensus estimate of ($0.02) by ($0.05). The company had revenue of $79.70 million for the quarter, compared to analyst estimates of $111.49 million. First Majestic Silver had a negative net margin of 25.47% and a negative return on equity of 3.27%. The firm's quarterly revenue was up 32.6% on a year-over-year basis. During the same period in the prior year, the company posted ($0.01) EPS. equities analysts forecast that First Majestic Silver will post -0.02 earnings per share for the current fiscal year. +Institutional investors and hedge funds have recently made changes to their positions in the company. LPL Financial LLC acquired a new position in First Majestic Silver in the fourth quarter worth about $311,000. Global X Management Co. LLC raised its position in First Majestic Silver by 7.0% in the first quarter. Global X Management Co. LLC now owns 2,337,796 shares of the mining company's stock worth $14,307,000 after purchasing an additional 153,696 shares in the last quarter. Wells Fargo & Company MN raised its position in First Majestic Silver by 14.2% in the first quarter. Wells Fargo & Company MN now owns 89,056 shares of the mining company's stock worth $544,000 after purchasing an additional 11,062 shares in the last quarter. CIBC Asset Management Inc raised its position in First Majestic Silver by 244.9% in the first quarter. CIBC Asset Management Inc now owns 232,884 shares of the mining company's stock worth $1,424,000 after purchasing an additional 165,358 shares in the last quarter. Finally, Swiss National Bank raised its position in First Majestic Silver by 4.6% in the first quarter. Swiss National Bank now owns 288,300 shares of the mining company's stock worth $1,763,000 after purchasing an additional 12,700 shares in the last quarter. 24.04% of the stock is owned by institutional investors and hedge funds. +About First Majestic Silver +First Majestic Silver Corp. engages in the acquisition, exploration, development, and production of mineral properties with a focus on silver production in Mexico. It owns and operates six silver producing mines, including the Santa Elena Silver/Gold Mine covering an area of 101,837 hectares located in Sonora; La Encantada Silver Mine covering an area of 4,076 hectares situated in Coahuila; La Parrilla Silver Mine covering an area of 69,478 hectares located in Durango; Del Toro Silver Mine covering an area of 2,159 hectares situated in Zacatecas; San Martin Silver Mine covering an area of 38,512 hectares located in Jalisco; and La Guitarra Silver Mine that consists of 39,714 hectares situated in México State. +Read More: Marijuana Stocks Receive News & Ratings for First Majestic Silver Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for First Majestic Silver and related companies with MarketBeat.com's FREE daily email newsletter . Comment on this Pos \ No newline at end of file diff --git a/input/test/Test1063.txt b/input/test/Test1063.txt new file mode 100644 index 0000000..2ff2bcd --- /dev/null +++ b/input/test/Test1063.txt @@ -0,0 +1,7 @@ +Simple view / Print +In 2014, a year when binge-shopping Chinese tourists were a popular topic of conversation, the news was full of images of people stuffing their carts with Japanese rice cookers in wholesale outlet stores. Subsequently, it was said that this trend would stall—but the popularity of Japanese rice cookers in China continues on. +According to Ministry of Finance trade statistics, the export value of Japanese rice cookers decreased from a previous peak of some ¥10 billion in 1990, but hit bottom at ¥2.5 billion in 2003. Afterwards, gradual growth continued until ¥10 billion was surpassed for three consecutive years from 2015 to 2017. Today things are looking great for Japanese manufacturers of the kitchen appliances. +However, based on the number of units sold, sales have only recovered to about half of what they were at their peak. In other words, exports have shifted to the high-end models. In 1988, when these statistics started being recorded, the average price of a rice cooker taken out of the country was ¥5,460. But this hit the ¥10,000 mark in 2013, and had made it as high as ¥12,367 in 2017. As more of the devices came to include special technologies like induction heating and pressure cooking, overseas consumers started embracing the higher-end models, which promise delicious rice whose taste and texture make it seem like grain fresh from a new harvest, no matter when it is prepared. +As an export destination, China was the largest, accounting for ¥3.69 billion, or 36% of total exports. The value of China's purchases increased 19-fold in 10 years. Additionally, Taiwan purchased ¥2.05 billion and Hong Kong ¥1.33 billion worth of the appliances. These Chinese rice-culture regions were the top customers. The United States was the top non-Asian target market, in third place at ¥1.93 billion. +Incidentally, looking at average unit values by export destination, the highest was ¥17,267 for Hong Kong; in second place came China, at ¥15,128, and third was Taiwan, at ¥12,943. However, low-priced models with limited functions were popular in the United States, whose average unit value was ¥9,445. The difference in consumer needs between the Chinese regions, which are particular about the taste of their cooked rice, and the United States, where the focus seems to be on economically enjoying Japanese cuisine, is apparent in the numbers. +(Translated from Japanese. Banner photo © Pixta.) Tags \ No newline at end of file diff --git a/input/test/Test1064.txt b/input/test/Test1064.txt new file mode 100644 index 0000000..c08f90a --- /dev/null +++ b/input/test/Test1064.txt @@ -0,0 +1,5 @@ +Items they don't accept: Appliances (large) = Freon hazard; too expensive to repair or remove. Batteries -Auto/Household = Disposal issues. Carpeting/padding = Not manageable; not able to be displayed in the Shop. Damaged or heavily stained upholstered furniture and mattresses = No demand. + against Health Depatment regulations. Large Computer Monitors = Outdated. Console TV's = Outdated; not compatible with today's equipment. Encyclopedias = Outdated materials; no demand. Exercise Equipment = No demand, too large. Gas containers = Safety issues. Gas grills = Safety issues; cannot test and gas cylinder may leak. Household Paints/Chemicals = Safety issues & disposal issues. Heaters that use fuel = Safety issues. Hospital beds = No demand. Infant car seats = Safety issues. Metal desks = Too big and heavy for staff to handle; no demand. Pianos/Organs = Too large and heavy to handle. Tires = Costs to Thrift Shop to have them hauled away. Toys = Safety Issues and recalls; we do however sell a few large toys after checking with the U.S. Consumer Product Safety Commission website for safety recalls. Waterbeds = No demand. Window blinds = Variation in specialty sizes make them hard to sell. Wire hangers = No demand +If you are in Norfolk, Virginia Beach, Chesapeake or Portsmouth , you can also call 757-625-7493 to arrange pick-up service for larger items (i.e. furniture). +Donations are tax-deductible. +The Hope House always needs volunteers to do things like hang clothes, clean merchandise and test small appliances. +If you would like to shop at other local thrift stores that give back to the community click below \ No newline at end of file diff --git a/input/test/Test1065.txt b/input/test/Test1065.txt new file mode 100644 index 0000000..a1a77b6 --- /dev/null +++ b/input/test/Test1065.txt @@ -0,0 +1,24 @@ +NEW YORK, Aug. 17, 2018 (GLOBE NEWSWIRE) -- Motif Bio plc (AIM/NASDAQ: MTFB), a clinical-stage biopharmaceutical company specialising in developing novel antibiotics, today announced that iclaprim data will be presented at the upcoming European Society of Clinical Microbiology and Infectious Diseases (ESCMID)/American Society For Microbiology (ASM) Conference on Drug Development to Meet the Challenge of Antimicrobial Resistance to be held in Lisbon, Portugal, September 4-7, 2018. +This conference focuses on the development of new antimicrobial agents for antimicrobial resistance. It is a multidisciplinary meeting that involves basic scientists, clinical academics, regulatory bodies, funding bodies and the pharmaceutical industry. Its scope stretches from chemistry to clinical development, from neonates to adults, from bacteria to fungi – all with a global perspective. +David Huang, MD, Chief Medical Officer of Motif Bio, will give a presentation on iclaprim as part of the State of the Art Lecture: New Antibacterial Agents on September 5 th , 10:10 AM CET. +In addition, four posters on iclaprim will be presented at the conference. These will be on display throughout the event, September 4-7. +The Safety of Iclaprim among Diabetic Patients for the Treatment of Acute Bacterial Skin and Skin Structure Infections (ABSSSI): Pooled REVIVE Studies +Abstract number: 49 +Abstract category: Drug Development Surveillance of Iclaprim Activity: In Vitro Susceptibility of Drug-Susceptible and -Resistant Beta-hemolytic Streptococci Collected During 2012-2016 from Skin and Skin Structure Infections +Abstract number: 50 +Abstract category: Drug Development Iclaprim Activity Against Clinical Isolates Causing Acute Bacterial Skin and Skin Structure Infections (ABSSSI) in the Phase 3 REVIVE-1 and REVIVE-2 Studies +Abstract number: 52 +Abstract category: Drug Development Surveillance of Iclaprim Activity: In Vitro Susceptibility of Gram-Positive Skin and Skin Structure Pathogens Collected During 2004-2016 +Abstract number: 60 +Abstract category: Drug Development The posters will be available in the Development Programs – Publications section of Motif Bio's website following the live event. +For further information please contact: +Motif Bio plc info@motifbio.com Graham Lumsden (Chief Executive Officer) Walbrook PR Ltd. (UK FINANCIAL PR & IR) +44 (0) 20 7933 8780 Paul McManus/Helen Cresswell/Lianne Cawthorne MC Services AG (EUROPEAN IR) +49 (0)89 210 2280 Raimund Gabriel raimund.gabriel@mc-services.eu Solebury Trout (US IR) + 1 (646) 378-2963 Meggie Purcell mpurcell@troutgroup.com Russo Partners (US PR) +1 (858) 717-2310 or +1 (212) 845 4272 David Schull david.schull@russopartnersllc.com Travis Kruse, Ph.D. travis.kruse@russopartnersllc.com Note to Editors: +About Iclaprim +Iclaprim is a novel investigational antibiotic with a targeted Gram-positive spectrum of activity. In contrast to commonly used broad-spectrum antibiotics, this "precision medicine approach" is consistent with antibiotic stewardship principles which, among other things, seek to reduce the inappropriate use of broad-spectrum products to avoid the build-up of resistance and to lessen the impact on the microbiome of the patient. +Iclaprim has a different and underutilised mechanism of action compared to most other antibiotics. Following positive results from two Phase 3 trials (REVIVE-1 and REVIVE-2), a New Drug Application (NDA) was submitted to the U.S. Food & Drug Administration (FDA) for the treatment of acute bacterial skin and skin structure infections (ABSSSI) and is now under review, with a PDUFA date of February 13, 2019. To date, iclaprim has been studied in over 1,400 patients and healthy volunteers. Clinical and microbiological data indicate that iclaprim has a targeted Gram-positive spectrum of activity, low propensity for resistance development and favourable tolerability profile. In clinical studies, iclaprim has been administered intravenously at a fixed dose with no dosage adjustment required in patients with renal impairment or in obese patients. The iclaprim fixed dose may, if approved, help reduce the resources required in hospitals since dosage adjustment by health care professionals is avoided and overall hospital treatment costs may be lower, especially in patients with renal impairment. Many standard of care Gram-positive antibiotics are not suitable for hospitalised ABSSSI patients with renal impairment due to efficacy and/or safety issues. +About Motif Bio +Motif Bio plc (AIM/NASDAQ: MTFB) is a clinical-stage biopharmaceutical company focused on developing novel antibiotics for hospitalised patients and designed to be effective against serious and life-threatening infections caused by multi-drug resistant Gram-positive bacteria, including MRSA. The Company's lead product candidate is iclaprim. Following positive results from two Phase 3 trials (REVIVE-1 and REVIVE-2), a New Drug Application (NDA) was submitted to the U.S. Food & Drug Administration (FDA) for the treatment of acute bacterial skin and skin structure infections (ABSSSI) and is now under review, with a PDUFA date of February 13, 2019. More than 3.6 million patients with ABSSSI are hospitalised annually in the U.S. It is estimated that up to 26% of hospitalized ABSSSI patients have renal impairment. +The Company also plans to develop iclaprim for hospital acquired bacterial pneumonia (HABP), including ventilator associated bacterial pneumonia (VABP), as there is a high unmet need for new therapies in this indication. A Phase 2 trial in patients with HABP has been successfully completed and a Phase 3 trial is being planned. Additionally, iclaprim has been granted orphan drug designation by the FDA for the treatment of Staphylococcus aureus lung infections in patients with cystic fibrosis and is in preclinical development for this indication. +Iclaprim has received Qualified Infectious Disease Product (QIDP) designation from the FDA together with Fast Track status. If approved as a New Chemical Entity, iclaprim will be eligible for 10 years of market exclusivity in the U.S. from the date of first approval, under the Generating Antibiotic Incentives Now Act (the GAIN Act). In Europe, 10 years of market exclusivity is anticipated. +Forward-Looking Statements +This press release contains forward-looking statements. Words such as "expect," "believe," "intend," "plan," "continue," "may," "will," "anticipate," and similar expressions are intended to identify forward-looking statements. Forward-looking statements involve known and unknown risks, uncertainties and other important factors that may cause Motif Bio's actual results, performance or achievements to be materially different from any future results, performance or achievements expressed or implied by the forward-looking statements. Motif Bio believes that these factors include, but are not limited to, (i) the timing, progress and the results of clinical trials for Motif Bio's product candidates, (ii) the timing, scope or likelihood of regulatory filings and approvals for Motif Bio's product candidates, (iii) Motif Bio's ability to successfully commercialise its product candidates, (iv) Motif Bio's ability to effectively market any product candidates that receive regulatory approval, (v) Motif Bio's commercialisation, marketing and manufacturing capabilities and strategy, (vi) Motif Bio's expectation regarding the safety and efficacy of its product candidates, (vii) the potential clinical utility and benefits of Motif Bio's product candidates, (viii) Motif Bio's ability to advance its product candidates through various stages of development, especially through pivotal safety and efficacy trials, (ix) Motif Bio's estimates regarding the potential market opportunity for its product candidates, and (x) the factors discussed in the section entitled "Risk Factors" in Motif Bio's Annual Report on Form 20-F filed with the SEC on April 10, 2018, which is available on the SEC's web site, www.sec.gov . Motif Bio undertakes no obligation to update or revise any forward-looking statements \ No newline at end of file diff --git a/input/test/Test1066.txt b/input/test/Test1066.txt new file mode 100644 index 0000000..48ffdc0 --- /dev/null +++ b/input/test/Test1066.txt @@ -0,0 +1 @@ +Introduction to AngularJS AngularJS version 1.0 was released in 2012.Miško Hevery, a Google employee, started to work with AngularJS in 2009. HTML is great for declaring static documents, but it falters when we try to use it for declaring dynamic views in web-application lets you extend HTML for your application. The resulting environment is extraordinarily expressive, readable, and quick to develop. AngularJS is a JavaScript-based open-source front-end web application framework. It is mainly maintained by Google and by a community of individuals and corporations to address many of the challenges encountered in developing single-page applications. AngularjS is a JavaScript framework. It can be added to an HTML page with a 1) and provides feedback to fuel injection system for suitable fuel control. O2 sensor has a ceramic element, which needs to be heated to a working temperature for its functioning. The ceramic element would break (thermal shock) if water in liquid form comes in contact with it when the element is hot. To counter this, oxygen sensor is fully heated only when all the water in the exhaust system is evaporated, which results in delayed closed loop control. It's a challenge to control the HC emissions during first 100 seconds of engine start, as the catalyst is not functioning during this duration. Also, the system runs in open loop for first 50 seconds, as the lambda sensor is not functioning. Hence, determining the amount of water present in exhaust and having a protective layer for lambda sensor against water would enable early start of sensor functioning. The present paper explains an approach to determine the maximum water droplet size and water flow rate using a special Bosch Liquid sensor mounted in the exhaust pipe. Test cases are defined at various engine and exhaust gas temperatures to determine an appropriate set up and methodology for measurement on a 2Wheeler. The test cases are repeated on various 2wheelers available in the Indian market and influence of different exhaust configurations, mounting location of the Lambda sensor are analysed. The information of water droplet size and water flow rate are driving factors for the design and application of lambda sensor. With thermal shock protection over lambda sensor a full heater voltage can be applied to sensor even before all the water has evaporated in the exhaust system. An early sensor readiness results in a quick closed loop control of the fuel mixture thus reducing emissions. Author(s): Ranjana Kumari Meena, Konrad Meister, Andrea Krusch, Christopher Holzknecht Affiliated: Bosch Limited, Robert Bosch GmbH Event: SAE/JSAE Small Engine Technology Conference Related Topics \ No newline at end of file diff --git a/input/test/Test3113.txt b/input/test/Test3113.txt new file mode 100644 index 0000000..7d70f4c --- /dev/null +++ b/input/test/Test3113.txt @@ -0,0 +1,7 @@ +Tweet +Bailard Inc. lessened its position in shares of iShares North American Tech ETF (NYSEARCA:IGM) by 2.4% in the second quarter, according to its most recent filing with the SEC. The firm owned 25,033 shares of the exchange traded fund's stock after selling 615 shares during the quarter. Bailard Inc. owned approximately 0.32% of iShares North American Tech ETF worth $4,829,000 at the end of the most recent quarter. +A number of other large investors have also recently added to or reduced their stakes in IGM. CIBC World Markets Inc. acquired a new stake in iShares North American Tech ETF during the 1st quarter valued at approximately $7,373,000. Raymond James Financial Services Advisors Inc. increased its position in iShares North American Tech ETF by 14.9% during the 2nd quarter. Raymond James Financial Services Advisors Inc. now owns 110,749 shares of the exchange traded fund's stock valued at $21,362,000 after purchasing an additional 14,358 shares during the period. Jane Street Group LLC increased its position in iShares North American Tech ETF by 128.3% during the 1st quarter. Jane Street Group LLC now owns 20,224 shares of the exchange traded fund's stock valued at $3,629,000 after purchasing an additional 11,364 shares during the period. Citadel Advisors LLC increased its position in iShares North American Tech ETF by 683.0% during the 1st quarter. Citadel Advisors LLC now owns 10,241 shares of the exchange traded fund's stock valued at $1,838,000 after purchasing an additional 8,933 shares during the period. Finally, Bank of Montreal Can acquired a new stake in iShares North American Tech ETF during the 2nd quarter valued at approximately $1,437,000. Get iShares North American Tech ETF alerts: +NYSEARCA:IGM opened at $201.10 on Friday. iShares North American Tech ETF has a fifty-two week low of $148.06 and a fifty-two week high of $206.49. iShares North American Tech ETF Company Profile +iShares North American Tech ETF, formerly iShares S&P North American Technology Sector Index Fund (the Fund), is an exchange-traded fund. The Fund seeks investment results that correspond generally to the price and yield performance, of the United States-traded technology companies, as represented by the S&P North American Technology Sector Index (the Index). +Featured Article: How to Track your Portfolio in Google Finance +Want to see what other hedge funds are holding IGM? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for iShares North American Tech ETF (NYSEARCA:IGM). Receive News & Ratings for iShares North American Tech ETF Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for iShares North American Tech ETF and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test3114.txt b/input/test/Test3114.txt new file mode 100644 index 0000000..99cae53 --- /dev/null +++ b/input/test/Test3114.txt @@ -0,0 +1,3 @@ +Forgot your password? Customer services +If you encounter issues logging in with your credentials, and we will endeavour to assist as quickly as possible Get access to Unquote +Unquote delivers the latest news, research and analysis on the European venture capital and private equity markets. Request a free demonstration or subscribe now. Please click on one of the buttons below \ No newline at end of file diff --git a/input/test/Test3115.txt b/input/test/Test3115.txt new file mode 100644 index 0000000..c3ce45b --- /dev/null +++ b/input/test/Test3115.txt @@ -0,0 +1,9 @@ +Tweet +Baird Financial Group Inc. increased its holdings in shares of Alphabet Inc Class A (NASDAQ:GOOGL) by 47.3% during the first quarter, HoldingsChannel reports. The firm owned 64,246 shares of the information services provider's stock after buying an additional 20,636 shares during the period. Baird Financial Group Inc.'s holdings in Alphabet Inc Class A were worth $66,633,000 as of its most recent filing with the Securities and Exchange Commission (SEC). +Several other large investors have also made changes to their positions in the company. Well Done LLC bought a new position in Alphabet Inc Class A in the first quarter valued at about $107,000. Vestpro Financial Partners Inc. dba CPF Texas bought a new position in Alphabet Inc Class A in the fourth quarter valued at about $108,000. Westchester Capital Management Inc. lifted its holdings in Alphabet Inc Class A by 1,262.5% in the first quarter. Westchester Capital Management Inc. now owns 109 shares of the information services provider's stock valued at $113,000 after acquiring an additional 101 shares during the period. KHP Capital LLC bought a new position in Alphabet Inc Class A in the first quarter valued at about $124,000. Finally, Lee Financial Co lifted its holdings in Alphabet Inc Class A by 500.0% in the fourth quarter. Lee Financial Co now owns 120 shares of the information services provider's stock valued at $126,000 after acquiring an additional 100 shares during the period. 33.53% of the stock is currently owned by hedge funds and other institutional investors. Get Alphabet Inc Class A alerts: +NASDAQ:GOOGL opened at $1,224.06 on Friday. The company has a debt-to-equity ratio of 0.02, a current ratio of 4.15 and a quick ratio of 4.13. Alphabet Inc Class A has a 12-month low of $918.60 and a 12-month high of $1,291.44. The stock has a market cap of $871.68 billion, a P/E ratio of 38.19, a price-to-earnings-growth ratio of 1.58 and a beta of 1.13. Alphabet Inc Class A (NASDAQ:GOOGL) last released its earnings results on Monday, July 23rd. The information services provider reported $11.75 earnings per share (EPS) for the quarter, topping the consensus estimate of $9.51 by $2.24. Alphabet Inc Class A had a return on equity of 18.24% and a net margin of 13.16%. The firm had revenue of $26.24 billion during the quarter, compared to analysts' expectations of $25.64 billion. During the same quarter last year, the business posted $5.01 earnings per share. research analysts anticipate that Alphabet Inc Class A will post 42.73 EPS for the current year. +A number of research firms have weighed in on GOOGL. Canaccord Genuity reissued a "hold" rating on shares of Alphabet Inc Class A in a report on Tuesday, April 24th. Zacks Investment Research downgraded Alphabet Inc Class A from a "hold" rating to a "sell" rating in a report on Monday, July 2nd. B. Riley increased their target price on Alphabet Inc Class A from $1,350.00 to $1,475.00 and gave the company a "buy" rating in a report on Tuesday, July 24th. JMP Securities raised their price objective on Alphabet Inc Class A from $1,235.00 to $1,390.00 and gave the stock an "outperform" rating in a research note on Tuesday, July 24th. Finally, Nomura began coverage on Alphabet Inc Class A in a research note on Tuesday, July 10th. They issued a "buy" rating and a $1,400.00 price objective on the stock. Five analysts have rated the stock with a hold rating and thirty-three have assigned a buy rating to the stock. The company has an average rating of "Buy" and an average price target of $1,298.90. +Alphabet Inc Class A Company Profile +Alphabet Inc, through its subsidiaries, provides online advertising services in the United States and internationally. The company offers performance and brand advertising services. It operates through Google and Other Bets segments. The Google segment includes principal Internet products, such as Ads, Android, Chrome, Commerce, Google Cloud, Google Maps, Google Play, Hardware, Search, and YouTube, as well as technical infrastructure and newer efforts, including Virtual Reality. +Further Reading: Asset Allocation Models, Which is Right For You? +Want to see what other hedge funds are holding GOOGL? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Alphabet Inc Class A (NASDAQ:GOOGL). Receive News & Ratings for Alphabet Inc Class A Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Alphabet Inc Class A and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test3116.txt b/input/test/Test3116.txt new file mode 100644 index 0000000..273b256 --- /dev/null +++ b/input/test/Test3116.txt @@ -0,0 +1,30 @@ +Robert Woo — August 9, 2018 +— August 9, 2018 +It's all about the commission. The affiliate reps want that percentage to be as high as possible, and the merchants want it to be as low as possible. High commission rates will attract the masses, but cut into your profits. How can you negotiate with affiliates to make sure that you're getting the best possible deal on your end? Know your highest commission rate. +Let's start at the top; literally, the highest commission rate you can afford to pay out to the majority of your affiliates. This is your break-even number, which you can get to having a good grasp of your metrics . +In our previous post on setting your commission rate (recommended reading for this post), we laid out the equation you can use to figure out the Lifetime Value of a new customer: +Average Order Value X Purchase Frequency X Average Lifespan = LTV +Once you have your LTV, this is roughly the highest you can spend to acquire one new customer and break even (give or take some overhead spending). So if a new customer has an LTV of $ 500, technically you could pay $ 500 to your affiliate partner for bringing in the sale. +Of course, it's unlikely you will ever offer a payout this high, but it gives you your ceiling. Now you know roughly how much wiggle room you have when it comes to offering a rate to an affiliate. +Side Note : You might be thinking "but aren't I setting commissions on the revenue of each sale?" Yes, and we'll get to that, but LTV is the best metric for your absolute ceiling. So even if you give 100% commission on a single sale, it's possible to still be profitable in the long run. Know the industry average. +When you go in to buy a used car, it's important you know the general amount one is worth. Or else, you'll be easily swindled. Before you engage in any negotiations, know what others in your industry are offering. +We'll again refer you to where we highlighted this topic in our previous post on setting commission rates , but here's a quick chart of industry averages: +As you can see, in general the recommended commission rate is between 10–20%, average being 15%. But do your due diligence and see what your closest competitors are offering. Know your target affiliate rep. +Realistically, you won't be negotiating with the majority of your affiliate partners. You will probably advertise a certain commission rate, and potential affiliates will take it or leave it. If they mostly leave it, you probably need to raise the rate a few percentages. +Negotiations really come into play in two scenarios: 1) you only want to work with a handful of very dedicated reps who will ostensibly be your main sales force; or 2) when you want to work with an Influencer. +Working with an Influencer in your niche can be a boom for your business. In a study by Linqia, 94% of marketers found influencer marketing to be effective . That was in 2016 and the market for good Influencers have continued to grow in nearly every vertical. Which means, to get the best ones, you'll usually have to pony up. +This is where knowing your target Influencer is important. Track their social media feeds to get clues on what their other commission rates may be. What do they enjoy doing? What are their hobbies? What excites them? Knowing these things could lead to offers of bonuses other than strictly money, and also, you'll vet them as an actual good Influencer . +Done all that homework? Good! Now you're ready to negotiate with, and hopefully snag, the Big Fish. The Do's & Don't's of Affiliate Negotiation +Do start negotiations at the high end of your current commission range. That might be enough for your Influencer and you can call it a day. Also, offering your high end prevents them from eventually finding out that they're making less commission than another one of your "regular" reps, which can lead to bad feelings. +Don't ever start negotiations at your ceiling; you'll have no where to go if they say no. If your absolute ceiling is the LTV, and you start with the high end of your normal commissions, you know what wiggle room you have. +Do make it feel like the affiliate has won. Make them feel like they're getting a special deal, even if it's not. Starting the relationship off right is great for morale of the partnership. Even consider some sort of "signing bonus" of a gift card or brand merchandise to welcome them on board. +Don't be afraid to walk away. Sometimes, a busy Influencer will simply ask for too much. If they're asking for such a high commission rate that the margins aren't there, you should gracefully bail out of the negotiation. After all, there are other Influencers in the social media sea. But… +Do offer alternatives to cold hard cash to close the deal. Alternatives to higher commission rates. +Anything above a 50% commission rate on a sale is usually too high (though it does depend on your sales/marketing goals). If the rep you're negotiating with is simply asking too much, offer these alternatives: +Tiered Commission — Offer to increase the commission rate as they prove that they can bring in customers. Be it a "hot streak" bonus where you bump up commissions if they bring in X sales in Y amount of time, or a permanent bump to a higher tier if they bring in a goal of X sales. It's a great way to motivate a rep and to reward consistency and proof-of-effectiveness. Also, another way to do this is with Product-Level Commissions . If your rep sells higher-ticket items, they get a higher commission to match. +Trial Period — Alternately, you can start them off at their preferred higher rate but build in expectations that they need to maintain X sales per month to stay at that rate. So initially, it'll act as a "trial period" that they will need to work to maintain, or else the commission rate will come down. +Store Credit/Family Discount — Especially if the Influencer is already a fan of your brand, you can offer store credit instead of cold hard cash, which may save you money. Offering them a friends & family discount can also sweeten the deal without you having to shell out ultra high commissions. +And again, that homework you did where you learned all about this specific rep can come in handy for alternative payments. Is your rep a huge Disney fan? Maybe season tickets can sweeten the pot. Get creative before you bite the bullet and agree to a higher commission than you ideally want. Renegotiating and Tracking +Finally, like all good partnerships, there should be reevaluations as you keep an eye on their metrics. If they're underperforming, then you should be able to renegotiate a lower commission rate. If they're overperforming, it might be time for a bonus. Either way, it's hugely important to keep track of their Key Performance Indicators. +Since your Influencer is probably held to a different standard than your other affiliates, you will want to segment them out in your tracking system so you can easily track their performance separately. This can tell you at-a-glance how effective they are compared to the other affiliate segments you've created. +At the end of the day, it's business but it's also a relationship. Go in to affiliate negotiations expecting success and expecting to make both sides happy. After all, a good affiliate marketing program is win-win. Never forget that \ No newline at end of file diff --git a/input/test/Test3117.txt b/input/test/Test3117.txt new file mode 100644 index 0000000..be23520 --- /dev/null +++ b/input/test/Test3117.txt @@ -0,0 +1,4 @@ +Matshela Koko. Picture: ESA ALEXANDER Coal samples that enabled the Gupta family to pocket more than R1bn could have been switched during a lab test ordered by former Eskom acting CEO Matshela Koko, Treasury investigators have found. +The contract was to supply Eskom's Majuba power station from the Gupta-owned Brakfontein colliery, despite findings that its coal was substandard. +If you are already a subscriber, please click on the following link below to go to the full article: Koko's Eskom coal tests shaky — Treasury +If you would like to subscribe to BusinessLIVE Premium to read the full story, please click here to subscribe \ No newline at end of file diff --git a/input/test/Test3118.txt b/input/test/Test3118.txt new file mode 100644 index 0000000..bbea4ac --- /dev/null +++ b/input/test/Test3118.txt @@ -0,0 +1,8 @@ +Tweet +Tapestry (NYSE:TPR) was upgraded by stock analysts at ValuEngine from a "hold" rating to a "buy" rating in a research note issued on Wednesday. +Several other research analysts have also recently issued reports on the stock. Zacks Investment Research upgraded shares of Tapestry from a "hold" rating to a "buy" rating and set a $60.00 target price for the company in a report on Friday, April 20th. Deutsche Bank upped their target price on shares of Tapestry to $64.00 and gave the company a "buy" rating in a report on Thursday, April 19th. They noted that the move was a valuation call. Wells Fargo & Co set a $60.00 target price on shares of Tapestry and gave the company a "buy" rating in a report on Monday, April 23rd. Canaccord Genuity set a $59.00 target price on shares of Tapestry and gave the company a "buy" rating in a report on Friday, April 27th. Finally, UBS Group lowered their target price on shares of Tapestry from $62.00 to $59.00 and set a "buy" rating for the company in a report on Tuesday, July 31st. One research analyst has rated the stock with a sell rating, eight have assigned a hold rating and twenty have given a buy rating to the stock. The stock has a consensus rating of "Buy" and a consensus target price of $56.10. Get Tapestry alerts: +NYSE TPR opened at $51.38 on Wednesday. The company has a quick ratio of 1.83, a current ratio of 2.66 and a debt-to-equity ratio of 0.51. Tapestry has a 52 week low of $38.70 and a 52 week high of $55.50. The company has a market cap of $13.80 billion, a price-to-earnings ratio of 23.90, a PEG ratio of 1.46 and a beta of 0.40. Tapestry (NYSE:TPR) last issued its earnings results on Tuesday, August 14th. The luxury accessories retailer reported $0.60 earnings per share (EPS) for the quarter, beating the consensus estimate of $0.57 by $0.03. Tapestry had a net margin of 6.10% and a return on equity of 24.12%. The business had revenue of $1.48 billion during the quarter, compared to analysts' expectations of $1.47 billion. During the same quarter in the prior year, the business posted $0.50 EPS. The company's revenue for the quarter was up 30.9% on a year-over-year basis. research analysts expect that Tapestry will post 2.59 EPS for the current fiscal year. +A number of large investors have recently modified their holdings of the stock. BlackRock Inc. boosted its stake in Tapestry by 15.5% during the 2nd quarter. BlackRock Inc. now owns 20,772,651 shares of the luxury accessories retailer's stock worth $970,290,000 after purchasing an additional 2,780,915 shares during the period. FMR LLC boosted its stake in Tapestry by 19.8% during the 2nd quarter. FMR LLC now owns 8,097,454 shares of the luxury accessories retailer's stock worth $378,232,000 after purchasing an additional 1,335,513 shares during the period. American Century Companies Inc. boosted its stake in Tapestry by 14.3% during the 2nd quarter. American Century Companies Inc. now owns 7,698,002 shares of the luxury accessories retailer's stock worth $359,574,000 after purchasing an additional 965,693 shares during the period. Renaissance Technologies LLC boosted its stake in Tapestry by 1.0% during the 2nd quarter. Renaissance Technologies LLC now owns 5,915,500 shares of the luxury accessories retailer's stock worth $276,313,000 after purchasing an additional 59,100 shares during the period. Finally, Voya Investment Management LLC boosted its stake in Tapestry by 147.7% during the 2nd quarter. Voya Investment Management LLC now owns 5,210,305 shares of the luxury accessories retailer's stock worth $243,373,000 after purchasing an additional 3,107,067 shares during the period. Hedge funds and other institutional investors own 90.23% of the company's stock. +About Tapestry +Tapestry, Inc provides luxury accessories and lifestyle brands. It offers handbags, wallets, money pieces, wristlets and cosmetic cases, key rings, and charms, as well as address books, time management accessories, sketchbooks, and portfolios for women; and business cases, computer bags, messenger-style bags, backpacks, totes, wallets, card cases, belts, sunglasses, watches, novelty accessories, and ready-to-wear for men. +To view ValuEngine's full report, visit ValuEngine's official website . Receive News & Ratings for Tapestry Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Tapestry and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test3119.txt b/input/test/Test3119.txt new file mode 100644 index 0000000..8fe7bcc --- /dev/null +++ b/input/test/Test3119.txt @@ -0,0 +1,10 @@ +Tweet +First Trust Advisors LP raised its position in Toronto-Dominion Bank (NYSE:TD) (TSE:TD) by 1.0% during the 2nd quarter, Holdings Channel reports. The firm owned 380,315 shares of the bank's stock after acquiring an additional 3,707 shares during the period. First Trust Advisors LP's holdings in Toronto-Dominion Bank were worth $22,005,000 at the end of the most recent quarter. +Other large investors have also recently bought and sold shares of the company. Toronto Dominion Bank raised its stake in shares of Toronto-Dominion Bank by 47.8% in the 1st quarter. Toronto Dominion Bank now owns 11,341,218 shares of the bank's stock valued at $642,784,000 after acquiring an additional 3,668,910 shares during the period. CIBC Asset Management Inc raised its stake in shares of Toronto-Dominion Bank by 14.7% in the 1st quarter. CIBC Asset Management Inc now owns 17,437,378 shares of the bank's stock valued at $988,009,000 after acquiring an additional 2,239,762 shares during the period. Addenda Capital Inc. raised its stake in shares of Toronto-Dominion Bank by 96.6% in the 2nd quarter. Addenda Capital Inc. now owns 4,162,640 shares of the bank's stock valued at $238,377,000 after acquiring an additional 2,045,677 shares during the period. CIBC World Markets Inc. raised its stake in shares of Toronto-Dominion Bank by 3.5% in the 1st quarter. CIBC World Markets Inc. now owns 36,182,005 shares of the bank's stock valued at $2,056,947,000 after acquiring an additional 1,208,773 shares during the period. Finally, Gluskin Sheff & Assoc Inc. raised its stake in shares of Toronto-Dominion Bank by 83.4% in the 1st quarter. Gluskin Sheff & Assoc Inc. now owns 2,031,077 shares of the bank's stock valued at $115,258,000 after acquiring an additional 923,747 shares during the period. Institutional investors own 49.06% of the company's stock. Get Toronto-Dominion Bank alerts: +Separately, Zacks Investment Research raised shares of Toronto-Dominion Bank from a "hold" rating to a "buy" rating and set a $63.00 price target on the stock in a research note on Friday, May 4th. One equities research analyst has rated the stock with a sell rating, two have assigned a hold rating and eight have given a buy rating to the company's stock. The company presently has a consensus rating of "Buy" and a consensus price target of $79.00. Toronto-Dominion Bank stock opened at $59.52 on Friday. The company has a market capitalization of $107.83 billion, a PE ratio of 14.06, a P/E/G ratio of 1.07 and a beta of 0.96. Toronto-Dominion Bank has a 1 year low of $50.16 and a 1 year high of $61.06. The company has a current ratio of 0.91, a quick ratio of 0.91 and a debt-to-equity ratio of 0.11. +Toronto-Dominion Bank (NYSE:TD) (TSE:TD) last announced its earnings results on Thursday, May 24th. The bank reported $1.62 earnings per share for the quarter, topping the consensus estimate of $1.17 by $0.45. Toronto-Dominion Bank had a net margin of 22.03% and a return on equity of 16.50%. The firm had revenue of $9.47 billion for the quarter, compared to the consensus estimate of $8.76 billion. During the same period in the prior year, the firm earned $1.34 EPS. The firm's revenue for the quarter was up 11.7% on a year-over-year basis. research analysts forecast that Toronto-Dominion Bank will post 4.89 EPS for the current year. +The firm also recently announced a quarterly dividend, which was paid on Tuesday, July 31st. Investors of record on Tuesday, July 10th were paid a dividend of $0.5239 per share. This is an increase from Toronto-Dominion Bank's previous quarterly dividend of $0.52. This represents a $2.10 annualized dividend and a yield of 3.52%. The ex-dividend date of this dividend was Monday, July 9th. Toronto-Dominion Bank's dividend payout ratio is presently 48.11%. +Toronto-Dominion Bank Profile +The Toronto-Dominion Bank, together with its subsidiaries, provides various personal and commercial banking products and services in Canada and the United States. It operates through three segments: Canadian Retail, U.S. Retail, and Wholesale Banking. The company offers personal deposits, such as checking, savings, and investment products; financing, investment, cash management, international trade, and day-to-day banking services to small, medium, and large businesses; financing options to customers at point of sale for automotive and recreational vehicle purchases through auto dealer network; credit cards; investing, advice-based, and asset management services to retail and institutional clients; and property and casualty insurance, as well as life and health insurance products. +Recommended Story: Understanding Stock Ratings +Want to see what other hedge funds are holding TD? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Toronto-Dominion Bank (NYSE:TD) (TSE:TD). Receive News & Ratings for Toronto-Dominion Bank Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Toronto-Dominion Bank and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test312.txt b/input/test/Test312.txt new file mode 100644 index 0000000..00f9077 --- /dev/null +++ b/input/test/Test312.txt @@ -0,0 +1,2 @@ +Musk's SpaceX could help fund take-private deal for Tesla - NYT (Adds details from the New York Times report, background) Aug 17 (Reuters) - Elon Musk's rocket company, SpaceX, couldhelp fund a bid to take electric car company Tesla Inc private, the New York Times reported on Thursday, quoting peoplefamiliar with the matter. Musk startled Wall Street last week when he said in a tweethe was considering taking the auto company private for $420 pershare and that funding was "secured." He has since said he issearching for funds for the effort. Musk said on Monday that the manager of Saudi Arabia'ssovereign wealth fund had voiced support for the company goingprivate several times, including as recently as two weeks ago,but also said that talks continue with the fund and otherinvestors. The New York Times report said another possibility underconsideration is that SpaceX would help bankroll the Teslaprivatization and would take an ownership stake in the carmaker,according to people familiar with the matter. Musk is the CEO and controlling shareholder of the rocketcompany. Tesla and SpaceX did not respond when Reuters requestedcomment on the matter. In a wide-ranging and emotional interview with the New YorkTimes published late on Thursday, Musk, Tesla's chief executive,described the difficulties over the last year for him as thecompany has tried to overcome manufacturing issues with theModel 3 sedan. https://nyti.ms/2vOkgeM "This past year has been the most difficult and painful yearof my career," he said. "It was excruciating." The loss-making company has been trying to hit productiontargets, but the tweet by Musk opened up a slew of new problemsincluding government scrutiny and lawsuits. The New York Times report said efforts are underway to finda No. 2 executive to help take some of the pressure off Musk,people briefed on the search said. Musk has no plans to relinquish his dual role as chairmanand chief executive officer, he said in the interview. Musk said he wrote the tweet regarding taking Tesla privateas he drove himself on the way to the airport in his Tesla ModelS. He told the New York Times that no one reviewed the tweetbefore he posted it. He said that he wanted to offer a roughly 20 percent premiumover where the stock had been recently trading, which would havebeen about $419. He decided to round up to $420 - a number thathas become code for marijuana in counterculture lore, the reportsaid."It seemed like better karma at $420 than at $419," he saidin the interview. "But I was not on weed, to be clear. Weed isnot helpful for productivity. There's a reason for the word'stoned.' You just sit there like a stone on weed," he said. Some board members recently told Musk to lay off Twitter andrather focus on operations at his companies, according to peoplefamiliar with the matter, the newspaper report said. During the interview, Musk emotionally described theintensity of running his businesses. He told the newspaper thathe works 120 hours a week, sometimes at the expense of notcelebrating his own birthday or spending only a few hours at hisbrother's wedding. "There were times when I didn't leave the factory for threeor four days — days when I didn't go outside," he said duringthe interview. "This has really come at the expense of seeing mykids. And seeing friends." To help sleep, Musk sometimes takes Ambien, which concernssome board members, since he has a tendency to conductlate-night Twitter sessions, according to a person familiar withthe board the New York Times reported. "It is often a choice of no sleep or Ambien," he said. (Reporting by Rama Venkat Raman in Bengaluru and BrendanO'Brien in Milwaukee; Editing by Gopakumar Warrier, Bernard Orr) 2018-08-17 09:55:08 +© 2018 Thomson Reuters. All rights reserved. Reuters content is the intellectual property of Thomson Reuters or its third party content providers. Any copying, republication or redistribution of Reuters content, including by framing or similar means, is expressly prohibited without the prior written consent of Thomson Reuters. Thomson Reuters shall not be liable for any errors or delays in content, or for any actions taken in reliance thereon. "Reuters" and the Reuters Logo are trademarks of Thomson Reuters and its affiliated companies. Most read toda \ No newline at end of file diff --git a/input/test/Test3120.txt b/input/test/Test3120.txt new file mode 100644 index 0000000..2d77c87 --- /dev/null +++ b/input/test/Test3120.txt @@ -0,0 +1,35 @@ +Image copyright Getty Images Rules around e-cigarettes should be relaxed so they can be more widely used and accepted in society, says a report by a committee of MPs. +Vaping is much less harmful than normal cigarettes and e-cigarettes should be made available on prescription to help more people quit smoking, it said. +The report also asks the government to consider their use on public transport. +There is no evidence e-cigarettes are a gateway into smoking for young people, Public Health England said. +The report on e-cigarettes, by the science and technology MPs' committee, said they were too often overlooked by the NHS as a tool to help people stop smoking. +For example, it said it was "unacceptable" that a third of the 50 NHS mental health trusts in England had a ban on e-cigarettes on their premises, when there was a "negligible health risk" from second hand e-cigarette vapour. +What else do the MPs say? In the report they call for: +greater freedom for industry to advertise e-cigarettes relaxing of regulations and tax duties on e-cigarettes to reflect their relative health benefits an annual review of the health effects of e-cigarettes, as well as heat-not-burn products a debate on vaping in public spaces, such as on public transport and in offices e-cigarettes licensed as medical devices a rethink on limits on refill strengths and tank sizes an end to the ban on snus - an oral tobacco product which is illegal in the UK under EU rules How popular has vaping become? Media playback is unsupported on your device Media caption "Relief my son turned to vaping" - Norman Lamb About 2.9 million people in the UK are currently using e-cigarettes. +It is estimated that 470,000 people are using them as an aid to stop smoking and tens of thousands are successfully quitting smoking each year as a result. +Vaping - the rise in five charts E-cigarettes 'should be on prescription' How likely is your e-cigarette to explode? Vaping 'can damage vital immune system cells's Although the report recognised the long-term health effects of vaping were not yet known, it said e-cigarettes were substantially less harmful than conventional cigarettes because they contained no tar or carbon monoxide. +Norman Lamb, chairman of the science and technology committee, said: "Current policy and regulations do not sufficiently reflect this and businesses, transport providers and public places should stop viewing conventional and e-cigarettes as one and the same. +"There is no public health rationale for doing so," he said. +"Concerns that e-cigarettes could be a gateway to conventional smoking, including for young non-smokers, have not materialised. +"If used correctly, e-cigarettes could be a key weapon in the NHS's stop-smoking arsenal." +Mr Lamb said medically licensed e-cigarettes "would make it easier for doctors to discuss and recommend them as a stop-smoking tool to aid those quitting smoking". +Image copyright Getty Images Image caption MPs want greater freedom for industry to advertise e-cigarettes The debate on e-cigarettes The report is the latest in a long-running debate about e-cigarettes and how they are used in society. +A survey in Scotland found that young people who use e-cigarettes could be more likely to later smoke tobacco. +And in Wales, concerns have been raised about young people using e-cigarettes on a regular basis. +But elsewhere, a six month trial at an Isle of Man jail found allowing inmates to smoke e-cigarettes made them calmer and helped them quit smoking. +More research is needed to better understand the long-term effects of e-cigarettes, after early research on lung cells in the lab suggested that the vapour may not be completely safe. +But there is general agreement among public health experts, doctors and scientists that e-cigarettes are significantly less harmful than normal cigarettes containing tobacco. +Where are you not allowed to vape? E-cigarettes are not covered by the smoking legislation which bans the use of cigarettes in all enclosed public and work places. +In fact, to encourage smokers to switch to vaping, Public Health England recommends e-cigarettes should not be treated the same as regular cigarettes when it comes to workplaces devising smoking policies. +"Vaping," the authority said, "should be made a more convenient as well as safer option". +But some places have banned vaping. For example, Transport for London forbids the use of e-cigarettes on all buses and the Underground, including at stations. +Big cinema chains such as Cineworld, Odeon and Empire also ban smoking e-cigarettes anywhere on their premises while most theatres also forbid their use. +Most airlines and airports ban vaping, apart from in designated smoking areas. +What is the response to the MPs' report? Public Health England estimates that e-cigarettes are 95% less harmful than normal cigarettes. +Duncan Selbie, chief executive of PHE, said: "E-cigarettes are not without harm but are way safer than the harms of tobacco. +"There is no evidence that they are acting as a gateway into smoking for young people. +"We want to see a tobacco-free generation within 10 years and this is within sight." +The charity Action on Smoking and Health welcomed the report but said it had some concerns over rule changes on advertising, which could mean tobacco companies being allowed to market their e-cigarettes in packs of cigarettes. +George Butterworth, from Cancer Research UK, said any changes to current e-cigarette regulations "should be aimed at helping smokers to quit whilst preventing young people from starting to use e-cigarettes". +Prof Linda Bauld, professor of health policy at the University of Stirling, said: "This report is a welcome and evidence-based respite from all the scare stories we see about vaping. +"Its recommendations are not likely to be popular with all, and some of them may be difficult or complex to implement. But government, regulators and service providers should take note. \ No newline at end of file diff --git a/input/test/Test3121.txt b/input/test/Test3121.txt new file mode 100644 index 0000000..8fa0f23 --- /dev/null +++ b/input/test/Test3121.txt @@ -0,0 +1,9 @@ +Tweet +Balter Liquid Alternatives LLC purchased a new stake in shares of Industrial Logistics Properties Trust (NASDAQ:ILPT) during the second quarter, according to the company in its most recent filing with the Securities and Exchange Commission (SEC). The fund purchased 38,444 shares of the company's stock, valued at approximately $867,000. Balter Liquid Alternatives LLC owned approximately 0.06% of Industrial Logistics Properties Trust at the end of the most recent quarter. +Several other hedge funds have also modified their holdings of the company. Sei Investments Co. grew its holdings in shares of Industrial Logistics Properties Trust by 3.0% during the second quarter. Sei Investments Co. now owns 86,071 shares of the company's stock valued at $1,924,000 after buying an additional 2,543 shares in the last quarter. Rhumbline Advisers grew its holdings in shares of Industrial Logistics Properties Trust by 21.8% during the second quarter. Rhumbline Advisers now owns 23,526 shares of the company's stock valued at $526,000 after buying an additional 4,216 shares in the last quarter. SG Americas Securities LLC purchased a new position in shares of Industrial Logistics Properties Trust during the second quarter valued at $118,000. New York State Common Retirement Fund purchased a new position in shares of Industrial Logistics Properties Trust during the first quarter valued at $122,000. Finally, Royal Bank of Canada purchased a new position in shares of Industrial Logistics Properties Trust during the first quarter valued at $129,000. Institutional investors and hedge funds own 31.73% of the company's stock. Get Industrial Logistics Properties Trust alerts: +Shares of NASDAQ ILPT opened at $23.84 on Friday. The company has a debt-to-equity ratio of 0.05, a current ratio of 0.16 and a quick ratio of 0.16. Industrial Logistics Properties Trust has a one year low of $17.21 and a one year high of $24.00. Industrial Logistics Properties Trust (NASDAQ:ILPT) last issued its earnings results on Friday, July 27th. The company reported $0.29 EPS for the quarter, missing analysts' consensus estimates of $0.43 by ($0.14). The business had revenue of $39.42 million during the quarter, compared to analysts' expectations of $39.58 million. equities research analysts anticipate that Industrial Logistics Properties Trust will post 1.64 earnings per share for the current year. +The company also recently announced a quarterly dividend, which was paid on Monday, August 13th. Shareholders of record on Monday, July 30th were paid a $0.33 dividend. The ex-dividend date of this dividend was Friday, July 27th. This represents a $1.32 dividend on an annualized basis and a yield of 5.54%. This is an increase from Industrial Logistics Properties Trust's previous quarterly dividend of $0.27. +A number of brokerages have recently weighed in on ILPT. Bank of America downgraded Industrial Logistics Properties Trust from a "buy" rating to a "neutral" rating and set a $25.00 price target on the stock. in a report on Friday, June 22nd. Zacks Investment Research downgraded Industrial Logistics Properties Trust from a "buy" rating to a "hold" rating in a report on Tuesday, June 26th. Finally, Royal Bank of Canada reiterated a "buy" rating and set a $26.00 price target on shares of Industrial Logistics Properties Trust in a report on Tuesday, July 31st. One equities research analyst has rated the stock with a sell rating, two have issued a hold rating and three have given a buy rating to the stock. The stock has an average rating of "Hold" and a consensus target price of $25.50. +Industrial Logistics Properties Trust Company Profile +Industrial Logistics Properties Trust is focused on the ownership and leasing of industrial and logistics properties throughout the United States. The Company owns 266 properties with a total of approximately 28.5 million square feet, including: 226 buildings, leasable land parcels and easements totaling approximately 16.8 million square feet located on the island of Oahu, Hawaii; and 40 properties with approximately 11.7 million square feet located in 24 other states. +See Also: How Do You Make Money With Penny Stocks? Receive News & Ratings for Industrial Logistics Properties Trust Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Industrial Logistics Properties Trust and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test3122.txt b/input/test/Test3122.txt new file mode 100644 index 0000000..99cae53 --- /dev/null +++ b/input/test/Test3122.txt @@ -0,0 +1,3 @@ +Forgot your password? Customer services +If you encounter issues logging in with your credentials, and we will endeavour to assist as quickly as possible Get access to Unquote +Unquote delivers the latest news, research and analysis on the European venture capital and private equity markets. Request a free demonstration or subscribe now. Please click on one of the buttons below \ No newline at end of file diff --git a/input/test/Test3123.txt b/input/test/Test3123.txt new file mode 100644 index 0000000..738bdb9 --- /dev/null +++ b/input/test/Test3123.txt @@ -0,0 +1 @@ +Your video, "2018 Land Rover Discovery: Can it climb Truck Hill?" will start after this message from our sponsors. Loading video... 2018 Land Rover Discovery: Can it climb Truck Hill? We take the latest Disco off-road and attempt the steepest hill we can find. 6:58 / August 17, 2018 Transcript [MUSIC] There is just something about a British vehicle that make you feel you can go out and conquer the world. And such is the case with 2018 Land Rover discovery But I know that a lot of you are just interested in conquering the mall parking lot, so let's get out and drive it out on the pavement and on the dirt and see how she do! << [MUSIC] [BLANK_AUDIO] The Land Rover Discovery was all new for 2017, replacing the LR-4 model and it's only been a year. So, pretty much nothing Nothing has changed. It's still powered by the ubiquitous three liters supercharged engine which is putting out 340 horsepower and 330 two pound feet of torque. That's made it to an eight speed automatic transmission and I have to say I love this power And this car weighs over 4,800 pounds and I have never wanted for any kind of acceleration whatsoever. The transmission shifts really, really smoothly. There are paddle shifters, but I haven't really been using them, and when you get it out in the twisties it behaves surprisingly well. Sure there's a little bit of body roll to get that mass from one side to the other, but all in all it's really surprising. And of course if you want a little bit more performance there is a sport mode, but honestly, this is one of the few cars that I've actually been satisfied just driving around in normal mode. Car goes down to a full time four wheel drive system with the torque split 50 50 from front to rear, although the computer can change that as it sees fit. But you've got that combined with the heavy [UNKNOWN] which means you're gonna suffer a little bit at the pump. Actually, you're gonna suffer a lot of it. This guy is rated for 16 miles per gallon, 21 on the highway, and 18 combined, but during my time, I've only seen about 14. That's not a lot. [MUSIC] And most of you folks are probably going to be using this Land Rover more as daycare than as off road disco and there is a lot to be said for that. This is a really good daily driver or even a road trip car. First of all there's a ton of storage comings. I really like this one right here in the dash, it's great for your wallet or you phone, and there is a total of 88 cubic feet of space all told. And you can flip those rear seats down in a couple of different ways, either through the InTouch system, you can do it from the luggage compartment, or even from the rear doors. But when it comes to luxury, I am a sucker for seats for the 1%. This Discovery is rocking a $2,225 optional package that gives you a heated Third row. Heated and cooled seats in the first and second rows, plus there's a massage function for the driver and passenger. The motor for the massage, well, it's pretty loud, but who cares? That means we're gonna be off-roading, you're gonna be doing it in luxury. [INAUDIBLE] So let's do my favorite thing and go get this disco dirty. All right I'm finally in my happy place, the off road park. The discovery has got an air suspension system and lift it up 3 inches, so I've got 11 inches of ground clearance, plus I got a final approach, brake over and a [INAUDIBLE] angles of 29 and a half, 25 and a half and 28 Respectively. Now, those are Jeep Wrangler Rubicon numbers, but that's okay, because if you bring the Rubicon, also doesn't not have cool different seats with the massage function. I mean, I am super comfy man. This Land Rover has also got the terrain response system, so I've got option for gravel, grass, and snow, mud and ruts, sand, as well as rock crawling. Now That will change the parameters of the transmission, the throttle, the traction control to give you the best ride across whatever option you've chosen. And there's also a two speed transfer case. So basically this thing is pretty capable. It's not king of the hammers capable but it's gonna be able to get anywhere that you probably want to go. But I will say that the first thing I would Would do if I had this vehicle? I would swap out those wheels and tires, man. Cuz this guys has got the optional 21-inch wheels on some just non-aggressive all-terrain rubber. I mean, it's just not ideal for off-roading. So I've lowered my tire pressures a bit, that's about all I can do. And I'm gonna take it on the ultimate off-road test here to the off-road park Truck Hill. [MUSIC] Okay, so this has gotten a lot steeper since the last time I was here, so I'm. I'm gonna go to the left, keep my foot in it, and hope this train response responds, here we go, ready? [BLANK_AUDIO] Come on, girl, come on, you got it, you got it, you got it, you got it, you got it, you got it! [LAUGH], my gosh, it's doing it, it's doing it! [LAUGH] [LAUGH] It's going. Go go go, come on you've still go it. You've still got it. You've still go it. [BLEEP] No. No. No, okay. Okay. [MUSIC] [MUSIC] [SOUND] Okay. So we got stuck. I tried putting it in four wheel drive low and rock crawl mode, but nothing could overcome those inappropriate tires. I even tried using my MAXTRAX recovery devices, but to no avail. I need a tow. And the Disco had that hill. A 27-degree slope is well within her capabilities, but those all-season street tires were having none of it. So we sat. For an hour and a half waiting for recovery, but hey, at least we got to enjoy the cool and massaging seats. Hi. Hello. The 2018 Land Rover Discovery in the HSE luxury trim starts at about $65500 but this guy here with all of the bells and whistles like adaptive cruise control and the train response two system Well that brings the price up to about $82,700. I mean yeah that is a big price to pay but check it out, I got a super cool tailgate too. [MUSIC] [BLANK_AUDIO] Coming up next Breaking down the tech in the 2018 Land Rover Discovery 2017 Land Rover Discovery joins our fleet Discovery SVX is ready for dirt action Go offroad with the Range Rover Sport diesel 2014 Land Rover LR4 Breaking down the tech in the 2018 Land Rover Discovery 3:19 August 17, 2018 Land Rover doesn't have the best reputation when it comes to electronics. Does the Disco do it differently? Play video AutoComplete: Pininfarina preps electric hypercar for Monterey 1:15 August 16, 2018 Plus: Ford brings us a new Cobra Jet and Infiniti gives us more electric vintage racer flavor. Play video Why US car buyers ignore the manual transmission 3:12 We're sort of lazy and can afford to be. Play video McLaren 720S: Too much supercar for the road? 8:39 August 16, 2018 We couldn't figure out where to begin when reviewing McLaren's 710-horsepower monster, so we asked you -- and then regretted it. Play video AutoComplete: Subaru swaps whole cars for its Ascent recall 1:13 August 15, 2018 Plus: Polestar adds RWD fun to AWD Volvos in the UK and VW sold EV's with toxic chargers. Play video AutoComplete: Ford announces Ranger pricing, launches configurator 1:16 Plus: Hertz gets 100 special Z06s, and Tesla sets up a tribunal for Elon. Play video Why your car can't be repaired 5:36 Modern cars may struggle to get past age 10. Play video Semiautomated driving is made cheap and easy with George Hotz 6:45 Comma.ai makes partially automated driving as easy as plug and play. Play vide \ No newline at end of file diff --git a/input/test/Test3124.txt b/input/test/Test3124.txt new file mode 100644 index 0000000..dc18274 --- /dev/null +++ b/input/test/Test3124.txt @@ -0,0 +1 @@ +GPU:GeForce GTX 1070 Ti CPU:Intel(R) Core(TM) i7-8700 CPU @ 23.20GHz メモリ:16 GB RAM �在�解�度:1920 x 1080, 60Hz オペレーティング システム:Microsoft Windows 10 Hom \ No newline at end of file diff --git a/input/test/Test3125.txt b/input/test/Test3125.txt new file mode 100644 index 0000000..9315027 --- /dev/null +++ b/input/test/Test3125.txt @@ -0,0 +1 @@ +Detroit Tigers (50-72) vs. Minnesota Twins (57-63) When : 8:10 p.m. Where : Target Field, Minneapolis, Minn. TV : Fox Sports Detroit. Radio : WXYT-FM (97.1; other radio affiliates ). First-pitch weather forecast : Mostly sunny, 90 degrees. Probable starting pitchers : Tigers LHP Matthew Boyd (7-10, 4.20 ERA). vs. Minnesota Twins RHP Kyle Gibson (6-9, 3.49 ERA). More Detroit Tigers: Tigers honor Aretha Franklin with song titles in game notes Tigers' Victor Martinez 'having fun' as retirement looms Tigers lineup: To be posted. Twitter updates Live updates for mobile users \ No newline at end of file diff --git a/input/test/Test3126.txt b/input/test/Test3126.txt new file mode 100644 index 0000000..f7b06cf --- /dev/null +++ b/input/test/Test3126.txt @@ -0,0 +1,10 @@ +Tweet +Bank of New York Mellon Corp lessened its stake in T-Mobile Us Inc (NASDAQ:TMUS) by 11.8% during the 2nd quarter, HoldingsChannel reports. The institutional investor owned 4,155,263 shares of the Wireless communications provider's stock after selling 555,574 shares during the quarter. Bank of New York Mellon Corp's holdings in T-Mobile Us were worth $248,278,000 at the end of the most recent reporting period. +Several other hedge funds also recently added to or reduced their stakes in the company. Carmignac Gestion lifted its holdings in shares of T-Mobile Us by 1.8% in the first quarter. Carmignac Gestion now owns 6,014,342 shares of the Wireless communications provider's stock worth $367,115,000 after buying an additional 107,906 shares in the last quarter. DnB Asset Management AS purchased a new position in shares of T-Mobile Us in the second quarter worth $240,108,000. Neuberger Berman Group LLC lifted its holdings in shares of T-Mobile Us by 6.5% in the first quarter. Neuberger Berman Group LLC now owns 3,539,001 shares of the Wireless communications provider's stock worth $216,020,000 after buying an additional 214,499 shares in the last quarter. Thornburg Investment Management Inc. lifted its holdings in shares of T-Mobile Us by 8.5% in the first quarter. Thornburg Investment Management Inc. now owns 2,851,660 shares of the Wireless communications provider's stock worth $174,065,000 after buying an additional 223,438 shares in the last quarter. Finally, Northern Trust Corp lifted its holdings in shares of T-Mobile Us by 5.7% in the first quarter. Northern Trust Corp now owns 2,523,648 shares of the Wireless communications provider's stock worth $154,042,000 after buying an additional 137,064 shares in the last quarter. 32.87% of the stock is currently owned by hedge funds and other institutional investors. Get T-Mobile Us alerts: +In other news, EVP David A. Miller sold 5,000 shares of the stock in a transaction on Thursday, July 5th. The shares were sold at an average price of $60.00, for a total value of $300,000.00. The sale was disclosed in a filing with the SEC, which is available at this link . Also, EVP Elizabeth A. Mcauliffe sold 4,187 shares of the stock in a transaction on Wednesday, June 27th. The shares were sold at an average price of $59.58, for a total transaction of $249,461.46. Following the completion of the sale, the executive vice president now directly owns 58,345 shares in the company, valued at approximately $3,476,195.10. The disclosure for this sale can be found here . In the last three months, insiders sold 85,038 shares of company stock worth $5,487,844. Insiders own 0.37% of the company's stock. Several research firms have recently commented on TMUS. BidaskClub raised shares of T-Mobile Us from a "sell" rating to a "hold" rating in a report on Tuesday, August 7th. ValuEngine raised shares of T-Mobile Us from a "sell" rating to a "hold" rating in a research note on Tuesday, August 7th. Societe Generale reaffirmed a "buy" rating and set a $71.00 price target on shares of T-Mobile Us in a research note on Thursday, August 2nd. Nomura reaffirmed a "neutral" rating and set a $68.00 price target on shares of T-Mobile Us in a research note on Thursday, August 2nd. Finally, Wells Fargo & Co raised shares of T-Mobile Us from a "market perform" rating to an "outperform" rating in a research note on Wednesday, June 27th. One investment analyst has rated the stock with a sell rating, five have assigned a hold rating, fifteen have issued a buy rating and three have issued a strong buy rating to the company's stock. The stock presently has a consensus rating of "Buy" and an average target price of $71.46. +T-Mobile Us stock opened at $65.98 on Friday. The firm has a market cap of $55.05 billion, a P/E ratio of 28.81, a price-to-earnings-growth ratio of 1.06 and a beta of 0.44. The company has a current ratio of 0.76, a quick ratio of 0.66 and a debt-to-equity ratio of 1.25. T-Mobile Us Inc has a 52-week low of $54.60 and a 52-week high of $66.52. +T-Mobile Us (NASDAQ:TMUS) last announced its earnings results on Wednesday, August 1st. The Wireless communications provider reported $0.92 earnings per share for the quarter, beating the Thomson Reuters' consensus estimate of $0.86 by $0.06. T-Mobile Us had a net margin of 11.27% and a return on equity of 10.87%. The business had revenue of $10.57 billion for the quarter, compared to the consensus estimate of $10.65 billion. During the same quarter in the prior year, the firm posted $0.67 earnings per share. The business's revenue for the quarter was up 3.5% on a year-over-year basis. equities research analysts predict that T-Mobile Us Inc will post 3.18 earnings per share for the current fiscal year. +About T-Mobile Us +T-Mobile US, Inc, together with its subsidiaries, provides mobile communications services in the United States, Puerto Rico, and the United States Virgin Islands. The company offers voice, messaging, and data services to 72.6 million customers in the postpaid, prepaid, and wholesale markets. It also provides wireless devices, including smartphones, tablets, and other mobile communication devices, as well as accessories that are manufactured by various suppliers. +Featured Story: Growth Stocks, What They Are, What They Are Not +Want to see what other hedge funds are holding TMUS? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for T-Mobile Us Inc (NASDAQ:TMUS). Receive News & Ratings for T-Mobile Us Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for T-Mobile Us and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test3127.txt b/input/test/Test3127.txt new file mode 100644 index 0000000..99cae53 --- /dev/null +++ b/input/test/Test3127.txt @@ -0,0 +1,3 @@ +Forgot your password? Customer services +If you encounter issues logging in with your credentials, and we will endeavour to assist as quickly as possible Get access to Unquote +Unquote delivers the latest news, research and analysis on the European venture capital and private equity markets. Request a free demonstration or subscribe now. Please click on one of the buttons below \ No newline at end of file diff --git a/input/test/Test3128.txt b/input/test/Test3128.txt new file mode 100644 index 0000000..e4cfd4b --- /dev/null +++ b/input/test/Test3128.txt @@ -0,0 +1,10 @@ +Tweet +Comerica Bank trimmed its stake in Bottomline Technologies (NASDAQ:EPAY) by 3.6% in the 2nd quarter, HoldingsChannel.com reports. The institutional investor owned 75,388 shares of the technology company's stock after selling 2,796 shares during the period. Comerica Bank's holdings in Bottomline Technologies were worth $4,190,000 at the end of the most recent quarter. +A number of other institutional investors also recently added to or reduced their stakes in EPAY. SG Americas Securities LLC purchased a new stake in shares of Bottomline Technologies in the 1st quarter worth approximately $103,000. Mount Yale Investment Advisors LLC purchased a new stake in shares of Bottomline Technologies in the 1st quarter worth approximately $137,000. Janney Montgomery Scott LLC purchased a new stake in shares of Bottomline Technologies in the 2nd quarter worth approximately $202,000. Bayesian Capital Management LP purchased a new stake in shares of Bottomline Technologies in the 1st quarter worth approximately $208,000. Finally, Engineers Gate Manager LP purchased a new stake in shares of Bottomline Technologies in the 1st quarter worth approximately $214,000. 93.05% of the stock is owned by institutional investors. Get Bottomline Technologies alerts: +NASDAQ EPAY opened at $60.15 on Friday. The company has a debt-to-equity ratio of 0.48, a current ratio of 1.87 and a quick ratio of 1.67. The company has a market cap of $2.41 billion, a P/E ratio of 79.14 and a beta of 0.94. Bottomline Technologies has a 52 week low of $28.20 and a 52 week high of $61.00. Bottomline Technologies (NASDAQ:EPAY) last posted its quarterly earnings data on Thursday, August 9th. The technology company reported $0.35 EPS for the quarter, topping the consensus estimate of $0.30 by $0.05. The firm had revenue of $106.50 million during the quarter, compared to analyst estimates of $101.05 million. Bottomline Technologies had a net margin of 2.69% and a return on equity of 10.28%. Bottomline Technologies's revenue was up 13.9% on a year-over-year basis. During the same quarter in the previous year, the business posted $0.28 EPS. research analysts forecast that Bottomline Technologies will post 0.68 earnings per share for the current fiscal year. +Several equities research analysts have recently weighed in on the stock. Zacks Investment Research raised shares of Bottomline Technologies from a "hold" rating to a "buy" rating and set a $67.00 price target for the company in a research report on Wednesday. TheStreet raised shares of Bottomline Technologies from a "c+" rating to a "b" rating in a research report on Friday, August 10th. Royal Bank of Canada upped their price target on shares of Bottomline Technologies from $42.00 to $57.00 and gave the stock a "sector perform" rating in a research report on Friday, August 10th. Citigroup upped their price target on shares of Bottomline Technologies from $58.00 to $66.00 and gave the stock a "buy" rating in a research report on Friday, August 10th. Finally, Craig Hallum reaffirmed a "buy" rating and issued a $63.00 price target on shares of Bottomline Technologies in a research report on Friday, August 10th. One equities research analyst has rated the stock with a hold rating, five have issued a buy rating and two have issued a strong buy rating to the stock. Bottomline Technologies has an average rating of "Buy" and an average target price of $59.83. +In related news, insider Nigel K. Savory sold 11,855 shares of the business's stock in a transaction that occurred on Wednesday, June 6th. The shares were sold at an average price of $49.80, for a total transaction of $590,379.00. Following the completion of the transaction, the insider now owns 110,326 shares in the company, valued at approximately $5,494,234.80. The transaction was disclosed in a document filed with the SEC, which is available at this hyperlink . Also, CEO Robert A. Eberle sold 19,591 shares of the business's stock in a transaction that occurred on Wednesday, May 23rd. The stock was sold at an average price of $46.55, for a total transaction of $911,961.05. Following the transaction, the chief executive officer now owns 381,819 shares of the company's stock, valued at approximately $17,773,674.45. The disclosure for this sale can be found here . In the last quarter, insiders have sold 54,844 shares of company stock valued at $2,757,481. 2.40% of the stock is currently owned by company insiders. +About Bottomline Technologies +Bottomline Technologies (de), Inc provides software as a service based solutions. It operates through four segments: Cloud Solutions, Digital Banking, Payments and Transactional Documents, and Other. The company's products and services include Paymode-X, a cloud-based payment network that offers electronic payments and remittance delivery, online access to payment detail and reports, online payment approvals, electronic invoice delivery, and turnkey vendor enrollment and support; and digital banking solutions that provide payments, cash management, and online banking solutions to financial institutions. +Featured Article: Leveraged Buyout (LBO) +Want to see what other hedge funds are holding EPAY? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Bottomline Technologies (NASDAQ:EPAY). Receive News & Ratings for Bottomline Technologies Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Bottomline Technologies and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test3129.txt b/input/test/Test3129.txt new file mode 100644 index 0000000..da3d20e --- /dev/null +++ b/input/test/Test3129.txt @@ -0,0 +1,55 @@ +Answered You can hire a professional tutor to get the answer. QUESTION Aug 17, 2018 Close 1. Katie Posh runs an upscale nail salon. The service process includes five activities that are conducted in the sequence described below. +Close +1. Katie Posh runs an upscale nail salon. The service process includes five activities that are conducted in the sequence described below. (The time required for each activity is shown in parentheses): +Activity 1: Welcome a guest. (1 minute) +Activity 2: Clip and file nails. (3 minutes) +Activity 3: Paint. (5 minutes) +Activity 4: Dry. (10 minutes) +Activity 5: Check out the customer. (4 minutes) +Three servers (S1, S2, and S3) offer the services in a worker-paced line. The assignment of tasks to servers is the following: S1 does Activity 1. S2 does Activities 2 and 3. S3 does Activities 4 and 5. The drying process does not require server 3's constant attention; she/he needs to only escort the customer to the salon's drying chair (equipped with fans for drying). The time to do this is negligible. There exists only one drying chair in the salon. +Which resource is the bottleneck of the process? +a. S3 +c. Dryer chair +d. S1 +2. Katie Posh runs an upscale nail salon. The service process includes five activities that are conducted in the sequence described below. (The time required for each activity is shown in parentheses): +Activity 1: Welcome a guest. (1 minute) +Activity 2: Clip and file nails. (3 minutes) +Activity 3: Paint. (5 minutes) +Activity 4: Dry. (10 minutes) +Activity 5: Check out the customer. (4 minutes) +Three servers (S1, S2, and S3) offer the services in a worker-paced line. The assignment of tasks to servers is the following: S1 does Activity 1. S2 does Activities 2 and 3. S3 does Activities 4 and 5. The drying process does not require server 3's constant attention; she/he needs to only escort the customer to the salon's drying chair (equipped with fans for drying). The time to do this is negligible. There exists only one drying chair in the salon. +What is the utilization of server 2 (in decimal form)? Assume that there is unlimited demand and that the process only admits customers at the rate of the bottleneck? +3. Katie Posh runs an upscale nail salon. The service process includes five activities that are conducted in the sequence described below. (The time required for each activity is shown in parentheses): +Activity 1: Welcome a guest. (1 minute) +Activity 2: Clip and file nails. (3 minutes) +Activity 3: Paint. (5 minutes) +Activity 4: Dry. (10 minutes) +Activity 5: Check out the customer. (4 minutes) +Three servers (S1, S2, and S3) offer the services in a worker-paced line. The assignment of tasks to servers is the following: S1 does Activity 1. S2 does Activities 2 and 3. S3 does Activities 4 and 5. The drying process does not require server 3's constant attention; she/he needs to only escort the customer to the salon's drying chair (equipped with fans for drying). The time to do this is negligible. There exists only one drying chair in the salon. +What is the average labor utilization of the servers (in decimal form)? Assume that there is unlimited demand and that the process only admits customers at the rate of the bottleneck.? +4. Katie Posh runs an upscale nail salon. The service process includes five activities that are conducted in the sequence described below. (The time required for each activity is shown in parentheses): +Activity 1: Welcome a guest. (1 minute) +Activity 2: Clip and file nails. (3 minutes) +Activity 3: Paint. (5 minutes) +Activity 4: Dry. (10 minutes) +Activity 5: Check out the customer. (4 minutes) +Three servers (S1, S2, and S3) offer the services in a worker-paced line. The assignment of tasks to servers is the following: S1 does Activity 1. S2 does Activities 2 and 3. S3 does Activities 4 and 5. The drying process does not require server 3's constant attention; she/he needs to only escort the customer to the salon's drying chair (equipped with fans for drying). The time to do this is negligible. There exists only one drying chair in the salon. +Assume a wage rate of $12 per hour. What are the direct labor costs for one customer (in dollars)? +5. Butternut is a ski resort in Massachusetts. One of their triple chair lifts unloads 1296 skiers per hour at the top of the slope. (A triple chair lift can carry three passengers per chair. Note that each lift contains multiple chairs.) The ride from the bottom to the top takes 5 minutes. On average, how many skiers are riding on the lift at any one time? +6. Tech Company is a medium-sized consumer electronics retailer. The company reported $155,000,000 in revenues for 2007 and $110,050,000 in Costs of Goods Sold (COGS). In the same year, Tech Co. held an average of $20,000,000 in inventory. How many times did Tech Co. turn its inventory in 2007? +7. Tech Company is a medium-sized consumer electronics retailer. The company reported $155,000,000 in revenues for 2007 and $110,050,000 in Costs of Goods Sold (COGS). In the same year, Tech Co. held an average of $20,000,000 in inventory. Inventory cost at Tech Co. is 35 percent per year. What is the per unit inventory cost (in dollars) for an MP3 player sold at $50? Assume that the margin corresponds to the retailer's average margin. +8. The Gamer Company is a video game production company that specializes in educational video games for kids. The company's R&D department is always looking for great ideas for new games. On average, the R&D department generates about 25 new ideas a week. To go from idea to approved product, the idea must pass through the following stages: paper screening (a 1-page document describing the idea and giving a rough sketch of the design), prototype development, testing, and a focus group. At the end of each stage, successful ideas enter the next stage. All other ideas are dropped. The following chart depicts this process, and the probability of succeeding at each stage. +The paper screening for each idea takes 2 hours of a staff member's time. After that, there is a stage of designing and producing a prototype. A designer spends 4 hours designing the game in a computer-aided-design (CAD) package. The actual creation of the mock-up is outsourced to one of many suppliers with essentially limitless capacity. It takes 4 days to get the prototype programmed, and multiple prototypes can be created simultaneously. A staff member of the testing team needs 2 days to test an idea. Running the focus group takes 2 hours of a staff member's time per idea, and only one game is tested in each focus group. Finally, the management team meets for 3 hours per idea to decide if the game should go into production. +Available working hours for each staff member are 8 hours per day, 5 days a week. The current staffing plan is as follows: +A. Paper screening: 3 staff members. +B. Design and Production: 4 staff members. +C. Testing: 6 staff members. +D. Focus Group: 1 staff member. +E. Final Decision: 1 management team +How many new ideas would Gamer Co. approve for production per week if it had unlimited capacity (staff) in its R&D process? +9. In the above question Which stage is the bottleneck according to the current staffing plan?a. Testing +b. Final decision +d. Design and production +e Paper screening +10. With the current staffing plan, how many new ideas will be put into production per week? +HAVEN'T FOUND WHAT YOU NEED? Let's order the best Get answer Related Questions \ No newline at end of file diff --git a/input/test/Test313.txt b/input/test/Test313.txt new file mode 100644 index 0000000..390a37a --- /dev/null +++ b/input/test/Test313.txt @@ -0,0 +1,8 @@ +Orbis Research +The Study discussed brief overview and in-depth assessment on Global Acetaldehyde Market 2018 including key market trends,upcoming technologies,industry drivers,challenges,regulatory policies,with key company profiles and overall competitive scenario.The market study can help them to make critical business decisions on production techniques,raw materials procurement,and to increase industry chain cycle of market across the globe. +Get Sample of Global Acetaldehyde Market 2018 Report @ http://www.orbisresearch.com/contacts/request-sample/2139002 +In our aim to provide our erudite clients with the best research material with absolute in-depth information of the market, our new report on Global Acetaldehyde Market is confident in meeting their needs and expectations. The 2018 market research report on Global Acetaldehyde Market is an in-depth study and analysis of the market by our industry experts with unparalleled domain knowledge. The report will shed light on many critical points and trends of the industry which are useful for our esteemed clients. The report covers a vast expanse of information including an overview, comprehensive analysis, definitions and classifications, applications, and expert opinions, among others. With the extent of information filled in the report, the presentation and style of the Global Acetaldehyde Market report is a noteworthy.The Global Acetaldehyde Industry report provides key information about the industry, including invaluable facts and figures, expert opinions, and the latest developments across the globe. Not only does the report cover a holistic view of the industry from a global standpoint, but it also covers individual regions and their development. The Global Acetaldehyde Industry report showcases the latest trends in the global and regional markets on all critical parameters which include technology, supplies, capacity, production, profit, price, and competition. The key players covered in the report provide a detailed analysis of the competition and their developments in the Global Acetaldehyde Industry. Accurate forecasts and expert opinion from credible sources, and the recent R&D development in the industry is also a mainstay of the Acetaldehyde Market report. +Enquiry About Global Acetaldehyde Market 2018 Report @ http://www.orbisresearch.com/contacts/enquiry-before-buying/2139002 The report also focuses on the significance of industry chain analysis and all variables, both upstream and downstream. These include equipment and raw materials, client surveys, marketing channels, and industry trends and proposals. Other significant information covering consumption, key regions and distributors, and raw material suppliers are also a covered in this report.Finally, the Acetaldehyde Market report ends with a detailed SWOT analysis of the market, investment feasibility and returns, and development trends and forecasts. As with every report on Orbis Research, the Acetaldehyde Industry is the holy grail of information which serious knowledge seekers can benefit from. The report which is the result of ultimate dedication of pedigree professionals has a wealth of information which can benefit anyone, irrespective of their commercial or academic interest. +Browse Global Acetaldehyde Market 2018 Report @ http://www.orbisresearch.com/reports/index/2018-market-research-report-on-global-acetaldehyde-industry +Some of Major Point From TOC of Global Acetaldehyde Market 2018 +Chapter One: Acetaldehyde Market Overview 1.1 Product Overview and Scope of Acetaldehyde1.2 Acetaldehyde Segment by Type (Product Category)1.2.1 Global Acetaldehyde Production and CAGR (%) Comparison by Type (Product Category)(2013-2025)1.2.2 Global Acetaldehyde Production Market Share by Type (Product Category) in 20171.2.3 Ethylene Type1.3 Global Acetaldehyde Segment by Application1.3.1 Acetaldehyde Consumption (Sales) Comparison by Application (2013-2025)1.3.2 Acetic aci \ No newline at end of file diff --git a/input/test/Test3130.txt b/input/test/Test3130.txt new file mode 100644 index 0000000..4c2028c --- /dev/null +++ b/input/test/Test3130.txt @@ -0,0 +1,8 @@ +1 2.13 +Trecora Resources currently has a consensus price target of $16.00, suggesting a potential upside of 16.36%. Exxon Mobil has a consensus price target of $87.17, suggesting a potential upside of 11.75%. Given Trecora Resources' stronger consensus rating and higher possible upside, equities research analysts clearly believe Trecora Resources is more favorable than Exxon Mobil. +Summary +Exxon Mobil beats Trecora Resources on 11 of the 18 factors compared between the two stocks. +About Trecora Resources +Trecora Resources manufactures and sells various specialty petrochemical products and synthetic waxes in the United States. The company operates in two segments, Petrochemical and Specialty Waxes. The Petrochemical segment offers hydrocarbons and other petroleum based products, including isopentane, normal pentane, isohexane, and hexane for use in the production of polyethylene, packaging, polypropylene, expandable polystyrene, poly-iso/urethane foams, and crude oil from the Canadian tar sands, as well as in the catalyst support industry. It also owns and operates pipelines. The Specialty Waxes segment provides specialty polyethylene for use in the paints and inks, adhesives, coatings, and PVC lubricants markets; and specialized synthetic poly alpha olefin waxes for use as toner in printers, as well as additives for candles. The company also provides custom processing services; and produces copper and zinc concentrates, and silver and gold doré. Trecora Resources was formerly known as Arabian American Development Company and changed its name to Trecora Resources in June 2014. Trecora Resources was founded in 1967 and is based in Sugar Land, Texas. +About Exxon Mobil +Exxon Mobil Corporation explores for and produces crude oil and natural gas in the United States, Canada/Other Americas, Europe, Africa, Asia, and Australia/Oceania. It operates through Upstream, Downstream, and Chemical segments. The company also manufactures petroleum products; manufactures and markets commodity petrochemicals, including olefins, aromatics, polyethylene, and polypropylene plastics, as well as various specialty products; and transports and sells crude oil, natural gas, and petroleum products. As of December 31, 2017, it had approximately 25,827 net operated wells with proved reserves of 21.2 billion oil-equivalent barrels. The company has collaboration agreements with MagnaBond, LLC to develop technologies that enhances evaluation of well cementing, casing, and tubing. Exxon Mobil Corporation was founded in 1870 and is headquartered in Irving, Texas. Receive News & Ratings for Trecora Resources Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Trecora Resources and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test3131.txt b/input/test/Test3131.txt new file mode 100644 index 0000000..a7b3b8b --- /dev/null +++ b/input/test/Test3131.txt @@ -0,0 +1,14 @@ +Uber's new Brazil center aims to improve safety of cash transactions Thursday, August 16, 2018 10:07 p.m. CDT FILE PHOTO: The logo of Uber is seen on an iPad, during a news conference to announce Uber resumes ride-hailing service, in Taipei, Taiwan A +By Marcelo Rochabrun +SAO PAULO (Reuters) - Ride-hailing company Uber Technologies Inc plans to open a 250 million-reais ($64-million) center in Brazil that will research technology to make it safer for its drivers to accept cash, a key payment method in its rapid expansion in Latin America, the company said Friday. +Uber's Safety Product Director Sachin Kansal said in an interview that the investment over the next five years would fund an office with around 150 tech specialists in Sao Paulo, its biggest city in the world by rides, focused on a variety of safety solutions. +Brazil is Uber's second-largest national market after the United States with 1 billion rides in the past four years and a profitable bottom line, according to executives. Yet the imperative of accepting cash for rides here instead of relying solely on credit and debit cards as it does in the United States has also brought safety challenges. +Chief Executive Dara Khosrowshahi, who took the reins one year ago, has said safety is now Uber's top priority. +While in the United States and other developed markets, concerns have focused on the safety of riders, in emerging markets the danger can cut both ways, as drivers accepting cash payments have become targets for attacks from riders. +"Cash is extremely important for us to support," Kansal said in an interview at Uber's Sao Paulo office. "There is a certain segment of society which does not have access to credit cards and that is also the segment of society that is probably in the most need of convenient, reliable transportation." +New tools were helping to confirm the identity of users without credit cards, he said. One such method, which requires the Brazilian equivalent of a social security number for a rider to pay with cash, was introduced last year after Reuters revealed a spike in attacks on Uber drivers as the company rolled out cash payments. +Kansal said Uber was also using machine learning to block trips it considered risky before they happened. He declined to share the number of trips that had been flagged by its systems. +Uber also allows drivers and riders to share their locations in real time with contacts. The percentage of Uber users that activate the feature is in the "high single digits," he said. +"Drivers are using it more than riders globally," Kansal said, "but the magnitude of that difference in Latin America is actually quite high." +Kansal said he had not researched the disparity and declined to offer an explanation. +(Reporting by Marcelo Rochabrun; Editing by Brad Haynes and Cynthia Osterman) More From Technolog \ No newline at end of file diff --git a/input/test/Test3132.txt b/input/test/Test3132.txt new file mode 100644 index 0000000..0bbeb5e --- /dev/null +++ b/input/test/Test3132.txt @@ -0,0 +1,8 @@ +Somewhat Positive News Coverage Somewhat Unlikely to Impact Cameco (CCJ) Stock Price Commonwealth of Pennsylvania Public School Empls Retrmt SYS Acquires Shares of 18,300 Check Point Software Technologies Ltd. (CHKP) Tweet +Commonwealth of Pennsylvania Public School Empls Retrmt SYS acquired a new stake in Check Point Software Technologies Ltd. (NASDAQ:CHKP) during the second quarter, according to its most recent filing with the SEC. The firm acquired 18,300 shares of the technology company's stock, valued at approximately $1,788,000. +A number of other large investors have also recently bought and sold shares of CHKP. Massachusetts Financial Services Co. MA grew its position in Check Point Software Technologies by 11.3% in the 2nd quarter. Massachusetts Financial Services Co. MA now owns 13,816,985 shares of the technology company's stock valued at $1,349,645,000 after buying an additional 1,405,305 shares during the last quarter. FIL Ltd grew its position in Check Point Software Technologies by 50.4% in the 1st quarter. FIL Ltd now owns 2,590,559 shares of the technology company's stock valued at $257,346,000 after buying an additional 868,345 shares during the last quarter. Wells Fargo & Company MN grew its position in Check Point Software Technologies by 29.0% in the 1st quarter. Wells Fargo & Company MN now owns 2,121,257 shares of the technology company's stock valued at $210,726,000 after buying an additional 477,013 shares during the last quarter. Altrinsic Global Advisors LLC grew its position in Check Point Software Technologies by 86.0% in the 1st quarter. Altrinsic Global Advisors LLC now owns 737,180 shares of the technology company's stock valued at $73,232,000 after buying an additional 340,763 shares during the last quarter. Finally, Pendal Group Ltd grew its position in Check Point Software Technologies by 13.6% in the 1st quarter. Pendal Group Ltd now owns 2,097,427 shares of the technology company's stock valued at $208,358,000 after buying an additional 251,776 shares during the last quarter. Hedge funds and other institutional investors own 65.02% of the company's stock. Get Check Point Software Technologies alerts: +A number of equities research analysts have commented on the company. Barclays reissued a "hold" rating and issued a $120.00 target price on shares of Check Point Software Technologies in a report on Thursday, July 26th. Morgan Stanley raised their target price on Check Point Software Technologies from $102.00 to $116.00 and gave the company an "equal weight" rating in a report on Thursday, July 26th. Stifel Nicolaus reissued a "hold" rating and issued a $112.00 target price (up previously from $95.00) on shares of Check Point Software Technologies in a report on Thursday, July 26th. BMO Capital Markets raised their target price on Check Point Software Technologies from $108.00 to $130.00 and gave the company a "market perform" rating in a report on Thursday, July 26th. Finally, Zacks Investment Research raised Check Point Software Technologies from a "hold" rating to a "buy" rating and set a $127.00 target price for the company in a report on Monday, August 6th. Twenty-one equities research analysts have rated the stock with a hold rating and six have assigned a buy rating to the stock. The stock currently has an average rating of "Hold" and an average target price of $114.19. NASDAQ:CHKP opened at $114.31 on Friday. The firm has a market cap of $18.58 billion, a PE ratio of 23.38, a PEG ratio of 2.27 and a beta of 0.62. Check Point Software Technologies Ltd. has a 52-week low of $93.76 and a 52-week high of $119.20. +Check Point Software Technologies (NASDAQ:CHKP) last released its quarterly earnings results on Wednesday, July 25th. The technology company reported $1.37 earnings per share (EPS) for the quarter, topping the consensus estimate of $1.19 by $0.18. The business had revenue of $467.80 million during the quarter, compared to the consensus estimate of $461.32 million. Check Point Software Technologies had a return on equity of 22.98% and a net margin of 43.43%. The business's revenue was up 2.0% on a year-over-year basis. During the same quarter in the previous year, the company posted $1.26 EPS. research analysts forecast that Check Point Software Technologies Ltd. will post 5.17 earnings per share for the current fiscal year. +Check Point Software Technologies Company Profile +Check Point Software Technologies Ltd. develops, markets, and supports a range of products and services for IT security worldwide. The company offers a portfolio of network and gateway solutions, management solutions, and data and endpoint security solutions. It provides Check Point Infinity Architecture, a cyber security architecture that protects against 5th generation mega cyber-attacks across various networks, endpoint, cloud, and mobile; security gateways from platforms for small business and small office locations, high end and high demanding data centers, and perimeter environments; and Check Point SandBlast family for threat prevention and zero-day protections. +Further Reading: Stock Symbols Definition, Examples, Lookup Receive News & Ratings for Check Point Software Technologies Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Check Point Software Technologies and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test3133.txt b/input/test/Test3133.txt new file mode 100644 index 0000000..d2ad558 --- /dev/null +++ b/input/test/Test3133.txt @@ -0,0 +1,11 @@ +BNP Paribas Arbitrage SA Has $473,000 Stake in Bancorpsouth Bank (BXS) Caroline Horne | Aug 17th, 2018 +BNP Paribas Arbitrage SA reduced its position in shares of Bancorpsouth Bank (NYSE:BXS) by 46.9% in the second quarter, according to the company in its most recent disclosure with the Securities and Exchange Commission. The firm owned 14,368 shares of the bank's stock after selling 12,677 shares during the period. BNP Paribas Arbitrage SA's holdings in Bancorpsouth Bank were worth $473,000 as of its most recent SEC filing. +Several other institutional investors have also recently bought and sold shares of the company. Zeke Capital Advisors LLC purchased a new stake in Bancorpsouth Bank in the second quarter worth approximately $202,000. Amalgamated Bank boosted its holdings in Bancorpsouth Bank by 14.9% in the second quarter. Amalgamated Bank now owns 13,902 shares of the bank's stock worth $458,000 after purchasing an additional 1,802 shares during the last quarter. Trust Co purchased a new stake in Bancorpsouth Bank in the first quarter worth approximately $4,620,000. Principal Financial Group Inc. boosted its holdings in Bancorpsouth Bank by 2.8% in the first quarter. Principal Financial Group Inc. now owns 364,756 shares of the bank's stock worth $11,599,000 after purchasing an additional 9,767 shares during the last quarter. Finally, Wesbanco Bank Inc. purchased a new stake in Bancorpsouth Bank in the first quarter worth approximately $742,000. Institutional investors own 70.25% of the company's stock. Get Bancorpsouth Bank alerts: +Several equities research analysts recently issued reports on the stock. Stephens restated a "buy" rating and issued a $36.00 target price on shares of Bancorpsouth Bank in a report on Friday, April 20th. Brean Capital restated a "hold" rating on shares of Bancorpsouth Bank in a report on Monday, July 30th. Zacks Investment Research cut shares of Bancorpsouth Bank from a "buy" rating to a "hold" rating in a report on Monday, May 28th. Finally, ValuEngine upgraded shares of Bancorpsouth Bank from a "hold" rating to a "buy" rating in a report on Saturday, May 12th. Eight analysts have rated the stock with a hold rating and one has assigned a buy rating to the company. The stock currently has a consensus rating of "Hold" and a consensus target price of $35.43. +Shares of BXS stock opened at $34.35 on Friday. Bancorpsouth Bank has a 12-month low of $27.20 and a 12-month high of $35.55. The company has a debt-to-equity ratio of 0.02, a quick ratio of 0.85 and a current ratio of 0.86. The company has a market capitalization of $3.08 billion, a P/E ratio of 20.66 and a beta of 1.37. +Bancorpsouth Bank (NYSE:BXS) last issued its earnings results on Wednesday, July 18th. The bank reported $0.56 earnings per share (EPS) for the quarter, topping the Thomson Reuters' consensus estimate of $0.55 by $0.01. Bancorpsouth Bank had a net margin of 21.59% and a return on equity of 9.90%. The company had revenue of $214.58 million for the quarter, compared to analysts' expectations of $214.20 million. During the same quarter last year, the company posted $0.42 earnings per share. equities analysts predict that Bancorpsouth Bank will post 2.21 EPS for the current year. +The firm also recently declared a quarterly dividend, which will be paid on Monday, October 1st. Stockholders of record on Friday, September 14th will be paid a dividend of $0.17 per share. This represents a $0.68 annualized dividend and a dividend yield of 1.98%. The ex-dividend date is Thursday, September 13th. This is a boost from Bancorpsouth Bank's previous quarterly dividend of $0.14. Bancorpsouth Bank's dividend payout ratio (DPR) is currently 33.53%. +About Bancorpsouth Bank +BancorpSouth Bank provides commercial banking and financial services to individuals and small-to-medium size businesses. It offers various deposit products, including interest and noninterest bearing demand deposits, and saving and other time deposits. The company also provides commercial loans, including term loans, lines of credit, equipment and receivable financing, and agricultural loans; a range of short-to-medium term secured and unsecured commercial loans to businesses for working capital, business expansion, and the purchase of equipment and machinery; and construction loans to real estate developers for the acquisition, development, and construction of residential subdivisions. +Featured Story: Stock Symbols and CUSIP Explained +Want to see what other hedge funds are holding BXS? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Bancorpsouth Bank (NYSE:BXS). Bancorpsouth Bank Bancorpsouth Ban \ No newline at end of file diff --git a/input/test/Test3134.txt b/input/test/Test3134.txt new file mode 100644 index 0000000..f58fbb2 --- /dev/null +++ b/input/test/Test3134.txt @@ -0,0 +1,12 @@ +$273.50 Million in Sales Expected for LivaNova PLC (LIVN) This Quarter Donald Scott | Aug 17th, 2018 +Analysts expect LivaNova PLC (NASDAQ:LIVN) to post sales of $273.50 million for the current fiscal quarter, according to Zacks . Three analysts have issued estimates for LivaNova's earnings. The lowest sales estimate is $272.80 million and the highest is $274.30 million. LivaNova posted sales of $309.70 million in the same quarter last year, which suggests a negative year-over-year growth rate of 11.7%. The firm is expected to issue its next quarterly earnings results on Thursday, November 1st. +According to Zacks, analysts expect that LivaNova will report full year sales of $1.11 billion for the current year. For the next financial year, analysts expect that the company will post sales of $1.18 billion per share, with estimates ranging from $1.17 billion to $1.18 billion. Zacks Investment Research's sales calculations are an average based on a survey of sell-side analysts that follow LivaNova. Get LivaNova alerts: +LivaNova (NASDAQ:LIVN) last announced its quarterly earnings results on Wednesday, August 1st. The company reported $0.96 earnings per share (EPS) for the quarter, beating analysts' consensus estimates of $0.92 by $0.04. The company had revenue of $287.50 million for the quarter, compared to the consensus estimate of $278.08 million. LivaNova had a negative net margin of 4.93% and a positive return on equity of 9.24%. LivaNova's revenue for the quarter was up 12.4% compared to the same quarter last year. During the same period in the previous year, the firm posted $0.93 EPS. +A number of analysts have issued reports on LIVN shares. Needham & Company LLC reiterated a "buy" rating and issued a $106.00 price target (up from $102.00) on shares of LivaNova in a report on Thursday, May 31st. Zacks Investment Research downgraded shares of LivaNova from a "hold" rating to a "strong sell" rating in a report on Thursday, May 17th. Stifel Nicolaus lifted their price target on shares of LivaNova from $115.00 to $130.00 and gave the company a "buy" rating in a report on Tuesday, July 24th. BTIG Research reiterated a "hold" rating on shares of LivaNova in a report on Thursday, May 3rd. Finally, BidaskClub upgraded shares of LivaNova from a "buy" rating to a "strong-buy" rating in a report on Thursday, July 26th. Three equities research analysts have rated the stock with a hold rating, four have given a buy rating and two have assigned a strong buy rating to the stock. The company currently has an average rating of "Buy" and a consensus target price of $102.67. +In other LivaNova news, insider David S. Wise sold 1,500 shares of LivaNova stock in a transaction on Monday, July 16th. The shares were sold at an average price of $102.04, for a total value of $153,060.00. The sale was disclosed in a legal filing with the Securities & Exchange Commission, which is available through this hyperlink . Also, CEO Damien Mcdonald sold 15,742 shares of LivaNova stock in a transaction on Friday, June 8th. The stock was sold at an average price of $96.51, for a total transaction of $1,519,260.42. The disclosure for this sale can be found here . Insiders sold a total of 23,572 shares of company stock valued at $2,286,013 over the last three months. Corporate insiders own 0.41% of the company's stock. +Several large investors have recently modified their holdings of the business. Nelson Van Denburg & Campbell Wealth Management Group LLC grew its stake in shares of LivaNova by 24.9% in the 2nd quarter. Nelson Van Denburg & Campbell Wealth Management Group LLC now owns 3,973 shares of the company's stock worth $397,000 after buying an additional 792 shares in the last quarter. grace capital purchased a new position in shares of LivaNova in the 2nd quarter worth $100,000. Redmile Group LLC grew its stake in shares of LivaNova by 15.7% in the 2nd quarter. Redmile Group LLC now owns 599,788 shares of the company's stock worth $59,871,000 after buying an additional 81,500 shares in the last quarter. Point72 Europe London LLP grew its stake in shares of LivaNova by 103.2% in the 2nd quarter. Point72 Europe London LLP now owns 71,872 shares of the company's stock worth $7,174,000 after buying an additional 36,500 shares in the last quarter. Finally, Cubist Systematic Strategies LLC grew its stake in shares of LivaNova by 22.2% in the 2nd quarter. Cubist Systematic Strategies LLC now owns 2,404 shares of the company's stock worth $240,000 after buying an additional 437 shares in the last quarter. 85.14% of the stock is owned by institutional investors and hedge funds. +Shares of NASDAQ LIVN opened at $122.00 on Friday. The company has a debt-to-equity ratio of 0.03, a quick ratio of 1.08 and a current ratio of 1.51. The firm has a market capitalization of $5.98 billion, a price-to-earnings ratio of 36.86, a P/E/G ratio of 3.54 and a beta of 0.88. LivaNova has a 52-week low of $60.22 and a 52-week high of $124.97. +LivaNova Company Profile +LivaNova PLC, a medical device company, designs, develops, manufactures, and sells therapeutic solutions worldwide. The company operates in two segments, Cardiac Surgery and Neuromodulation. The Cardiac Surgery segment develops, produces, and sells cardiopulmonary products, including oxygenators, heart-lung machines, perfusion tubing systems, cannulae and accessories for extracorporeal circulation, and systems for autotransfusion and autologous blood washing, as well as surgical tissue and mechanical heart valve replacements, and repair products for damaged or diseased heart valves. +Get a free copy of the Zacks research report on LivaNova (LIVN) +For more information about research offerings from Zacks Investment Research, visit Zacks.com LivaNova LivaNov \ No newline at end of file diff --git a/input/test/Test3135.txt b/input/test/Test3135.txt new file mode 100644 index 0000000..b5e3ba0 --- /dev/null +++ b/input/test/Test3135.txt @@ -0,0 +1 @@ +My six-year-old son is trapped in his room. It's been 18 days now. He begs me to let him out. But it is too dangerous for him to even step into the corridor.My son has Acute Lymphoblastic Leukaemia. He is in semi-isolation because his white blood cell count is so low that he is at extreme risk of infection. We are not at home in London. We're in a paediatric haematology hospital in Italy. He was diagnosed here almost four weeks ago, soon after we'd arrived for a holiday.My husband and I have much be grateful for despite this devastating situation. Our gratitude extends far and wide: the paediatric doctor working in a remote and mountainous region who did some rapid blood tests; the transfer without delay to a world-class hospital where my son's diagnosis was confirmed; and the right of my son to receive immediate and expert health care through the European Health Insurance Card (EHIC).It is currently the right of every UK resident, my son included, to receive emergency or medically necessary state-provided healthcare, when travelling in the EU. It extends to all EU citizens travelling from where they live. The cost is paid back by your state healthcare provider in your country of residence, in my son's case, the NHS.Before someone complains about wasting NHS money in Italy, let me say this. If our GP had run some blood tests when my son had an instant-access appointment because of fever and stomach pains less than two weeks before his diagnosis in Italy, he would be now confined to a room in the paediatric haematology unit at Great Ormond Street.I've never before detoured to a hospital while in the EU. I've taken this profound right that EHIC gives me for granted. Until now. And it disturbs me that its future is in jeopardy.Theresa May's government has said that they want to retain EHIC, but with the current shambles, there's no guarantee. Will EHIC become just another right that Brexit bulldozes away?My experience of the health system in Italy so far has impressed me – it is excellent. Let me give you an example. After we'd just arrived at this hospital, my son began to feel excruciating pain in his lower right leg. Deadly infection can be a by-product of leukaemia. Within a very short period time, he'd had ultrasounds, an MRI, visits to his room by the head of infectious diseases and the head of surgery. He could have lost his leg if they hadn't acted so decisively. The lead consultants here are also in regular contact with their equivalents at Great Ormond Street on my son's behalf and they've put him on the UK protocol treatment plan (which is two years long) to ease our return back home to London once his white blood cell count is out of the danger zone.My son's care in Italy is in stark contrast to the recent experience of an Italian teenager while on an English course in the UK in July. She went to A&E three times between 17 and 20 July complaining of severe headaches and vomiting. Prescribed painkillers, she was told that she was "as healthy as a fish". On 22 July, back in Italy, after a CT scan, the teenager was diagnosed with a cerebral brain haemorrhage. Maybe that's just one example, but a huge study published in May 2017 by The Lancet revealed that the UK has the 30 th best healthcare in the world. Italy is way ahead in 12 th place.People may say, who cares if EHIC is lost as result of Brexit? Just buy travel insurance! If only it were that simple for people with pre-existing condition s such as dialysis patients .EHIC never replaced travel insurance. It doesn't cover you for cancellation, lost phones, rescue from mountain slopes, or air ambulances. What EHIC has done is make travel insurance cheaper. According to a report by the House of Lords , travel insurance costs will rise exponentially among older people if EHIC ends.And then there's the issue of getting your travel insurance to pay. When I was in the US in 2011, I needed two stitches for a cut on my thumb. It took nine months of calls and stress, which finally, in desperation, I ended with a sit-in in reception at one of my insurer's offices (I was over seven months pregnant at the time) before they paid the $3000 bill. With EHIC, that potential stress is removed. And as I am often overwhelmed by sadness and exhaustion, as all parents are who have a seriously ill child, I'm so relieved that I have one less thing to think about.But EHIC is more than just a question of access, money or convenience. It is one of many nuances of European citizenship that were forgotten in the Brexit campaign. EHIC symbolises how continental Europe shares the UK's core value: that everyone has a right to decent healthcare. And we should not forget at this precipitous moment that this value is hardly universal \ No newline at end of file diff --git a/input/test/Test3136.txt b/input/test/Test3136.txt new file mode 100644 index 0000000..408abfa --- /dev/null +++ b/input/test/Test3136.txt @@ -0,0 +1,13 @@ +Particles pull last drops of oil fro ... Particles pull last drops of oil from well water Nanoscale solution to 'produced water' problem 17-Aug-2018 full-screen 1 Jeff Fitlow/Rice University +Rice engineers have developed magnetic nanoparticles that separate droplets of oil from produced water. The particles draw in the bulk of the oil and are then attracted to the magnet, as demonstrated here. +Oil and water tend to separate, but they mix well enough to form stable oil-in-water emulsions in produced water from oil reservoirs to become a problem. Rice University scientists have developed a nanoparticle-based solution that reliably removes more than 99 percent of the emulsified oil that remains after other processing is done. +The Rice lab of chemical engineer Sibani Lisa Biswal made a magnetic nanoparticle compound that efficiently separates crude oil droplets from produced water that have proven difficult to remove with current methods. +Produced water comes from production wells along with oil. It often includes chemicals and surfactants pumped into a reservoir to push oil to the surface from tiny pores or cracks, either natural or fractured, deep underground. Under pressure and the presence of soapy surfactants, some of the oil and water form stable emulsions that cling together all the way back to the surface. +While methods exist to separate most of the oil from the production flow, engineers at Shell Global Solutions, which sponsored the project, told Biswal and her team that the last 5 percent of oil tends to remain stubbornly emulsified with little chance to be recovered. +"Injected chemicals and natural surfactants in crude oil can oftentimes chemically stabilize the oil-water interface, leading to small droplets of oil in water which are challenging to break up," said Biswal, an associate professor of chemical and biomolecular engineering and of materials science and nanoengineering. +The Rice lab's experience with magnetic particles and expertise in amines, courtesy of former postdoctoral researcher and lead author Qing Wang, led it to combine techniques. The researchers added amines to magnetic iron nanoparticles. Amines carry a positive charge that helps the nanoparticles find negatively charged oil droplets. Once they do, the nanoparticles bind the oil. Magnets are then able to pull the droplets and nanoparticles out of the solution. +"It's often hard to design nanoparticles that don't simply aggregate in the high salinities that are typically found in reservoir fluids, but these are quite stable in the produced water," Biswal said. +The enhanced nanoparticles were tested on emulsions made in the lab with model oil as well as crude oil. +In both cases, researchers inserted nanoparticles into the emulsions, which they simply shook by hand and machine to break the oil-water bonds and create oil-nanoparticle bonds within minutes. Some of the oil floated to the top, while placing the test tube on a magnet pulled the infused nanotubes to the bottom, leaving clear water in between. +Best of all, Biswal said, the nanoparticles can be washed with a solvent and reused while the oil can be recovered. The researchers detailed six successful charge-discharge cycles of their compound and suspect it will remain effective for many more. +She said her lab is designing a flow-through reactor to process produced water in bulk and automatically recycle the nanoparticles. That would be valuable for industry and for sites like offshore oil rigs, where treated water could be returned to the ocean \ No newline at end of file diff --git a/input/test/Test3137.txt b/input/test/Test3137.txt new file mode 100644 index 0000000..87baac4 --- /dev/null +++ b/input/test/Test3137.txt @@ -0,0 +1,10 @@ +Affiliated Managers Group (AMG) Sets New 52-Week Low at $142.79 Dante Gardener | Aug 17th, 2018 +Affiliated Managers Group, Inc. (NYSE:AMG) hit a new 52-week low during trading on Wednesday . The company traded as low as $142.79 and last traded at $144.50, with a volume of 14351 shares. The stock had previously closed at $145.79. +A number of equities research analysts recently commented on the company. ValuEngine cut Affiliated Managers Group from a "hold" rating to a "sell" rating in a research note on Friday, June 1st. Citigroup lifted their price objective on Affiliated Managers Group from $180.00 to $200.00 and gave the stock a "buy" rating in a research note on Tuesday, July 31st. Deutsche Bank decreased their price objective on Affiliated Managers Group from $195.00 to $191.00 and set a "buy" rating for the company in a research note on Thursday. Zacks Investment Research cut Affiliated Managers Group from a "hold" rating to a "sell" rating in a research note on Tuesday, June 12th. Finally, Keefe, Bruyette & Woods raised Affiliated Managers Group from a "market perform" rating to an "outperform" rating and set a $191.00 price objective for the company in a research note on Monday, July 30th. One equities research analyst has rated the stock with a sell rating, three have assigned a hold rating and five have assigned a buy rating to the stock. Affiliated Managers Group presently has a consensus rating of "Hold" and a consensus target price of $207.63. Get Affiliated Managers Group alerts: +The company has a debt-to-equity ratio of 0.43, a current ratio of 1.33 and a quick ratio of 1.33. The firm has a market capitalization of $7.92 billion, a price-to-earnings ratio of 10.02, a PEG ratio of 0.73 and a beta of 1.52. +Affiliated Managers Group (NYSE:AMG) last posted its earnings results on Monday, July 30th. The asset manager reported $3.61 earnings per share for the quarter, topping the Thomson Reuters' consensus estimate of $3.59 by $0.02. The firm had revenue of $600.10 million for the quarter, compared to analyst estimates of $604.68 million. Affiliated Managers Group had a return on equity of 19.44% and a net margin of 29.59%. The company's revenue for the quarter was up 5.1% on a year-over-year basis. During the same period in the previous year, the company posted $3.33 earnings per share. equities analysts expect that Affiliated Managers Group, Inc. will post 15.48 EPS for the current fiscal year. +The firm also recently announced a quarterly dividend, which will be paid on Thursday, August 23rd. Shareholders of record on Thursday, August 9th will be issued a dividend of $0.30 per share. The ex-dividend date is Wednesday, August 8th. This represents a $1.20 annualized dividend and a yield of 0.82%. Affiliated Managers Group's dividend payout ratio is presently 8.22%. +In other Affiliated Managers Group news, Director Dwight D. Churchill sold 1,981 shares of Affiliated Managers Group stock in a transaction dated Wednesday, June 6th. The stock was sold at an average price of $166.28, for a total transaction of $329,400.68. Following the transaction, the director now directly owns 6,469 shares in the company, valued at $1,075,665.32. The transaction was disclosed in a filing with the SEC, which is accessible through this hyperlink . Insiders own 0.91% of the company's stock. +Hedge funds have recently bought and sold shares of the business. Optimum Investment Advisors bought a new position in Affiliated Managers Group during the first quarter worth about $104,000. Cornerstone Wealth Management LLC bought a new position in Affiliated Managers Group during the second quarter worth about $156,000. Cerebellum GP LLC bought a new position in Affiliated Managers Group during the second quarter worth about $172,000. ClariVest Asset Management LLC bought a new position in Affiliated Managers Group during the first quarter worth about $175,000. Finally, Koch Industries Inc. bought a new position in Affiliated Managers Group during the first quarter worth about $209,000. Hedge funds and other institutional investors own 94.48% of the company's stock. +About Affiliated Managers Group ( NYSE:AMG ) +Affiliated Managers Group, Inc, through its affiliates, operates as an asset management company providing investment management services to mutual funds, institutional clients, and high net worth individuals in the United States. It provides advisory or subadvisory services to mutual funds. These funds are distributed to retail and institutional clients directly and through intermediaries, including independent investment advisors, retirement plan sponsors, broker-dealers, major fund marketplaces, and bank trust departments. Affiliated Managers Group Affiliated Managers Grou \ No newline at end of file diff --git a/input/test/Test3138.txt b/input/test/Test3138.txt new file mode 100644 index 0000000..b10c75f --- /dev/null +++ b/input/test/Test3138.txt @@ -0,0 +1,11 @@ +Engineers Gate Manager LP Takes $967,000 Position in Extreme Networks, Inc (EXTR) Alanna Baker | Aug 17th, 2018 +Engineers Gate Manager LP bought a new stake in Extreme Networks, Inc (NASDAQ:EXTR) in the 2nd quarter, according to its most recent 13F filing with the SEC. The firm bought 121,473 shares of the technology company's stock, valued at approximately $967,000. +Several other institutional investors and hedge funds have also recently modified their holdings of the company. BlackRock Inc. grew its stake in shares of Extreme Networks by 100.6% in the 1st quarter. BlackRock Inc. now owns 15,107,599 shares of the technology company's stock valued at $167,242,000 after buying an additional 7,577,376 shares during the period. JPMorgan Chase & Co. grew its stake in shares of Extreme Networks by 7.8% in the 1st quarter. JPMorgan Chase & Co. now owns 2,592,011 shares of the technology company's stock valued at $28,695,000 after buying an additional 188,494 shares during the period. Redwood Investments LLC grew its stake in shares of Extreme Networks by 12.4% in the 1st quarter. Redwood Investments LLC now owns 1,677,419 shares of the technology company's stock valued at $18,569,000 after buying an additional 185,520 shares during the period. Northern Trust Corp grew its stake in shares of Extreme Networks by 4.1% in the 1st quarter. Northern Trust Corp now owns 1,433,605 shares of the technology company's stock valued at $15,869,000 after buying an additional 56,044 shares during the period. Finally, Stifel Financial Corp grew its stake in shares of Extreme Networks by 49.2% in the 1st quarter. Stifel Financial Corp now owns 1,376,537 shares of the technology company's stock valued at $15,242,000 after buying an additional 453,694 shares during the period. Institutional investors own 85.62% of the company's stock. Get Extreme Networks alerts: +In other Extreme Networks news, Director Raj Khanna purchased 10,000 shares of the company's stock in a transaction that occurred on Thursday, May 24th. The shares were acquired at an average price of $8.96 per share, with a total value of $89,600.00. Following the transaction, the director now owns 109,523 shares in the company, valued at $981,326.08. The acquisition was disclosed in a document filed with the Securities & Exchange Commission, which is available through this link . 1.90% of the stock is currently owned by company insiders. +EXTR has been the subject of several research reports. Zacks Investment Research upgraded Extreme Networks from a "hold" rating to a "buy" rating and set a $13.00 target price for the company in a research note on Wednesday, May 9th. ValuEngine downgraded Extreme Networks from a "sell" rating to a "strong sell" rating in a research note on Wednesday, May 9th. BidaskClub downgraded Extreme Networks from a "buy" rating to a "hold" rating in a research note on Thursday, June 21st. Finally, Needham & Company LLC downgraded Extreme Networks from a "buy" rating to a "hold" rating in a research note on Wednesday, August 8th. Two analysts have rated the stock with a sell rating, three have given a hold rating and three have issued a buy rating to the company. The company has a consensus rating of "Hold" and a consensus price target of $11.75. +Shares of NASDAQ EXTR opened at $6.24 on Friday. Extreme Networks, Inc has a fifty-two week low of $5.35 and a fifty-two week high of $15.55. The stock has a market capitalization of $748.67 million, a P/E ratio of 14.36, a price-to-earnings-growth ratio of 0.40 and a beta of 1.39. The company has a current ratio of 1.19, a quick ratio of 1.01 and a debt-to-equity ratio of 1.67. +Extreme Networks (NASDAQ:EXTR) last announced its quarterly earnings results on Wednesday, August 8th. The technology company reported $0.20 earnings per share for the quarter, beating the Thomson Reuters' consensus estimate of $0.19 by $0.01. Extreme Networks had a negative net margin of 4.76% and a positive return on equity of 43.70%. The business had revenue of $278.30 million for the quarter, compared to analysts' expectations of $279.22 million. During the same quarter last year, the firm earned $0.17 EPS. The firm's revenue for the quarter was up 55.6% compared to the same quarter last year. sell-side analysts expect that Extreme Networks, Inc will post 0.96 earnings per share for the current year. +Extreme Networks Profile +Extreme Networks, Inc provides software-driven networking solutions for enterprise customers worldwide. The company designs, develops, and manufactures wired and wireless network infrastructure equipment; and develops the software for network management, policy, analytics, security, and access controls. +Recommended Story: Understanding Average Daily Trade Volume +Want to see what other hedge funds are holding EXTR? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Extreme Networks, Inc (NASDAQ:EXTR). Extreme Networks Extreme Network \ No newline at end of file diff --git a/input/test/Test3139.txt b/input/test/Test3139.txt new file mode 100644 index 0000000..72525f8 --- /dev/null +++ b/input/test/Test3139.txt @@ -0,0 +1,7 @@ +Bank of East Asia (BKEAY) Lifted to "Neutral" at Goldman Sachs Group Dante Gardener | Aug 17th, 2018 +Goldman Sachs Group upgraded shares of Bank of East Asia (OTCMKTS:BKEAY) from a sell rating to a neutral rating in a report released on Tuesday morning, The Fly reports. +A number of other equities analysts also recently issued reports on BKEAY. Zacks Investment Research downgraded shares of Bank of East Asia from a buy rating to a hold rating in a research note on Tuesday, April 24th. ValuEngine downgraded shares of Bank of East Asia from a buy rating to a hold rating in a research note on Wednesday, May 2nd. Get Bank of East Asia alerts: +OTCMKTS BKEAY opened at $3.55 on Tuesday. The company has a debt-to-equity ratio of 0.01, a quick ratio of 0.95 and a current ratio of 0.95. Bank of East Asia has a 52-week low of $3.61 and a 52-week high of $4.61. The company has a market cap of $10.30 billion, a PE ratio of 13.15, a price-to-earnings-growth ratio of 0.86 and a beta of 1.27. +About Bank of East Asia +The Bank of East Asia, Limited provides various banking and related financial services. It operates through nine segments: Personal Banking, Corporate Banking, Treasury Markets, Wealth Management, Financial Institutions, Others, China Operations, Overseas Operations, and Corporate Services. The company offers various commercial and personal banking, financial, and insurance services. +Further Reading: How Short Selling Works Bank of East Asia Bank of East Asi \ No newline at end of file diff --git a/input/test/Test314.txt b/input/test/Test314.txt new file mode 100644 index 0000000..b3892c2 --- /dev/null +++ b/input/test/Test314.txt @@ -0,0 +1,19 @@ +TRURO, Mass. — On a windswept dune overlooking the Atlantic Ocean, hastily erected signs warned Cape Cod beachgoers to stay out of the water on Thursday, a day after a New York man became the first person to be attacked by a shark off the coast of Massachusetts since 2012. +The victim, William Lytton, of Scarsdale, New York, was airlifted to a hospital in Boston, where he was being treated for deep puncture wounds to his torso and leg after staggering to shore, dazed and bleeding. The hospital said Lytton, 61, remained in serious condition, and his family asked for privacy. +Police said Lytton was bitten by a shark while wading about 30 yards (27 metres) off Long Nook Beach in Truro, on the outer coastline of the peninsula. The area is part of the Cape Cod National Seashore, a major summer tourism destination. +In a scene reminiscent of the movie "Jaws," Massachusetts' foremost shark expert, Greg Skomal, planned to speak with Lytton and examine his wounds to see if he was bitten by a great white shark. Numerous great white sightings have been reported in the area, which is frequented by seals, and witnesses reported seeing seals in the water just before the attack. +Truro was the site of the last shark attack in Massachusetts, in July 2012, when a Colorado man on nearby Ballston Beach suffered a bite that required 47 stitches. The state's last shark attack fatality was in 1936. +"They're there, just as much as the sunrise and sunset. We're just guests," vacationer Steven McFadden, of Plattsburgh, New York, said as he watched waves break on the deserted beach at dawn. "I'll cool my feet off sometimes, but I'm not going to swim. I don't want to be that guy." +Town officials said the beach would be closed to swimming at least through Friday, and they put up signs that read, "Danger, No Swimming." A few of the nearly 40 miles (65 kilometres) of coast that comprise the Cape Cod National Shoreline will be off limits. +Town manager Rae Ann Palmer said several shark sightings were reported Thursday, but she did not have details. +The area is a feeding ground for seals, which draw sharks, and authorities regularly caution people to avoid the water whenever seals are present. +"We hope people understand sharks are part of the ecosystem on Cape Cod," said Brian Carlstrom, superintendent of the Cape Cod National Seashore. +Despite the public's primal fear of sharks, the odds of being killed by one are roughly 1 in 3.7 million, according to the National Aquarium in Baltimore. +An organization that studies sharks, the Atlantic White Shark Conservancy, said shark encounters in which people are injured are as "terrifying as they are rare." +"While we still don't know all of the details of this particular bite, sharks are not known to target people specifically and when they do bite people it's usually a case of mistaken identity," the group said in a statement. "Sharks 'test the waters' with their teeth, much like we use our hands. It's how they determine if what they encounter is prey or something to avoid." +Andrea Worthington, of Schenectady, New York, and her husband, Rob Olberg, walked their dogs on Long Nook Beach at sunrise on Thursday but heeded the warnings not to swim. +They said they were swimming about 20 yards (18 metres) offshore just a few hours before the attack and later were chilled to realize they'd shared the waters with a shark. +"We saw the seals and came in," Worthington said. "It's never a good time to be in the water." +—— +Associated Press writer Philip Marcelo contributed from Boston. + Orca's 'tour of grief' over after carrying dead calf for weeks Connect With Us Latest News Videos World  Death toll from Italy bridge collapse rises to at least 39 as politicians bicker over ... World  Red tide algae's deadly trail of marine animals triggers Florida state of emergency: 'There's no ... World  'Terrorist incident': Car smashes into barrier outside U.K. Parliament, injuring a number of pedestrians Local News  Orca's 'tour of grief' over after carrying dead calf for weeks Share this story Was a great white shark to blame for Cape Cod attack \ No newline at end of file diff --git a/input/test/Test3140.txt b/input/test/Test3140.txt new file mode 100644 index 0000000..5415984 --- /dev/null +++ b/input/test/Test3140.txt @@ -0,0 +1,22 @@ +DUBLIN- The "Global Entertainment and Leisure Robots Market by Component, Application, End-user and Region 2014-2025: Growth Opportunity and Business Strategy" report has been added to ResearchAndMarkets.com's offering. +The aggregated revenue of global entertainment and leisure robots market is expected to reach $34.3 billion during 2018-2025 owing to a growing adoption of all types of entertainment and leisure robots in both household and commercial applications across the globe. +"Global Entertainment and Leisure Robots Market by Component, Application, End-user and Region 2014-2025: Growth Opportunity and Business Strategy" is based on a comprehensive research of worldwide entertainment and leisure robots market by analyzing the entire global market and all its sub-segments through extensively detailed classifications. +Profound analysis and assessment are generated from premium primary and secondary information sources with inputs derived from industry professionals across the value chain. The report provides historical market data for 2014-2016, revenue estimates for 2017, and forecasts from 2018 till 2025. +Key Topics Covered: +1 Introduction +2 Market Overview and Qualitative Analysis +3 Segmentation of Global Market by Component +4 Segmentation of Global Market by Application +5 Segmentation of Global Market by End-user +6 Segmentation of Global Market by Region +7 Competitive Landscape +8 Investing in Global Market: Risk Assessment and Management +Companies Mentioned +Blue Frog Robotics SAS Hasbro, Inc. Lego System A/S Mattel, Inc. Modular Robotics Incorporated RoboBuilder Co., Ltd. Softbank Robotics Sony Corporation Sphero, Inc. Toshiba Machine Co., Ltd. WowWee Group Limited For more information about this report visit https://www.researchandmarkets.com/research/dv67gf/global?w=4 +Contacts ResearchAndMarkets.com +Laura Wood, Senior Manager +press@researchandmarkets.com +For E.S.T Office Hours Call 1-917-300-0470 +For U.S./CAN Toll Free Call 1-800-526-8630 +For GMT Office Hours Call +353-1-416-8900 +Related Topics: Media and Entertainment , Entertainment , Robotic \ No newline at end of file diff --git a/input/test/Test3141.txt b/input/test/Test3141.txt new file mode 100644 index 0000000..73b6769 --- /dev/null +++ b/input/test/Test3141.txt @@ -0,0 +1,32 @@ +0 comments [STANDFIRST] Ben Mitchell and his clan give it a go on a nature weekend at the Haven Perran Sands holiday park. +Marie gives out a squeal of delight as the sparks fly when she makes a ball of cotton wool burst into flames. +We have just learnt our first survival skill at the Haven Perran Sands Holiday Park in Cornwall, with ranger Alice Lawrence patiently instructing us in the art of striking flint and steel rods together to create sparks essential for a fire. +Back to basics +Alice is guiding us on a path back to basics with the Nature Rockz 'How To Be A Ranger' course and, as soon as we have a fire going, we're taught how to use a Kelly Kettle - a steel camping stove. This ingenious device has a chimney running through the middle, enabling oxygen and heat to pass through it, making it boil almost as fast as an electrical kettle. +We use cotton wool as our lighting material, but Alice informs us that a good natural alternative is coal fungus (it gets its name from its looks), which is also known as King Alfred's cake and is found growing on silver birch trees. +My daughter, Marie, 8, and her friend, Ysabelle, 7, are excited - and can't wait to put more sticks on the fire ready to toast marshmallows. +Blue Peter-style lesson +After the sticky treat, it's back to nature with a Blue Peter-style lesson in making bird feeders out of string, toilet rolls, cereal loops, peanut butter and worms. +I was doubtful that these would be to the birds' taste, but when we return the following morning to the tree where we place them, they have all been completely eaten up. +Site of special scientific interest +Our course is being held within the 500 acres of dune grassland that make up the Haven site at Perranporth, which is a designated Site of Special Scientific Interest (SSSI) and a Special Area of Conservation (SAC). +We may only be a stone's throw from our Geo Dome tent and a two-minute walk from the restaurants, swimming pool and other attractions, but I feel like I have been transported far away from the rest of the world. +After lunch, Alice leads us onto a nature trail where her enthusiastic and encyclopedic knowledge comes into its own. +Underwater farting beetle +Our first stop is a small pond, which at first sight is just green water, but Alice - a trained zoologist - quickly points out half a dozen creatures, including the highly amusing great diving beetle. We watch it swallow air at the surface, and giggle when bubbles pop out like an underwater fart as it sinks. +We climb to the top of a high dune as Alice explains how, in the past, authorities tried to stabilize them with marram grass, later realising it was better for the ecosystems to remain dynamic and made up of loose sand. +She explains that Haven is supporting projects to restore the dunes to their original state. This is only part of the park's environmental initiatives; recycling is encouraged across the site, which includes eco-friendly toilet blocks, complete with bird-nesting boxes installed below the grass-topped roofs. +Poo-eating snails and stinky plants +The girls are encouraged to pick up anything that interests them on our nature trail. Along with a rabbit's skull - the site used to be a rabbit farm - Ysabelle finds a small pointed shell which, to her great amusement, Alice explains is home to a tiny snail that actually eats rabbit poo. +Minutes later, Alice amazes us again by snapping some stinking iris leaves to unveil the unmistakable aroma of roast beef crisps. +The walk has triggered the inquisitiveness of the little ones, and Ysabelle calls Alice back to ask her why a yellow plant has a purple bit inside. She eloquently explains it's the plant's stamen for producing pollen. +Miraculous place +Towards the end of our walk, we pass the site of the oratory of St Piran who, legend has it, was pushed off a cliff in Ireland with a millstone round his neck, but floated away and washed up in Cornwall - giving his name to the area. What a miracle, to arrive in such a beautiful place! +After scones at the top of a sand dune, the girls sprint down towards the sea and can't wait to dive into the waves gently crashing on to the three-mile-long Perranporth beach. +And relax! +Our final challenge of the day is to learn how to build a shelter and Alice soon has us fluent in reef and bowline knots, ready to suspend a bivouac from two posts. Her example stands up well to the bucket of water test, but I wouldn't trust our attempt in a light drizzle. +On completion of our task, Alice leaves us with two fire-pit BBQs and, given our newly acquired fire-lighting skills, I feel confident we can keep the flames going long enough to cook some burgers. +Watching the girls scramble up and down the sand dunes in a final burst of energy before bedtime, I realise how relaxed I feel having spent the day with my family, learning and exploring a world away from the day-to-day bustle. The resort's swimming pool and slides is going to be a shock return to noisy reality in the morning. +How to get there +Nature Rockz activities are available at all of Haven's 36 holiday parks, with a bespoke Nature Rockz 'How to be a Ranger' activity running at Perran Sands on selected dates in September. +Haven (haven.com; 0333 202 5250) is offering a three-night self-catering holiday, staying at Perran Sands Holiday Park in Perranporth from £186 (saving 25%) per family. Price is based on a family of six sharing Geo Dome accommodation on September 21 and includes family friendly entertainment \ No newline at end of file diff --git a/input/test/Test3142.txt b/input/test/Test3142.txt new file mode 100644 index 0000000..c60d26b --- /dev/null +++ b/input/test/Test3142.txt @@ -0,0 +1,2 @@ +Data Respons has signed contracts with a German customer within the Banking industry. The contracts comprise smarter solutions and R&D Services to improve product offerings and efficiency in this changing industry. It includes application and SW framework modernization, provision of B2C processes into multiple channels, security aspects and integration of core software into a private cloud infrastructure. - Midsize and larger banks are making massive investments to transform their businesses into digital service providers. Our key competences and relevant experience from other industries makes us an interesting partner in this market, says Kenneth Ragnvaldsen, CEO of Data Respons ASA. +For further information: Kenneth Ragnvaldsen, CEO, Data Respons ASA, tel. +47 913 90 918. Rune Wahl, CFO, Data Respons ASA, tel. + 47 950 36 046 About Data Respons Data Respons is a full-service, independent technology company and a leading player in the IoT, Industrial digitalisation and the embedded solutions market. We provide R&D services and embedded solutions to OEM companies, system integrators and vertical product suppliers in a range of market segments such as Transport & Automotive, Industrial Automation, Telecom & Media, Space, Defense & Security, Medtech, Energy & Maritime, and Finance & Public Sector. Data Respons ASA is listed on the Oslo Stock Exchange (Ticker: DAT), and is part of the information technology index. The company has offices in Norway, Sweden, Denmark, Germany and Taiwan. www.datarespons.com This information is subject of the disclosure requirements pursuant to section 5-12 of the Norwegian Securities Trading Act \ No newline at end of file diff --git a/input/test/Test3143.txt b/input/test/Test3143.txt new file mode 100644 index 0000000..e0990e8 --- /dev/null +++ b/input/test/Test3143.txt @@ -0,0 +1 @@ +Tendulkar terms Wadekar's demise as irreparable, personal loss 22 File Image (Twitter) Mumbai: Cricket legend Sachin Tendulkar today paid rich tributes to Ajit Wadekar and said the demise of the former India captain was an "irreparable and personal loss" for him. Wadekar passed away at a South Mumbai hospital on August 15 at the age of 77 after prolonged illness. "This is an irreparable loss. I will say it is a personal loss. People know Wadekar sir as a great cricketer, but I was fortunate enough to see him as a great cricketer as well as a wonderful person. For me he was very important. Over the years our relationship grew stronger," Tendulkar said while paying his last respects to the departed soul here. Wrapped in the tricolour, Wadekar's body was kept at his Worli residence for people to pay their last respects ahead of his cremation to be performed later in the day at the Shivaji Park crematorium. Also Read: Kumble, Azhar remember a 'father figure', 'big influence', says Tendulkar Tendulkar fondly remembered Wadekar's contribution in shaping up his career. "Wadekar sir has a big contribution in my life, especially at a critical stage. I was a 20-year-old youngster at that time and it was easy for me to go off the track," he said. "At that time I needed the guidance of an experienced person, who himself had played and performed at that level. He understood how to bring the best out of the players. I was personally benefited by his presence in the team." According to Tendulkar, his bonding with Wadekar reflected on the field as well. "He wore multiple hats -- a great captain, coach and more importantly as my friend. I could sit with him in the evening for hours and talk about anything. Our bonding reflected on the field also," the batting great said. "He had the capability to segregate. Whenever there was discussions on cricket or during team meetings he was serious and focused. But when we used to sit for dinner, that time he used to take centre stage with his humour. He was liked by everyone," added Tendulkar. Former India stumper and BCCI GM (Cricket Operations) Saba Karim also paid tributes to Wadekar. "All players of my age have followed him. He was a brilliant left-handed batsman. This is a great loss for the entire cricketing fraternity," said Karim. Former India cricketers Sameer Dighe, Vinod Kambli, ex-hockey captain M M Somaiya, past and present MCA officials also paid their tributes to the former India captain along with several others \ No newline at end of file diff --git a/input/test/Test3144.txt b/input/test/Test3144.txt new file mode 100644 index 0000000..4e6aea6 --- /dev/null +++ b/input/test/Test3144.txt @@ -0,0 +1,21 @@ +The U.K.'s main stock index on Friday was trading little changed, with a sharp weekly decline for the benchmark in sight, as investors worried about the next phase of talks for Britons in protracted negotiations to exit from the European Union and fears that talks may result in a so-called hard Brexit, leaving the EU trade bloc without a defined trading arrangement. +How markets are performing The FTSE 100 UKX, -0.11% edged down less than 0.1% at 7,550.38, after advancing 0.8% to 7,556.38, and snapping a five-session slide in the prior session . +The British blue-chip gauge is on track for a weekly decline of 1.3%, according to FactSet data. +The pound GBPUSD, -0.0551% was buying $1.2715 slightly, edging slightly up from $1.2712 late Thursday in New York. +What's moving markets London Mayor Sadiq Khan has reportedly told city officials to start making preparations for a no-deal Brexit, to determine if the city could deal with potential shortages of medicines and food, underscoring worries that continuing negotiations between the EU and Britain may prove unsuccessful. +Khan in an article in the Guardian has accused the government of "dragging its feet" and leaving EU citizens in limbo. +Meanwhile, U.K. Foreign Secretary Jeremy Hunt, speaking in the Netherlands, told ITV News that the U.K. would "find a way to prosper and thrive" in the event of no deal, but said it would represent a "huge geo-strategic mistake." +Overall, volatility in the commodities sector, a major area for the British benchmark, amid worries about global trade, and a possible knock-on effect in emerging markets from Turkey's USDTRY, +6.4622% gyrations, have also been a key source of concern for investors over the past week. +Although those issues will likely continue to dictate sentiment, market participants have been slightly more upbeat about the prospect for the global market after it was reported on Thursday that the Chinese Commerce Ministry would send a delegation to the U.S. later this month to resume trade talks, marking the first such meeting since July. +Moreover, investors also were bolstered by signs of health in the U.K. economy, with a report on retail sales for July showing a monthly increase of 3.5%, compared with the 2.6% that had been expected. Excluding fuel, they were up 3.7%, above the 3.0% consensus forecast. +Don't miss: A top London startup's CEO flags the biggest Brexit threat to his industry +What are strategists saying? "Traders will be watching keenly for any headlines indicating the likelihood of the U.K. crashing out of Europe without a deal," said Jasper Lawler , head of research at London Capital Group . +Marios Hadjikyriacos , investment analyst at brokerage XM , in a research note on Friday said "the British pound barely advanced, largely unable to capitalize on strong U.K. retail sales figures. All eyes remain on the Brexit talks, where we may get some fresh comments today." +"Continued lack of progress could confirm the current pessimistic narrative and hence keep the currency at current low levels, or even trigger some further moderate losses. In contrast, any hints the negotiations are moving forward may come as a positive surprise, leading to an outsized relief bounce," he said +Stocks in focus Shares of Royal Bank of Scotland Group PLC RBS, +0.12% were trading slightly higher, up less than 0.1%, after being upgraded by HSBC bank analysts. +Kingfisher PLC shares KGF, -2.15% were down 2.6%, leading losses on the British benchmark, a day after reporting second-quarter results that failed to thrill investors. +Just Eat PLC 's stock JE., +0.95% led gainers on the FTSE 100, rising 0.8%. +Providing critical information for the U.S. trading day. Subscribe to MarketWatch's free Need to Know newsletter. Sign up here. +More from MarketWatch 11 marijuana stocks' money flows show which are investor favorites Nvidia says crypto-mining boom is over for now Mortgage rates tumble as housing starts to drag down the economy Mark DeCambre Mark DeCambre is MarketWatch's markets editor. He is based in New York. Follow him on Twitter @mdecambre. +We Want to Hear from You Join the conversation +Commen \ No newline at end of file diff --git a/input/test/Test3145.txt b/input/test/Test3145.txt new file mode 100644 index 0000000..0496fa2 --- /dev/null +++ b/input/test/Test3145.txt @@ -0,0 +1,10 @@ +Data Respons has signed contracts with a German customer within the Banking industry. +The contracts comprise smarter solutions and R&D Services to improve product offerings and efficiency in this changing industry. It includes application and SW framework modernization, provision of B2C processes into multiple channels, security aspects and integration of core software into a private cloud infrastructure. +- Midsize and larger banks are making massive investments to transform their businesses into digital service providers. Our key competences and relevant experience from other industries makes us an interesting partner in this market, says Kenneth Ragnvaldsen, CEO of Data Respons ASA. +For further information: +Kenneth Ragnvaldsen, CEO, Data Respons ASA, tel. +47 913 90 918. +Rune Wahl, CFO, Data Respons ASA, tel. + 47 950 36 046 +About Data Respons +Data Respons is a full-service, independent technology company and a leading player in the IoT, Industrial digitalisation and the embedded solutions market. We provide R&D services and embedded solutions to OEM companies, system integrators and vertical product suppliers in a range of market segments such as Transport & Automotive, Industrial Automation, Telecom & Media, Space, Defense & Security, Medtech, Energy & Maritime, and Finance & Public Sector. +Data Respons ASA is listed on the Oslo Stock Exchange (Ticker: DAT), and is part of the information technology index. The company has offices in Norway, Sweden, Denmark, Germany and Taiwan. www.datarespons.com +This information is subject of the disclosure requirements pursuant to section 5-12 of the Norwegian Securities Trading Act \ No newline at end of file diff --git a/input/test/Test3146.txt b/input/test/Test3146.txt new file mode 100644 index 0000000..401887d --- /dev/null +++ b/input/test/Test3146.txt @@ -0,0 +1,10 @@ +Beschreibung der Tätigkeit +Aus dasauge.at/jobs – bitte beziehe dich in deiner Bewerbung auf dasauge®. +EHF Marketing GmbH is looking for a Brand Manager to join its team based in Vienna, Austria. Joining us will mean working for the sport of handball in Europe and specifically for the world's biggest club handball competitions – the EHF Champions League and the EHF European Cup. The successful candidate will work across the leading events in European club handball, including the VELUX EHF FINAL4, the WOMEN'S EHF FINAL4 and the Men's EHF Cup. +Job specification Developing the strategic positioning of the brands Defining and developing of Corporate Design Guidelines for all club competitions, relevant consumer touch points and communication channels Monitoring compliance with Corporate Design Guidelines Creating various marketing materials including presentations, banners and branding using Adobe InDesign, Photoshop and InDesign Planning, implementing and analyzing of marketing and communication concepts Producing clear and concise written correspondence in the form of letters, emails, articles and promotional material Providing briefings and concepts and work closely with both internal and external partners Identifying and overseeing the work of external suppliers Planning and implementing of major international sports events including workshops and draws +Key experiences 2−3 years' experience of working in a similar marketing position and in an international environment, across different cultures and languages Academic degree in marketing with specialisation in brand marketing +Key competencies Strong administrational and organisational skills Good MS Office knowledge Good skills and experience of working with graphic software Ability to work independently and as part of a team Comfortable in a fast paced, changing environment Willing to travel and work according to event schedules Excellent written & spoken English. Additional European languages (especially German) extremely useful Flexible and able to travel on a frequent basis An interest in or understanding of handball is a strong advantage +Further information Preferred starting date: 1 September 2018 Full time job Work place: Hoffingergasse 18, 1120 Vienna, Austria The salary frame reflects the significance of the position and lies above the relevant collective agreement. +About EHF Marketing GmbHBased in Vienna, Austria, EHF Marketing GmbH is the marketing arm and a subsidiary of the European Handball Federation. The company works closely with marketing and media partners, as well as with Europe's leading clubs to realise the full potential of the sport on the international sports market. EHF Marketing GmbH is responsible for the marketing and media rights of club competitions including the VELUX EHF Champions League, Women's EHF Champions League and the Men's EHF Cup. Further information: eurohandball.com, ehfCL.com, ehfTV.com. +Making your applicationApplications should be made in writing in English, with a current CV and a covering letter setting out why you would like to apply for the Brand Manager's position. +Applications should be sent by email to:EHF Marketing Gmb \ No newline at end of file diff --git a/input/test/Test3147.txt b/input/test/Test3147.txt new file mode 100644 index 0000000..146c6f9 --- /dev/null +++ b/input/test/Test3147.txt @@ -0,0 +1,5 @@ +Broadcom beats JA Solar on 15 of the 17 factors compared between the two stocks. +JA Solar Company Profile +JA Solar Holdings Co., Ltd., together with its subsidiaries, designs, develops, manufactures, and sells solar power products based on crystalline silicon technologies worldwide. Its principal products include monocrystalline and multi-crystalline solar modules and cells. The company also provides monocrystalline and multi-crystalline silicon wafers; solar product processing services; and solar power plant project development and electricity generation services, as well as produces original equipment for manufacturers or customers under their brand names. It sells its solar power products to module manufacturers, system integrators, project developers, and distributors primarily under the JA Solar brand name. JA Solar Holdings Co., Ltd. was founded in 2005 and is based in Beijing, the People's Republic of China. +Broadcom Company Profile +Broadcom Inc. designs, develops, and supplies a range of semiconductor devices with a focus on complex digital and mixed signal complementary metal oxide semiconductor based devices and analog III-V based products worldwide. The company operates through four segments: Wired Infrastructure, Wireless Communications, Enterprise Storage, and Industrial & Other. The Wired Infrastructure segment provides set-top box system-on-chips (SoCs); cable, digital subscriber line, and passive optical networking central office/consumer premise equipment SoCs; Ethernet switching and routing application products; embedded processors and controllers; serializer/deserializer application specific integrated circuits; optical and copper, and physical layers; and fiber optic laser and receiver components. The Wireless Communications segment offers RF front end modules, filters, and power amplifiers; Wi-Fi, Bluetooth, and global positioning system/global navigation satellite system SoCs; and custom touch controllers. The Enterprise Storage segment provides serial attached small computer system interface, and redundant array of independent disks controllers and adapters; peripheral component interconnect express switches; fiber channel host bus adapters; read channel based SoCs; and preamplifiers. The Industrial & Other segment offers optocouplers, industrial fiber optics, motion control encoders and subsystems, and light emitting diodes. Its products are used in various applications, including enterprise and data center networking, home connectivity, set-top boxes, broadband access, telecommunication equipment, smartphones and base stations, data center servers and storage systems, factory automation, power generation and alternative energy systems, and electronic displays. Broadcom Inc. is based in San Jose, California. JA Solar JA Sola \ No newline at end of file diff --git a/input/test/Test3148.txt b/input/test/Test3148.txt new file mode 100644 index 0000000..1036618 --- /dev/null +++ b/input/test/Test3148.txt @@ -0,0 +1 @@ +Yahoo!-ABC News Network | © 2018 ABC News Internet Ventures. All rights reserved. Uber driver charged with assaulting woman in San Francisco By The Associated Press SAN FRANCISCO Aug 16, 2018, 8:34 PM ET 0 Shares Star The Associated Press This photo released by the Union City Police shows Kevin Barillas-Saballos. Police have arrested Barillas-Saballos, an Uber driver who is accused of picking up a woman in San Francisco while off duty and sexually assaulting her. (Union City Police via AP) 0 Shares Email An Uber driver from San Francisco is accused of picking up a woman while off-duty and sexually assaulting her, police said Thursday. Kevin Barillas-Saballas, 30, was charged Thursday by the Alameda County district attorney's office with sexual assault , sexual battery, kidnapping, imprisonment and criminal threats. Union City Police Lt. Steve Mendez said the woman was intoxicated when either she or her friends called for an Uber on July 14 to take her home to Union City. Mendez said her driver was not Barillas-Saballas, but he picked her up and subsequently attacked her. Police did not release details of the attack. Uber spokesman Andrew Hasbun said the company is working with police and immediately removed the driver from its app once informed. Hasbun called the police account of what happened "disturbing" and urged Uber users to make sure a driver's name, license plate and car type match those of their expected driver before getting into a car. Riders should also ask the driver whom they are picking up. "If the driver can't identify your name, do not get in," Hasbun said in a statement. Barillas-Saballas was being held on $270,000 bail. It could not immediately be determined if he has an attorney. 0 Share \ No newline at end of file diff --git a/input/test/Test3149.txt b/input/test/Test3149.txt new file mode 100644 index 0000000..e135fe4 --- /dev/null +++ b/input/test/Test3149.txt @@ -0,0 +1,23 @@ +WINE ME DINE ME: The simple, seasonal tomato By Rachel ForrestMore Content Now Thursday Aug 16, 2018 at 6:00 PM +We food writers like to make the simplest things much more complicated than they need to be, although I concede that learning new ways to use those simplest of ingredients is great, too. Consider the tomato. It's tomato season just about all over the country and right now I'm in New Jersey, the state in which I grew up eating red, ripe Jersey tomatoes. It's really the generic name given to a portfolio of varieties including the Ramapo and the Rutgers (which had 60 percent of the commercial tomato market in the US from the 30s to the 60s). We ate them like apples when I was growing up, with a sprinkle of salt, just bite in and have a napkin handy for all the juice and seeds. +Heirloom tomatoes abound, too, like Mule Team, Hillbilly and Brandywine. Sun Golds abound as do Black Cherry and Green Zebras, all shapes, sizes and colors. Locally-grown tomatoes just bust out "summer" in so many ways. When I was a kid if we weren't biting into one, we'd slice them up and make a sandwich with just white bread and Hellman's mayo. I still do that and just moments ago, my mom brought out a container of a new mayo, Heinz Deliciously Creamy Mayo made from cage-free eggs. Apparently, my step-dad heard it's as good as Hellman's so we had a bit of a taste test and I was shocked to find it really is a Hellman's rival. It looks like they've added just a teeny-tiny bit of mustard to the mix. Mind blown. +Slice up a tomato and top it with a good sea salt and some black pepper, or my latest "on all the things" obsession, truffle sea salt. Expand upon that with a drizzle of good olive oil. Go even further with a touch of balsamic vinegar. Add slices of fresh mozzarella and shredded basil leaves. OK, that's as far as I'm going. +Yeah, right. You're getting more. I have so many more tomato recipes in my quiver, I just can't help myself. +Chef James Haller, cookbook author, memoirist and owner of the legendary Blue Strawbery restaurant in Portsmouth, N.H., which opened back in 1970, gave me the best grilled cheese sandwich advice a few years ago and I adapted in for my own technique for making my favorite version, the grilled cheese and tomato sandwich. The key is to butter each side of the bread before placing it into the hot cast iron skillet. Create the sandwich by placing a slice of bread on your cutting board and topping with cheese of choice and then slices of ripe tomato. Top with second bread slice and butter that on the outside. When your skillet is hot, flip that sandwich butter side down into the pan. Butter the top slice. Allow the bottom slice to brown and flip the sandwich over. Press the sandwich with your spatula and cook bottom until golden brown. Remove from skillet, slice into triangles and dip into tomato soup. +And that should be this tomato soup made with fresh tomatoes and a touch of cream: +Simple Cream of Tomato Soup +Serves 8 +1/4 cup (1/2 stick) unsalted butter +12 sprigs of thyme and sage, bundled +1 medium onion, thinly sliced +1 garlic clove, thinly sliced +1/4 cup tomato paste +32 oz. fresh tomatoes, chopped +2 teaspoons sugar, divided +1/2 c. heavy cream +Kosher salt and freshly ground black pepper +Melt butter in a large pot over medium heat. Add bundled herbs, onion, and garlic. Cook until onion is soft and translucent, about 10 minutes. Increase heat to medium-high and add the tomato paste. Continue cooking, stirring, until the paste has begun to caramelize, about 5 minutes. +Add tomatoes, 1 tsp. sugar, and 10 cups water to pot. Increase heat to high, then simmer. Reduce heat to medium and simmer until the liquid reduces to about 8 cups, about 50 minutes. +Remove from heat and let cool. Take out the herb bundle and puree soup in a blender until smooth, in batches if necessary. Return it all to the pot, add the cream, then simmer again for about 15 more minutes. Season with salt, pepper and the rest of the sugar. +OK, just two more recipes. As a side dish or as a meatless entree, tomatoes gratin, simply baked or sautéed with some cheese on top, are yet another great way to enjoy our locally grown tomatoes. Just be sure to cook them lightly to retain some of the firmness. And the roasted tomatoes are great for enjoying in the backyard with a chilled Sancerre. It's all just so simple. +Tomatoes Gratin, Italian Styl \ No newline at end of file diff --git a/input/test/Test315.txt b/input/test/Test315.txt new file mode 100644 index 0000000..64bfa78 --- /dev/null +++ b/input/test/Test315.txt @@ -0,0 +1,14 @@ +Share August 16, 2018 at 7:21 am +FILE- In this May 16, 2018, file photo, a man enters the JC Penney store at the Manhattan mall in New York. J.C. Penney Co. reports earnings Thursday, Aug. 16. (AP Photo/Mary Altaffer, File) +NEW YORK (AP) — J.C. Penney reported a bigger-than-expected loss in its fiscal second quarter as a key sales metric fell well short of Wall Street's view. The department store operator also cut its full-year forecast again, and its shares plunged 24 percent. +The dismal report, released Thursday, illustrates the challenges awaiting whoever becomes the next CEO, after Marvin Ellison departed for the top job at Lowe's in May after less than four years on the job. Penney said the board has met with "highly qualified" candidates so far. +Ellison had tried to refocus J.C. Penney on home appliances and beauty, following a shift by consumers away from spending a lot of money on clothing. He did make some inroads, but the turnaround was far from complete on his departure. And with consumer spending on the rise and other retailers like Walmart doing well, Penney has failed to enjoy the benefit. +Chief Financial Officer Jeffrey Davis, one of four top executives sharing responsibility for day-to-day operations until a new CEO is named, said in a statement that the chain was dealing with some excess inventory, and had to mark down products and take other actions to try to move items. +Sales at stores open at least a year, a key gauge of a retailer's health, edged up 0.3 percent. Analysts polled by FactSet expected a 1 percent increase. +The company, like many department stores, is trying to cut costs and make the chain better able to reach shoppers jumping back and forth between online and the stores. Department stores, which are heavily dependent on clothing sales, are seeing more competition there as Amazon.com expands further into fashion and off-price chains like T.J. Maxx add more stores. +Penney has said it plans to refocus on its women's business, after failing to bring in younger shoppers. It has also earmarked 300 mall locations where it will aggressively beef up appliances, mattresses, furniture, and workwear like overalls. +J.C. Penney also plans to expand the baby products it sells at stores beyond clothing as the department store joins the many other chains trying to claim some of the Babies R Us sales up for grabs after the liquidation of Toys R Us. +For the three months that ended Aug. 4, J.C. Penney Co. lost $101 million, or 32 cents per share. A year ago the Plano, Texas-based company lost $48 million, or 15 cents per share. Stripping out an impairment charge and other items, the loss was 38 cents per share. That's much larger than the loss of 8 cents per share that analysts surveyed by Zacks Investment Research expected. +Total revenue declined to $2.83 billion from $3.07 billion, mostly hurt by store closings. Analysts surveyed by Zacks were calling for $2.89 billion in revenue. +J.C. Penney now anticipates a loss of 80 cents to $1 per share for fiscal 2018. Its prior outlook was for a loss of 7 cents per share to earnings of 13 cents per share. Before that, it had predicted a potential profit range of 5 cents to 25 cents per share. Analysts were looking for earnings of 4 cents per share, according to FactSet. +Penney's shares fell 57 cents to $1.84 on Thursday \ No newline at end of file diff --git a/input/test/Test3150.txt b/input/test/Test3150.txt new file mode 100644 index 0000000..b96e289 --- /dev/null +++ b/input/test/Test3150.txt @@ -0,0 +1,25 @@ +Normal text size Larger text size Very large text size Australians should look unflinchingly at the actions of Australian soldiers in war zones, no matter how uncomfortable it makes us, say military historians who have strongly criticised comments this week by War Memorial director Brendan Nelson. +Dr Nelson, a former Liberal defence minister, said allegations contained in articles in Fairfax Media about Victoria Cross winner and former SAS trooper Ben Roberts-Smith were an attempt to "tear down our heroes". +Brendan Nelson and Ben Roberts-Smith, VC MG, at the Australian War Memorial. +Photo: Katherine Griffiths Reporting of an alleged domestic violence incident was "one of the lowest blows I have ever seen," he said, adding in comments to The Australian , "I am very concerned that if the media pursuit of Ben Roberts-Smith and others continues … we run the risk of becoming a people unworthy of such sacrifice". +Of Mr Roberts-Smith's war service, Dr Nelson told radio 2GB, "I don't doubt that what you and I might think, in the cold, hard light of day, that bad things have happened. War is a messy business. +"But as far as I'm concerned, unless there have been the most egregious breaches of laws of armed conflict, we should leave it all alone." +Advertisement Mr Roberts-Smith was "by any standard, one of the greatest Australians ... I stand with him. I stand with the men and the SAS. I stand with their families, their widows and their children," Dr Nelson said. +Loading But military historian Professor Peter Stanley at the University of NSW disagreed, saying: "We need to know the truth, whatever it is." +"As a nation, our commitment to honesty and accountability should impel us to acknowledge our defenders' actions in war – whatever they may be – and to decide on consequences with compassion for both victims and perpetrators". +Professor Stanley is a former principal historian at the War Memorial. +Edward Cavanagh, an Australian who is currently research fellow at Cambridge University, said people need to be able to ask hard questions about how war is conducted. +"Right now they cannot [ask questions] – ashamed, as they are, into a sense of guilt by hagiographers like Brendan Nelson ... who is thrown a microphone now and then to invoke the 'heroism' of some 'digger'." +As for Dr Nelson's argument that "war is a messy business," Dr Cavanagh said: "All the more reason to clean it up". +Peter Rees, the author of a number of military histories, including Bearing Witness about journalist turned war historian Charles Bean, said truth is "fundamentally important". +"We've got to know how our military staff, our servicemen, perform in action. Bean was of the strong belief that any incidents that might reflect on the army negatively still needed to be included in the Official History 'because some reference or other to it is sure to get into future histories, and it will appear to have been hushed up'." +And Australian National University professor Frank Bongiorno said he was "very disturbed" by Dr Nelson's comment questioning what national interest was served by Fairfax Media's reporting. +"A democratic society requires a media that's capable of asking difficult questions, as well as historians asking similar questions," Professor Bongiorno said. +A democratic society requires a media that's capable of asking difficult questions, as well as historians asking similar questions. +ANU Professor Frank Bongiorno "The idea there are no-go areas or areas that belong to the sacred, that journalists, historians and other academics shouldn't encroach on is dangerous for a democracy." +Under Dr Nelson, he said the War Memorial had veered too far towards its role as "a secular temple as distinct from a centre of historical research or reasoned public education". +Dr Nelson told Fairfax Media that the War Memorial was "an archive" where "we reveal as much fact as we can". It also played "a significant role as commemoration," and was an "extremely important part of the therapeutic milieu for a soldiers and their families coming to terms" with their service and the "impact on them". +He would not define what he meant by "most egregious breaches" meant, but said the Inspector-General of the Australian Defence Force was investigating alleged war crimes in Afghanistan, which meant that "defence leadership must believe that the most egregious breaches have occurred". +"Of course the truth is essential," he told Fairfax Media. +"I certainly do not ever believe that history should be sanitised or the truth, whatever the truth is, should not be revealed. As I understand it, the now chief of defence and leadership have commissioned the Inspector-General's inquiry to do just that." +Allegations should be "forensically examined," he said, "And I don't necessary regard journalists as part of that. \ No newline at end of file diff --git a/input/test/Test3151.txt b/input/test/Test3151.txt new file mode 100644 index 0000000..b7646c7 --- /dev/null +++ b/input/test/Test3151.txt @@ -0,0 +1 @@ +16.08.2018 | Zona Norte de Lisboa ÚLTIMOS EMPREGOS Spring Professional Portugal 17.08.2018 | | Referência: 1960200 Spring Professional selects a .Net Developer (M/F) for its multinational client in Banking, for Porto. Our client is the future of finance for small businesses in frontier markets. Its mission is to help great business owners access financing and build a... PARTILHAR HAYS 17.08.2018 | Lisboa | Referência: 1960211 A Grossist... PARTILHAR Spring Professional Portugal 17.08.2018 | | Referência: 1960199 Spring Professional seleciona para empresa Cliente de referência no seu setor de atividade, um Administrador de Sistemas (M/F), para a zona da Maia. Perfil:- Formação superior em Engenharia, preferencialmente Informática ou Engenharia Eletrotécnica;- Exp... PARTILHA \ No newline at end of file diff --git a/input/test/Test3152.txt b/input/test/Test3152.txt new file mode 100644 index 0000000..6fc5c63 --- /dev/null +++ b/input/test/Test3152.txt @@ -0,0 +1,51 @@ +NEW YORK—Zephyr Teachout, the would-be next attorney general of New York, sits tight against the desk in the former doctor's office she's using for her campaign headquarters, her very pregnant belly barely visible above the desk's metal top. She runs her hands through her hair like a law professor lecturing on a particularly thorny constitutional question. She lays out precisely how she could, if elected, use her office put Donald Trump in prison. Teachout's headquarters is in East Harlem, just a few miles northeast of Trump Tower, but a world away from its pink white-veined marble, mirrors and brass. Until earlier this year, this was a husband-and-wife urology and ophthalmology practice. Her press team operates out of an erstwhile exam room. Teachout takes the former urologist's office for herself, empty except for her cellphone and laptop, and piece of poster paper sitting on the floor on which is written "SIGN THE CLIMATE PLEDGE." +Story Continued Below +Teachout is a 46-year-old professor of law at Fordham University, where she teaches classes on antitrust and the Constitution. As a young lawyer from Vermont, Teachout joined the Howard Dean campaign as director of internet organizing; a magazine story from the time described her as "a slight, freckled lawyer" who "darts around the office in a pair of silver shoes with the balletic, boyish energy of Peter Pan." The shoes are gone now, but the energy is unchanged, even with Teachout due to give birth to her first child in October. +If all goes according to plan, the baby will be born just after the primary and just before the general election, and will just beginning to babble when Teachout takes office and turns the full force of the nation's most prestigious and powerful state legal office against the president of the United States. "This is war time. This is a total crisis moment," Teachout says. "It calls for Churchill. It calls for bringing out new ideas." +The New York AG's office is known for the firepower of its prosecutors and the ambition of its occupants. Robert Abrams saw himself as taking the place of federal regulators defanged in the Reagan era; Eliot Spitzer unearthed an obscure 70-year-old law to go after the financial wrongdoing of Wall Street billionaires. Eric Schneiderman compelled the president to fork over $25 million to settle Trump University fraud lawsuit. +The Friday Cover Sign up for POLITICO Magazine's email of the week's best, delivered to your inbox every Friday morning. +Email Sign Up By signing up you agree to receive email newsletters or alerts from POLITICO. You can unsubscribe at any time. +Teachout is another type of force entirely, a professor with expertise on both corruption and the Constitution, whose skills seem uniquely tailored to this strange moment in American politics. She may never occupy the office—she's tied for second in a four-person race, with close to half of likely voters undecided—but her anti-Trump battle plan has already shaped the contours of the race, with other occupants competing to out-anti-Trump one another, virtually guaranteeing the office will have a strong focus on the president. Nationally, it represents maybe the most extreme example of a specific new theory of Democratic politics: that the President of the United States represents a red-level threat alert to the republic, and that the first job of Democratic politicians, and especially Democratic prosecutors, is to stop him. +"We need someone in the AG's office who is going to dig under every rock," she says, promising "new tools" and "cutting-edge theories" about how a state-level prosecutor can go after the business, charity and personal empire of a sitting president. +Teachout first drew political attention for her long-shot primary campaign against Governor Andrew Cuomo in 2014, in which she grabbed a surprisingly large share of the vote and pushed Cuomo to govern from the left in his second term. After a failed bid for Congress, her political career seemed done until New York Attorney General Eric Schneiderman was forced to resign in a sexual harassment scandal in May, and she quickly declared that she was in the race to succeed him. +Zephyr Teachout points to Trump Tower during a campaign stop on June 5, 2018, in New York. | AP Images +She's made the traditional promises of an AG, of course, saying she'll police Wall Street and clean up Albany; she's pledged to curb the influence of the real-estate industry. But the meat of her campaign is a very specific message: If elected, she wants to refocus the attorney general's office on investigating Trump, his family, his associates and his businesses for possible money laundering, bank fraud and larceny. She wants the office to start preparing itself on Day One for the possibility that Trump could fire Robert Mueller or otherwise try to gut the special counsel's investigation. If Trump pardons members of his family or his associates, Teachout says, the office needs to be ready for that, too—prepared to bring charges under state law when applicable. +This has turned Teachout into something of a star of #TheResistance, and would-be attorneys general around the country are paying heed. In Minnesota, Democratic nominee for AG Keith Ellison launched his campaign telling ABC News that he wanted to be the "legal resistance" to the Trump administration at the state level, even as he conceded that it would be a "mistake" to dwell too much on Trump; In Florida, Democratic front-runner Sean Shaw has pledged to catch the Sunshine State up with anti-Trump lawsuits other states have filed. +Can Democrats both be the party of preserving civic norms and the party of "Lock Him Up"? +But it has also led to critics, even within the Democratic Party, who fret over the prospect of law enforcement officials vowing to investigate their political opponents—and consider this personality-focused approach a dangerous direction for a prosecutor's office to take, regardless of who the president is. It strikes some liberals as an uncomfortable mirror of the revenge-driven practices they deplored when President Barack Obama was the target—the progressive equivalent of Texas Governor Greg Abbott, who once described his life as attorney general as, "I go into the office in the morning, I sue Barack Obama, and then I go home." +The critique gets to the heart of what it means to be a Democrat in the Age of Trump, or a principled officeholder of any party, where the job consists both of moving an agenda forward and also defending the system itself from a leader who flouts the norms that kept it healthy in the first place. Can Democrats both be the party of preserving civic norms and the party of "Lock Him Up"? +*** +If it were any almost other candidate , tilting at the White House like this would seem like a pointless exercise. And even Teachout's AG campaign can seem a little quixotic: She has never held office, and never run a campaign with any real support from her own party establishment. +But legal experts take her expertise on the Trump front very, very seriously. She literally wrote the book on political corruption— Corruption in America: From Benjamin Franklin's Snuff Box to Citizens United, published in 2014—and after Trump won, she was one of the first to recognize what kind of Constitutional problem the president was creating by failing to divest himself from his businesses. Writing in The New York Times less than two weeks after the election, Teachout identified the "emoluments clause"—a heretofore obscure provision of Article 1 of the Constitution—as essentially an anti-bribery rule, one of several constitutional provisions written to prevent foreign powers from influencing domestic affairs. Running an international hotel and golf business essentially guarantees Trump is taking money from foreign powers, potentially giving wealthy individuals and governments leverage over presidential decisions. The emoluments clause, she argues, is a cornerstone of American democracy—one that we'd simply never needed to enforce before, because no president had chosen to retain control of a multinational company while holding office. +"She had a laser-like clarity from Day One about what the Constitution means," said Norm Eisen, a former government ethics official who co-founded the nonpartisan watchdog group Citizens for Responsibility and Ethics in Washington, whose board Teachout joined last year. Along with the attorneys general of Maryland and Washington, D.C., Teachout and CREW helped assemble a long-shot lawsuit against Trump accusing him of violating the emoluments clause by accepting gifts from foreign and state governments through his D.C. hotel, which earned $40 million in revenues in Trump's first year in office. The suit is still working its way through the courts: Late last month a federal judge rejected Trump's bid to dismiss the lawsuit, so now lawyers from both AGs' offices are allowed to review financial records of Trump's businesses and interview employees of the Trump Organization. +In putting the emoluments lawsuit together, what was striking, Eisen said, was "how practical she was. There were many scholars who wanted to help, but not every law school professor or activist has sound ideas about the law in its application to actual cases. Zephyr knew that in order for the case to have a broad-based legal foundation it must satisfy all of the legal tests, including conservative originalism. She crafted a case that I believe Antonin Scalia would have loved." +New York never joined the suit, however, even though it is where most of Trump's businesses are located. At the time, Teachout tried to get Eric Schneiderman to join the case in Maryland and D.C., meeting him at the legendary, checked-tablecloth Italian restaurant Carmine's on the Upper West Side. (A spokesman for the AG's office said that they were continuing to investigate the matter.) +After Trump's election, Schneiderman wasn't shy about crusading against the excesses of the administration, taking 150 legal actions against the Trump administration on issues ranging from the Environmental Protection Agency to the Deferred Action for Childhood Arrivals program.Teachout's campaign in many ways is based on the premise that he could have gone much further. She argues that the office has largely been defensive, stopping bad things from happening. As Teachout tells it, it is time to go on offense: "We need shields," she says, "But we also need swords. It is not enough to be defensive in this moment." +She also thinks she can go further than Barbara Underwood, Schneiderman's successor—though she credits Underwood for suing the Trump Foundation for violations of tax and campaign finance law, triggering a state investigation that could lead to criminal prosecution. "She has done more to take on Donald Trump in the last two months than Eric Schneiderman did in seven years," Teachout said. +(When I called the AG's office for comment, Amy Spitalnik, a spokeswoman for Underwood and previously for Schneiderman, declined to address the substance of Teachout's critique but did say, "If you want to write a bullshit piece that disparages the people in this office and their legal work, go ahead and do that.") +This is someone whose entire career is based on shady business deals and we are going after the heart of his power. I don't know what we will find, but I would be very surprised if we would find nothing." +Zephyr Teachout If Teachout wins, she already has her game plan. Her first priority in office, she says, is to file an emoluments lawsuit that forces Trump to release his tax returns and his business records, and to divest from his businesses in New York—the cradle of the Trump empire. The second priority is to investigate Trump's business and foundation under two obscure state laws known as 63(12) and 1101, which could lead to the kind of civil criminal actions that in extreme cases allow the AG to dissolve the corporation. She also says she would seek broad criminal jurisdiction from the governor when necessary to pursue criminal charges in case any illegality is found on the part of Trump or his family. +She doesn't have much doubt she'll turn it up. "He is already violating the law," she adds. "As much as he is making money off the presidency and off of anything illegal, we have to investigate, and if there are crimes we will prosecute them. This is someone whose entire career is based on shady business deals, and we are going after the heart of his power. I don't know what we will find, but I would be very surprised if we would find nothing." +She's already notched one win. Teachout has been pushing since the start of her campaign for Cuomo to provide the attorney general's office a criminal referral, necessary if Underwood is going to pursue charges in the foundation case. Last month, the governor did, a move that that has largely been credited to Teachout's advocacy—but that Teachout says is still too limited. +*** +Teachout's focus on Trump has helped turn what once looked like a long-shot candidacy into a serious threat to front-runner Letitia James, New York City's public advocate. She is currently tied with Rep. Sean Patrick Maloney for second place, while former Hillary Clinton and Cuomo aide Leecia Eve runs in fourth. +And it has also transformed the AG's race into a contest of who can out-Teachout Teachout in taking on Trump. The rhetoric has turned dramatic. In a recent ad, her rival Maloney sits calmly in his living room and says: "I feel like there's a group of men who have shown up with Donald Trump in the front yard and they're getting ready to tear this house apart. And I'm going to stand in the hallway with a baseball bat, because I don't have a choice. My kids are upstairs asleep." +James, in an interview with Yahoo News, said: "The president of the United States has to worry about three things; Mueller, Cohen, and Tish James. We're all closing in on him." +The four main contenders for the Democratic nomination for New York attorney general (clockwise, from upper left): Letitia James, Sean Patrick Maloney, Leecia Eve, Zephyr Teachout. | AP; Getty Images +But critics look at all this posturing, the promises to go after one man, and wonder has become of the basic fairness principle that goes with holding American office. Are Teachout and her fellow candidates really promising to spend the powers of their state office taking on a sitting president personally? +"The job of the attorney general is to be the chief law enforcement officer for the people of the state. It is not to be the lead lawyer in a political movement against Donald Trump," said Richard Brodsky, a former longtime New York lawmaker who ran for attorney general in 2010. "It starts getting into very dangerous territory, that the marginal and political responsibilities of the AG become paramount over the constitutional responsibilities. Donald Trump is detestable, but we are still a nation of laws, not persons, and the job of New York AG is not to be Donald Trump's chief tormentor." +When Teachout appeared on MSNBC in May and told Ari Melber that she was open to prosecuting members of the Trump administration, she drew a sharp response on Twitter from Brendan Nyhan, a professor at the University of Michigan and an expert on political norms, who tweeted that she risked undermining the rule of law: "Democrats should not rationalize Zephyr Teachout's behavior—what if the NY AG was a Republican who ran on investigating President Hillary Clinton? We must not go down this road. The powers of prosecutors are vast and easily abused." +In an interview, Nyhan elaborated: "It is worrisome when any candidate for a prosecutorial office announce their intention to pursue a prosecution for someone from the other party before they have examined the evidence in that office," he said. He compared Teachout's comments to those of James Comey, who made it be known what he thought of Hillary Clinton's email practices before declining to bring charges. +"If you are asked if you would investigate broad allegations of criminal misconduct, the answer can obviously be yes," he said. "But that is different from campaigning on the promise that you specifically prosecute someone from an opposing political party." +Teachout rejects this notion entirely. No one would fault her for promising to take on the pharma industry in her campaign, as its abuses have been widely reported. And she isn't throwing lawsuits and seeing what sticks, either. "It is fully appropriate to say, 'These are the facts we have. We have many reasons to believe these businesses are engaged in illegality.' But if they aren't, they aren't." +She would agree with Nyhan and her critics in more ordinary times, she says—which, she insists, these are not, with a president unabashedly profiting off his office. "To look at the available evidence and not see that there is a serious problem with this administration is nuts," she says. "That doesn't mean I am going to telegraph to you where a case will lead, but I am unapologetic about saying that there is enough to start an investigation here and here and here. A criminal investigation into his foundation. A criminal investigation into his family and his business and himself. I mean, let's look." +There is a risk, too, for the Democratic Party: That the "lock him up" approach could turn into a litmus test for highly activated anti-Trump voters in the Democratic primary, making life harder for candidates around the country. "We are just happily sitting back watching the food fight on the left," said Zach Roday, communications director for the Republican Attorneys General Association. +All of this has led to Teachout becoming something of a favorite punching bag on the right, too. Fox News has particularly targeted her, especially after Teachout cut a video promising to bring prosecutions against ICE agents who commit criminal acts, with both Tucker Carlson and "Fox & Friends" getting their licks in. +*** +On a scorching hot August day in New York , Teachout ventured out to Bushwick to endorse Julia Salazar, a 27-year-old member of the Democratic Socialists of America running for the state Senate against a 15-year incumbent. There was no real press presence to speak of, and no real people either, except for a few volunteers from both campaigns who stood in the background to hold campaign signs for the Facebook Live broadcast. It is part of Teachout's strategy: even before Alexandria Ocasio-Cortez upended the career of Joe Crowley, the fourth-ranking Democrat in the House and the boss of the Queens Democratic machine, New York was awash in primary challengers to establishment Democrats up and down the ballot. +Alexandria Ocasio-Cortez shares a laugh with Zephyr Teachout after endorsing her attorney general campaign on July 12. | Getty Images +Teachout, who was running against the establishment from the left back when "the resistance" still referred to World War II, supports nearly all of them, including Cynthia Nixon, who is mounting her own long-shot campaign for governor. They see themselves as harnessing the liberal anger at the Democratic establishment that has been bubbling throughout the country; the primary challengers, who are mostly women, and mostly women of color, are now running as a slate in the September primary. +Over the rumble of the subway cars on the way back to Harlem ("What, you really think we can afford a car service?" an aide said), Teachout remarked at her shock at seeing in the Washington Post the week before a story about how the Trump International Hotel in Washington, D.C., had gotten a key second-quarter revenue boost from the crown prince of Saudi Arabia. "I mean, an actual prince!" she said with a laugh. "The Constitution recognizes kings, princes and foreign potentates. This is just outrageous." +The story, though, made plain what she says has been obvious all along: "This is a president who makes very clear that how his businesses are doing impact how he feels. He is advertising it. He is creating the honey pot, and he is not denying it. He says, 'Saudi Arabia, why should I dislike them? They give me lots of money.'" +She doesn't see herself as promising that Trump will be led out of the Oval Office in handcuffs; rather, she's promising to follow the law and arguing that the law is already pointing pretty strongly in one direction. On Day One, as she sees it, New York will join the emoluments lawsuit. To know the scope of the emoluments violation, Trump's tax returns will be required, as will other financial records. If Trump refuses to comply with the court request, the nation will be in uncharted political territory, and Teachout, the law professor, thinks that the Constitution is clearly on her side. +"When you have a president who is making money off the presidency, you have to go after both the presidency party and the money part. And we have to stop it. All I can promise is tenacity. We can't stop where we have stopped before. \ No newline at end of file diff --git a/input/test/Test3153.txt b/input/test/Test3153.txt new file mode 100644 index 0000000..12eae7e --- /dev/null +++ b/input/test/Test3153.txt @@ -0,0 +1,14 @@ +Home » Consumer News » Visit to massive Pa.… Visit to massive Pa. dealer auction shows car prices rising By John Aaron | @JohnAaronWTOP August 17, 2018 5:23 am 08/17/2018 05:23am Share WTOP Car Guy Mike Parris got the inside story on the industry by visiting the world's largest wholesale auto auction facility, in Manheim, Pennsylvania. +An aerial view of the massive Manheim, Pennsylvania, auto auction facility. (Courtesy Manheim) +WASHINGTON — If you're shopping for a car, it really helps to know the landscape. +WTOP Car Guy Mike Parris got the inside story by visiting the world's largest wholesale auto auction facility. While the Manheim, Pennsylvania, site is for dealers only, some insights from there could help save you money. +"This is controlled chaos," Parris said of the facility that boasts 36 auction lanes on more than 400 acres in Lancaster County, about two and a half hours from D.C. "By the end of the day you're going to find out what the going rate of a car is on the wholesale market — and right now it's going up," he said. +The ripple effects of possible tariffs are being blamed for driving up prices in the used car market. The thinking is that if tariffs lead to higher new car prices, used cars would become more appealing to buyers — and the market is already reacting. Manheim said prices saw a bounce in the spring and then another "abnormal upswing" this summer. It said prices are up 5 percent compared to a year ago. +There are still relative bargains, though. "Large luxury sedans definitely lose a lot of value," Parris said. Electric vehicles are also poor performers on the resale market: "You can get them for pennies on the dollar." +Conversely, pickups and larger SUVs held their value exceptionally well. Parris said Jeep Wranglers and Toyota 4Runners were especially good performers, with the 4Runner "going for almost what it sold for two or three years ago" when new. +So once dealers buy the cars at auction, just how much do they get marked up? +"If there's a $10,000 car, you might see it for about $11,000 to $12,000 at a dealer," while higher-end cars could see a $4,000 to $5,000 markup, Parris said. +Manheim, Pennsylvania, offers more than 500,000 vehicles for sale each year, and many make it to the D.C. area. "Definitely if it's an off-lease vehicle, it's a very good chance that it actually came from Manheim," Parris said. +Many rental car companies auction off their cars there as well. One of the largest buyers at the auction is CarMax, which can send 50 to 60 representatives to the weekly sales. +Like WTOP on Facebook and follow @WTOP on Twitter to engage in conversation about this article and others. +© 2018 WTOP. All Rights Reserved. This website is not intended for users located within the European Economic Area. More New \ No newline at end of file diff --git a/input/test/Test3154.txt b/input/test/Test3154.txt new file mode 100644 index 0000000..c4aa9e2 --- /dev/null +++ b/input/test/Test3154.txt @@ -0,0 +1,23 @@ +Normal text size Larger text size Very large text size Michael Cheika has promised that Australia's two influential playmakers, Bernard Foley and Kurtley Beale, won't take a backward step no matter how much traffic the All Blacks direct at them on Saturday evening. +If the Wallabies are to be any chance of going up 1-0 in the three-match series for the Bledisloe Cup, the Waratahs duo will need to be at their accurate and creative best from the first whistle. +Replay +Replay Video Loading Play Video +Play Video +Playing in 5 ... Don't Play While there has been plenty of speculation across the ditch whether Beauden Barrett is New Zealand's form No.10, there has been no such debate about Foley. +While there is hardly a queue of quality five-eighths banging down the door to usurp Foley, the Waratahs No.10's vast experience and familiarity with Beale is invaluable. The pair have played off one another for more than half a decade and know each other's idiosyncrasies. +Their interchangeable nature at first receiver is a huge benefit and will once again be utilised at ANZ Stadium in front of a sea of gold crossing their fingers that Foley and Beale can bring their A-game. +Advertisement +Attack: Michael Cheika with Wallabies playmakers Kurtley Beale and Bernard Foley. +Photo: AAP The pair have spoken about their motivation to help Australia break a 16-year Bledisloe Cup drought but the man who watches them closer than anyone, Cheika, has a feeling that they will be super sharp, particularly in defence. +"Beale is very, very motivated for this game, as is Foley," said Cheika on Alan Jones' 2GB radio program on Friday. "You won't see them take a backward step." +Beale has shown in the last 12 months he is a fearless defender. Sometimes his overeagerness results in the odd missed tackle but when it comes to one-on-one hits, there have been some memorable ones in that time. Not to forget some crucial strips in Wallabies territory that have got his team out of precarious, back-pedalling situations. +Cheika has complete faith that even if the All Blacks make a concerted effort to run over the top of Australia's 10 and 12, they will be ready. +Loading "They like to run at Foley and Beale because they think they're small blokes and they won't tackle," Cheika said. "But in those two guys you've got two very, very big hearts and they [New Zealand] will be coming at them." +As for Jones, a former Wallabies coach, he is one of Beale's biggest fans. +"This is as good as we've had; this young boy Kurtley Beale," Jones said on his show. "Magnificent athlete and I don't think he's ever been better than he is now." +That is some compliment given Beale is set to chalk up his 75th Test on the weekend, nine years after a debut off the bench in Cardiff. +Beale's opposite number, Ryan Crotty, has played exactly half the number of Tests the Australian has but underestimating his ability would be unwise. +Asked on Thursday about the threats Beale and Foley would pose in attack, Crotty said: "They're both very talented ballplayers. With Kurtleyyou've got to make sure you don't give him too much time and space. Any ballplayer with time and space will make you pay." +The Wallabies had a gentle jog around ANZ Stadium on Friday at their captain's run. They were jovial and exuberant and give the impression they are a team that believes they can bring down the mighty All Blacks against all odds. +It's time to play rugby. The stage is set and Cheika can't wait. +"I believe in our guys," Cheika said. "Over today, this last 24 hours, this is where the battle will be won. \ No newline at end of file diff --git a/input/test/Test3155.txt b/input/test/Test3155.txt new file mode 100644 index 0000000..10dc02b --- /dev/null +++ b/input/test/Test3155.txt @@ -0,0 +1,21 @@ + Editor - Technology News | Aug 17, 2018 | Technology | 0 | +When you think of e-commerce marketplaces, chances are that the first things that come to mind are storefronts built on websites and apps. But today an e-commerce startup that has never had either — and never plans to — has raised a fistful of cash to continue building out its shopping experience on the platform has been its growth engine: messaging apps. +London-based Threads has raised $20 million in funding for an operation that courts high-end, millennial, mostly female customers with tailored selections of luxury fashion, which it then sells to them on services like WeChat , WhatsApp , Snapchat , Instagram and Apple's iMessage for their primary interactions with a team of human (not AI) shopping assistants. +"We very intentionally didn't build a website for consumers, just as we haven't built an app," founder and CEO Sophie Hill explained in an interview. "The idea behind Threads is curation and convenience. It's a customer-centric business and it's built on chat because that is where the customers wanted to be and transact. Chat may not have been used in the way we were using it in 2010"— when the company was founded —"but that was our problem to solve. We had to learn to serve through chat rather than create was for convenient for us as a business." +The company says that it will be using the new funding — led by fashion and millennial-focused fund C Ventures, with participation from Highland Europe (which invests in Matches Fashion, among other related businesses) — to expand its business across the board: hiring more stylists, more engineers to build tech to help the operation run smoother, and other creative and other staff to bolster the 90 who already work for the business. But even before now, the company has been growing quite impressively. +With customers in 100 countries — 70 percent of them under the age of 35, with Asia one of its fastest-growing regions — Threads says that its average amount people spend in a shopping session (basket size) is a very unshabby $3,000. And because of its success in linking up expensive goods with people willing to buy it, it's secured relationships with designers and brands like Dior, Fendi, Chopard and some 250 other luxury names to source key items for its clients. As a marketplace, Threads makes commissions from the suppliers when items are sold. +Threads materialised (sorry) as a business when founder and CEO Sophie Hill was still working as a buyer for Topshop owner Arcadia, her first job out of university (where she studied sociology). +The year was 2010, and even though messaging apps had yet to take off, and well before the ones you likely use today really had any functionality at all, with Instagram and the "stories" format nowhere on the scene, Hill started canvassing opinion among the people she hoped to target. She saw that they were already all avidly using messaging clients on their phones to chat to each other. +Messaging in the West was relatively feature-free, but Hill could see what was coming around the corner by looking at WeChat, the Chinese app that was well ahead of its time, and that — plus what her target audience was already using — was enough to convince her of how she needed to build her business. +Threads has a somewhat unconventional cost base as an e-commerce startup. +Without a site and app, its developer team instead is focused on ways of improving the processes that go into the selling that Threads does do: personalized, concierge style services. That means building tech to make tracking items more efficient for customers (that might come in the form of an actual chatbot at some point, Hill said); building a better search engine for the assistants to find specific pieces for Threads clients; and so on. +Another area where Threads' costs are quite different from the typical e-commerce business is in customer acquisition. Hill says the startup company also has never really had a dedicated marketing budget (nor "someone leading the marketing function"). Instead, Threads has grown mainly by word of mouth among users, and later via social media platforms like Instagram as its own content and that of its customers gets attention. +On the other hand, one area where Threads has potentially weathered significantly more expense than the average e-commerce business is in how it connects clients with products. +Hill says that its chat-based shopping service fits into a wider world of busy activity and travel for a typical customer, who will nonetheless expect a high level of engagement as part of a five-star service, even if it originated in chat. So, Threads has been known to organise designers flying in from one city to another to show off a specific piece to a client, and also pulling together shopping to hand deliver it to a client in whatever location she happens to be, or even organising excursions to actual, physical boutiques when those customers take a trip to a city, either specifically to shop or for another reason. +"It is a complement to what they need and how they want to shop for luxury goods," she said. +There is something about a business based fundamentally around a team of people serving users, versus a business that has built technology to do that job, which frankly feels very analogue. But Hill and her investors believe that there is scalability in Threads' future, and tech will be what helps get it there (just as it has been what helped the startup materialise in the first place). +"Just because someone doesn't have a website or app doesn't mean we don't have a direct purchase path," Hill said. "We are going to be using technology to enhance that personalised experience. Using tech blended with human interaction will be the ultimate service for the luxury industry. We see it as a complement, a way to enhance the personal experience. +"Tech has moved quickly and we are starting to test and how we will integrate more AI," she added. "You can see where the customers might be happy with that response versus talking to a person. It's about us seeing how customers will react." +The mix of a business born in the concept of high-touch customer service, with luxury boutique-style profit margins, but with roots in a very popular technology (messaging) and the potential to bring on even more tech to make it work more efficiently, is the crux of what caught investors' attention. +"People who are Threads' customers clearly like to transact like this," Tony Zappala, a partner at Highland Europe, said. "And both Threads and those customers are getting more responses. It's much harder to achieve that on a website these days." +The next stop for Threads will be expanding to more product categories beyond fashion and jewellery — although Hill would not say what — and adding more offices to provide services closer to its customers on both sides of the marketplace. New York and Hong Kong are first on the list \ No newline at end of file diff --git a/input/test/Test3156.txt b/input/test/Test3156.txt new file mode 100644 index 0000000..8bd72ff --- /dev/null +++ b/input/test/Test3156.txt @@ -0,0 +1,8 @@ +Sign up or login to join the discussions! Stay logged in Sign up to comment and more Sign up Portable/Console/VR hybrid? — Nintendo's Switch has been hiding a buried "VrMode" for over a year Unlocked firmware functions suggest Nintendo was testing VR support. Aug 16, 2018 4:30 pm UTC A previous, browser-based proof-of-concept test from YouTuber Nintendrew shows how Switch-based VR could work. reader comments 40 Share this story +Hackers have uncovered and tested a screen-splitting "VR Mode" that has been buried in the Switch's system-level firmware for over a year. The discovery suggests that Nintendo at least toyed with the idea that the tablet system could serve as a stereoscopic display for a virtual reality headset. +Switch hackers first discovered and documented references to a "VrMode" in the Switch OS' Applet Manager services back in December when analyzing the June 2017 release of version 3.0.0 of the system's firmware . But the community doesn't seem to have done much testing of the internal functions "IsVrModeEnabled" and "SetVrModeEnabled" at the time. +That changed shortly after Switch modder OatmealDome publicly noted one of the VR functions earlier this month , rhetorically asking, "has anyone actually tried calling it?" Fellow hacker random0666 responded with a short Twitter video (and an even shorter followup ) showing the results of an extremely simple homebrew testing app that activates the system's VrMode functions. +As you can see in those video links, using those functions to enable the Switch's VR mode splits the screen vertically into two identical half-sized images, in much the way other VR displays split an LCD screen to create a stereoscopic 3D effect. System-level UI elements appear on both sides of the screen when the mode is enabled, and the French text shown in the test can be roughly translated to "Please move the console away from your face and click the close button." +The location of the functions in the Switch firmware suggest they're part of Nintendo's own Switch code and not generic functions included in other Nvidia Tegra-based hardware. Could Switch VR work? Nintendo Switch patents suggest possibile head-mounted VR accessory The presence and functionality of the Switch system software's "VrMode" code strongly suggests Nintendo was testing some sort of VR support for the Switch at some point in the recent past. The discovery also adds a bit more fodder to a 2016 Nintendo patent that showed a very Switch-like tablet being inserted into a head-mounted VR holster. Further Reading Nintendo doesn't seem to be "looking into" VR very much anymore While Nintendo President Tatsumi Kimishima said in early 2016 that the company was "looking into" virtual reality, Nintendo executives have shown relatively tepid interest in hopping on the VR bandwagon over the years. +Despite the discovery of this VrMode code (and previous hacked-together proof-of-concept tests from individual Switch owners), it's hard to imagine the Switch's large form factor, 720p resolution screen, and relatively low-end gyroscope would lead to a very robust VR experience. That said, some industry watchers continue to speculate about a potential PS4 Pro/Xbox One X-style mid-generation hardware update for the Switch, which could provide the extra horsepower needed to enable passable virtual reality on the platform (Nintendo has not even hinted at any such plans, though). +Regardless, the Switch's VrMode functions are still buried in current versions of the Switch firmware, waiting for homebrew or even third-party developers to test it out in an actual piece of software, if they wish. After you guys are done creating new Super Mario Odyssey levels , we'd love to see some more experiments on this score. Promoted Comment \ No newline at end of file diff --git a/input/test/Test3157.txt b/input/test/Test3157.txt new file mode 100644 index 0000000..d1b3514 --- /dev/null +++ b/input/test/Test3157.txt @@ -0,0 +1,9 @@ +452 SHARES +The first time it happened, I wasn't entirely sure what was going on. My partner and I had just had some pretty wild sex, and after catching out breath, we were shifting around in bed to snuggle when a tear rolled down my cheek. My guy reached over to brush it away, but when I looked up, I saw that his eyes had welled up too. Before I knew it, another few drops slid down my face. What was going on? We'd just had awesome sex. Why the hell were we crying? For someone who was never fully certain that satisfying partner sex was in the cards, getting it on without reservations continues to be an powerful experience. +My partner and I are that couple: we cry after sex, though I do most of it. Even a few years after getting together and getting hitched, my now-husband and I still occasionally turn on the waterworks after we do the deed. Don't get me wrong; we aren't sad. We're usually a mix of relieved, content, and post-orgasmic giddy. We're also aware of just how lucky we are, and sometimes our emotions run so high that it comes out in unexpected ways. The sheer joy of being together, which I readily admit sounds sickeningly perfect, actually comes from a far-from-ideal past that we've both spent a long time working to overcome. +I'd like to pretend that I only get a little weepy after sex for positive reasons, but the truth is a whole lot more complicated than that. After privately enduring a sexually abusive relationship during my teenage years, my early 20s were filled with some pretty terrible couplings. I hadn't yet dealt with the fact that my first sexual experiences were non-consensual and rather frightening, let alone hidden from most of my friends. At the time, I was actually thankful my boyfriend (now better known as my abuser) had pummeled my self-esteem rather than my face. I somehow thought I'd gotten out lucky compared to what a lot of women survive, as if there's some hierarchy of pain and suffering when it comes to abuse. Obviously, there was a lot of damage to be undone. READ Girl Talk: Growing Up Without A Mother +I went through a modest share of boyfriends in my mid-20s, most of whom seemed particularly focused on sex in one way or another — probably because I didn't want to have much. I was working at a rape crisis center, starting to put names and labels on what had happened to me, and I wasn't particularly interested in furthering my own pain until I'd exorcised a few of my demons. +It didn't really matter when I set limits or shared my story though; one boyfriend, who had initially been supportive of my past, berated me for never going down on him when we broke up after two months, as if I'd failed some sort of sexual abuse survivor litmus test. A year later, my first really serious boyfriend told me after we'd been having sex for a few months that he didn't really love me after all and had just been using me. Under normal circumstances, this might have been troubling, even heart-breaking, but for me, it was absolutely devastating. Talk about wanting to cry after sex — for all the wrong reasons. +Fast forward past a couple of years of intense therapy and not a whole lot of dating (at least not with any success); I fell for my now-husband after a lengthy friendship. We'd both had remarkably few sexual partners in the past — few like count 'em on one hand, if not one finger — so it was pretty surprising to everyone, especially us, when we jumped into bed together within days of hooking up. No doubt because we'd known one another for a while, we were instantly compatible, in and out of the bedroom. I was shocked; not only was I finally in a fun and intimate relationship, I was with someone who could accept my limitations, genuinely please me, and was equally pleasured by me. As a result, it ended up seeming really normal when we both got emotional about finally, finally finding a compatible, loving partner. READ Girl Talk: I Was A Dominatrix For A Day +I'm not attempting to pathologize anyone who gets a little choked up after sex. A whole host of sentimental types — myself included — get pretty overwhelmed by the range of emotions that spill over into post-coital snuggles, smokes, snacks, or well, whatever you do after sex. My point is that particularly for someone who was never fully certain that satisfying partner sex was in the cards, getting it on without reservations continues to be an powerful experience. After being treated like a frigid unlovable gal by most men I'd cared about, a few years of multiple and mutual orgasms with my guy still feels like a serious achievement in both intimacy and passion. I'm also reassured when my tough guy with a sensitive side gets a little weepy too. No one wants to cry alone, especially not naked! +Let's clear up one other misconception: I don't just cry after sex. During and after foreplay and sex, my partner and I spend a lot of time making jokes, laughing, shrieking, and even just talking. Just because things can get intensely serious doesn't mean that isn't just one part of the whole package, so to speak. Sometimes we have to jump up and get back to work. Sometimes the cat is watching , or someone has to pee, and off we go, the mood broken almost immediately. But sometimes, we both take a minute to realize that we got pretty lucky, and share in our momentary sappiness. The freedom to be emotionally intimate, to even get a little misty-eyed once in a while, is what ultimately bonds us. To me, that's worth a few potentially embarrassing tears \ No newline at end of file diff --git a/input/test/Test3158.txt b/input/test/Test3158.txt new file mode 100644 index 0000000..2d1ed0f --- /dev/null +++ b/input/test/Test3158.txt @@ -0,0 +1,8 @@ +Comment +Microlending app OKash has introduced a built-in face recognition system to secure loans for its customers. The system, according to the online lender has been built to protect the identity of any OKash borrower from potential third-party fraud. +"We are very happy to be the first financial technology app in the country to innovate and establish such a security system," said Edward Ndichu, Managing Director of OKash in Kenya. +"Within financial digital services, there is a need to ensure that the customer is actually who they say they are. By implementing this new feature, we ensure the integrity of our customers and guarantee them 100 percent protection of their loans and personal information when using the app." +With one of the fastest growing digital economies in the world, Kenyan mobile financial technology providers face multiple challenges by scammers who use personal information such as a phone or ID number to get a loan using someone else identity. Read >> Greek firm introduces recovery software for Kenya's banking sector +According to the 2017 Annual Report presented by the Financial Sector Deepening (FSD) in Kenya, more than 73 percent of citizens have a mobile money account. This represents a major part of Kenya's population that is vulnerable to digital fraud. +"This new face recognition system has been designed to protect the identity of all our users and provide them with the best experience," said Ndichu. "We would like to encourage all of our users to test the new feature and start protecting their daily loans and transactions." +OKash was developed by OPay, an affiliated company of the Opera Group. It becomes the first microlending app in Kenya to implement a face recognition system. Facebook Comment \ No newline at end of file diff --git a/input/test/Test3159.txt b/input/test/Test3159.txt new file mode 100644 index 0000000..889c181 --- /dev/null +++ b/input/test/Test3159.txt @@ -0,0 +1,11 @@ +Paul Ince: Paul Pogba has been a "nightmare" since the World Cup 17, 2018 +Paul Ince has hit out at Paul Pogba's behaviour since the World Cup, describing the Frenchman as a "nightmare". +The midfielder was reportedly upset with Jose Mourinho's comments on his performances at the finals, in which the manager intimated that he wasn't focused enough at Manchester United. +When asked whether he was happy at the club following Man United's win over Leicester, Pogba said: "There are things I cannot say, otherwise I will get fined." +Speaking to Paddy Power, Ince was quick to jump on the media bandwagon and lay into Pogba, who he believes has "too much to say". +"Since he's come back, he's been a nightmare, As a player, irrespective of whether you're happy or unhappy, there are ways to conduct yourself," he said. +"He captained United in their opening game of the season against Leicester, played brilliantly, and then came out with those quotes afterwards. I really can't understand why he'd do that other than to get attention and set tongues wagging. +"Paul Pogba has got too much to say. Mourinho made him captain last week, which is a huge honour and one which he seems to underestimate. If Jose really thought so little of him, I doubt he'd have given him the armband." +Much is made of Pogba's attitude, of his lifestyle and demeanour and feelings towards his manager. There is probably some friction with the boss, which is totally normal, only magnified when the story centres around him. +But here are the facts: Pogba won the World Cup with France, became a leader in the dressing room, returned to training early, came into the starting XI as captain after just three days of training and was United's most influential player by a mile, scoring from the spot and then controlling the midfield. +That, to me, hardly constitutes a "nightmare" \ No newline at end of file diff --git a/input/test/Test316.txt b/input/test/Test316.txt new file mode 100644 index 0000000..3b52151 --- /dev/null +++ b/input/test/Test316.txt @@ -0,0 +1,29 @@ +Share August 16, 2018 at 9:08 pm +White House chief economic adviser Larry Kudlow speaks to the media after finishing interviews on the North Lawn of the White House, Thursday, Aug. 16, 2018, in Washington. (AP Photo/Andrew Harnik) +WASHINGTON (AP) — Is the latest pickup in U.S. economic growth destined to slow in the years ahead as most analysts say? +Or, as the Trump administration insists, is the economy on the cusp of an explosive boom that will reward Americans and defy those expectations? +On Thursday, President Donald Trump's chief economic adviser made his case for the boom. Calling mainstream predictions "pure nonsense," Larry Kudlow declared that the expansion — already the second-longest on record — is merely in its "early innings." +"The single biggest event, be it political or otherwise, this year is an economic boom that most people thought would be impossible to generate," Kudlow said at a Cabinet meeting, speaking at the president's request and looking directly at him. "Not a rise. Not a blip." +"People may disagree with me," Kudlow continued, "but I'm saying this, we are just in the early stages." +The U.S. economy grew for seven straight years under President Barack Obama before Trump took office early last year. Since then, it's stayed steady, and the job market has remained strong. The stock market is also nearing an all-time high, a sign of confidence about corporate profits. +Economic growth has picked up this year, having reached a four-year high of 4.1 percent at an annual rate last quarter. Job gains are also running at a slightly faster pace than in 2017. Most analysts see the economy growing a solid 3 percent this year — a potential political asset for Trump and the Republican Party, especially with the approach of November's congressional elections. +Yet it's hard to find any outside mainstream economists who would agree with Kudlow's assertion that the Trump administration can accelerate or even sustain that growth rate. Analysts generally expect that the benefits from Trump's tax cuts and an additional $300 billion in government spending that he signed into law in February will gradually slow along with economic growth. +Most also say the Fed's continuing interest rate hikes, combined with the trade conflicts Trump has sparked with most of America's trading partners, could also limit growth. +"Economists are incredibly hopeful that the White House is right," said Carl Tannenbaum, chief economist of Northern Trust. "Unfortunately, most economic analysis and past historical patterns suggest that we're in the middle of a sugar rush that will wear off." +Economists have generally forecast that the pace of annual economic growth will slip to about 2.5 percent in 2019 and then less in the subsequent years. +Even within the government, the leading forecasts are more sober. The Fed expects growth to slip to 2.4 percent in 2019 and 2 percent in 2020. The Congressional Budget Office said this week that growth would likely slow to 1.7 percent in 2020. +Tannenbaum noted that the economy faces two trends that essentially act as a speed limit. First, over time, the economy can grow only as fast as the size of its workforce. Yet the vast baby boom generation is retiring. +What's more, the administration is seeking to limit immigration, which would reduce the number of available workers. During the longest U.S. expansion, from 1991 through 2001, the working-age population grew an average of 1.2 percent a year. Yet from 2008 through 2017, it expanded an average of just 0.5 percent annually. +A second factor is the growth of worker productivity — the amount of output per hour worked — which has fallen by half in the decade since the Great Recession, from a 2.7 percent average rate to 1.3 percent. +Even if the economy did accelerate unexpectedly, the Fed would then likely raise rates faster to avert a pickup in inflation and cause the expansion to slow. +In addition, the tax cuts and government spending that are helping boost economic growth for now have swollen the budget deficit, which is expected to surpass $1 trillion annually in 2020 — a level Tannenbaum calls "absolutely frightening." +Such high deficits require large-scale government borrowing. Such additional borrowing typically sends interest rates up and makes it harder for businesses to borrow, spend and expand. +On top of that risk, the Trump administration's tariffs, which are meant to force countries to trade on terms more favorable to the U.S., could devolve into a trade war that would imperil economic growth. What's more, a global economic slowdown, stemming from factors beyond the administration's control, perhaps among troubled emerging economies, would likely spill over to the United States. +Scott Anderson, chief economist at Bank of the West, noted that the $1.5 trillion worth of tax cuts that will take effect over the next decade were supposed to spur companies to make additional investments in machinery, vehicles and other technology that would lift worker productivity. But the pace of equipment spending has fallen since the end of last year. That's a sign to him that the growth in 2018 might be fleeting. +"The tax cuts are really not moving the needle for businesses," Anderson said. +Tannenbaum notes that "the data suggest that the vast majority of tax savings have been used by companies to increase dividends and repurchase shares," which gives shareholders more money but doesn't increase corporate investment or workers' wages. +In making his case Thursday, Kudlow played loosely with some data. As director of the White House National Economic Council, he noted that disposable personal income — the pay that people take home after taxes and adjusting for inflation — had climbed 3.1 percent over the past 12 months. +Not exactly. Kudlow was referring to total personal disposable income, which meant he didn't factor in changes in population. On a per capita basis, the increase in disposable personal income is a more modest 2.3 percent — not much different from what it's been since May 2017. +The per capita income figure can also cut a jagged path over time. It peaked at 4.6 percent at the start of 2015, dipped to 0.3 percent in August 2016 and then began to climb before its recent plateau. +Yet speaking of the most recent gains in personal income, Kudlow assured the president and the country Thursday, "There's no signs that it's abating." +Copyright © The Associated Press. All rights reserved. This material may not be published, broadcast, rewritten or redistributed \ No newline at end of file diff --git a/input/test/Test3160.txt b/input/test/Test3160.txt new file mode 100644 index 0000000..5f38c1d --- /dev/null +++ b/input/test/Test3160.txt @@ -0,0 +1,8 @@ +Balter Liquid Alternatives LLC boosted its holdings in Werner Enterprises, Inc. (NASDAQ:WERN) by 165.2% during the second quarter, according to the company in its most recent filing with the Securities and fund owned 27,149 shares of the transportation company's stock after buying an additional 16,912 shares during the period. Balter Liquid Alternatives LLC's holdings in Werner Enterprises were worth $1,022,000 at the end of the most recent reporting period. +A number of other large investors have also modified their holdings of WERN. Xact Kapitalforvaltning AB acquired a new stake in Werner Enterprises in the 2nd quarter worth about $230,000. Levin Capital Strategies L.P. purchased a new position in shares of Werner Enterprises in the 1st quarter worth about $292,000. Cambria Investment Management L.P. purchased a new position in shares of Werner Enterprises in the 1st quarter worth about $299,000. Northwestern Mutual Investment Management Company LLC raised its holdings in shares of Werner Enterprises by 56.5% in the 1st quarter. Northwestern Mutual Investment Management Company LLC now owns 9,192 shares of the transportation company's stock worth $336,000 after purchasing an additional 3,318 shares during the period. Finally, Ramsey Quantitative Systems purchased a new position in shares of Werner Enterprises in the 2nd quarter worth about $375,000. 68.14% of the stock is currently owned by hedge funds and other institutional investors. Get Werner Enterprises alerts: +A number of research firms have recently commented on WERN. ValuEngine upgraded Werner Enterprises from a "hold" rating to a "buy" rating in a report on Monday, July 2nd. Robert W. Baird raised their price objective on Werner Enterprises from $41.00 to $43.00 and gave the stock a "neutral" rating in a report on Tuesday, July 24th. BidaskClub upgraded Werner Enterprises from a "hold" rating to a "buy" rating in a report on Wednesday. restated a "buy" rating and issued a $45.00 price objective on shares of Werner Enterprises in a report on Saturday, June 30th. Finally, Bank of America upgraded Werner Enterprises from an "underperform" rating to a "neutral" rating and raised their price objective for the stock from $41.00 to $44.00 in a report on Tuesday, July 24th. Two analysts have rated the stock with a sell rating, eight have issued a hold rating and eight have assigned a buy rating to the stock. The company currently has a consensus rating of "Hold" and an average target price of $42.93. +Shares of NASDAQ:WERN opened at $36.80 on Friday. The stock has a market cap of $2.66 billion, a P/E ratio of 28.98, a P/E/G ratio of 1.15 and a beta of 1.02. The company has a current ratio of 1.81, a quick ratio of 1.76 and a debt-to-equity ratio of 0.08. Werner Enterprises, Inc. has a one year low of $30.31 and a one year high of $43.95. +Werner Enterprises (NASDAQ:WERN) last announced its earnings results on Monday, July 23rd. The transportation company reported $0.61 EPS for the quarter, beating the consensus estimate of $0.50 by $0.11. The business had revenue of $619.13 million for the quarter, compared to the consensus estimate of $599.20 million. Werner Enterprises had a return on equity of 10.71% and a net margin of 10.09%. The company's revenue was up 19.2% on a year-over-year basis. During the same period last year, the business posted $0.32 EPS. equities analysts forecast that Werner Enterprises, Inc. will post 2.23 earnings per share for the current year. +The business also recently announced a quarterly dividend, which will be paid on Tuesday, October 16th. Investors of record on Monday, October 1st will be issued a dividend of $0.09 per share. The ex-dividend date of this dividend is Friday, September 28th. This represents a $0.36 annualized dividend and a dividend yield of 0.98%. Werner Enterprises's payout ratio is currently 28.35%. +About Werner Enterprises +Werner Enterprises, Inc, a transportation and logistics company, engages in transporting truckload shipments of general commodities in interstate and intrastate commerce in the United States, Mexico, Canada, China, and Australia. It operates through two segments, Truckload Transportation Services and Werner Logistics. Werner Enterprises Werner Enterprise \ No newline at end of file diff --git a/input/test/Test3161.txt b/input/test/Test3161.txt new file mode 100644 index 0000000..5c85e83 --- /dev/null +++ b/input/test/Test3161.txt @@ -0,0 +1,11 @@ +D.A. Davidson & CO. Acquires 1,294 Shares of Veeva Systems Inc (VEEV) Alanna Baker | Aug 17th, 2018 +D.A. Davidson & CO. increased its holdings in shares of Veeva Systems Inc (NYSE:VEEV) by 45.6% during the second quarter, according to the company in its most recent disclosure with the SEC. The institutional investor owned 4,130 shares of the technology company's stock after purchasing an additional 1,294 shares during the period. D.A. Davidson & CO.'s holdings in Veeva Systems were worth $317,000 as of its most recent SEC filing. +Several other hedge funds and other institutional investors have also added to or reduced their stakes in the company. First Trust Advisors LP boosted its stake in Veeva Systems by 24.2% in the second quarter. First Trust Advisors LP now owns 2,553,247 shares of the technology company's stock valued at $196,243,000 after acquiring an additional 497,318 shares in the last quarter. Fred Alger Management Inc. boosted its stake in Veeva Systems by 17.9% in the second quarter. Fred Alger Management Inc. now owns 1,125,066 shares of the technology company's stock valued at $86,473,000 after acquiring an additional 170,754 shares in the last quarter. Champlain Investment Partners LLC boosted its stake in Veeva Systems by 154.0% in the first quarter. Champlain Investment Partners LLC now owns 1,109,730 shares of the technology company's stock valued at $81,032,000 after acquiring an additional 672,790 shares in the last quarter. Fiera Capital Corp boosted its stake in Veeva Systems by 27.7% in the first quarter. Fiera Capital Corp now owns 751,537 shares of the technology company's stock valued at $54,877,000 after acquiring an additional 162,952 shares in the last quarter. Finally, Northern Trust Corp boosted its stake in Veeva Systems by 5.2% in the first quarter. Northern Trust Corp now owns 748,113 shares of the technology company's stock valued at $54,628,000 after acquiring an additional 37,132 shares in the last quarter. Hedge funds and other institutional investors own 73.52% of the company's stock. Get Veeva Systems alerts: +In other news, CFO Timothy S. Cabral sold 50,000 shares of Veeva Systems stock in a transaction on Wednesday, June 6th. The shares were sold at an average price of $81.75, for a total transaction of $4,087,500.00. Following the completion of the sale, the chief financial officer now directly owns 30,000 shares in the company, valued at $2,452,500. The transaction was disclosed in a legal filing with the Securities & Exchange Commission, which is available at this link . Also, EVP Alan Mateo sold 345 shares of Veeva Systems stock in a transaction on Monday, June 4th. The stock was sold at an average price of $79.50, for a total transaction of $27,427.50. The disclosure for this sale can be found here . Insiders have sold 183,188 shares of company stock valued at $15,141,983 over the last quarter. Insiders own 15.97% of the company's stock. +NYSE:VEEV opened at $84.71 on Friday. Veeva Systems Inc has a 12 month low of $52.17 and a 12 month high of $85.97. The firm has a market cap of $11.98 billion, a PE ratio of 92.08, a P/E/G ratio of 4.62 and a beta of 1.38. +Veeva Systems (NYSE:VEEV) last posted its quarterly earnings data on Thursday, May 24th. The technology company reported $0.33 EPS for the quarter, topping the Thomson Reuters' consensus estimate of $0.31 by $0.02. Veeva Systems had a net margin of 20.78% and a return on equity of 12.47%. The business had revenue of $195.55 million during the quarter, compared to the consensus estimate of $188.92 million. During the same period in the previous year, the firm posted $0.24 earnings per share. The business's revenue for the quarter was up 22.4% compared to the same quarter last year. research analysts predict that Veeva Systems Inc will post 1.02 EPS for the current fiscal year. +Several equities research analysts have weighed in on VEEV shares. Zacks Investment Research upgraded shares of Veeva Systems from a "hold" rating to a "buy" rating and set a $94.00 target price for the company in a research note on Tuesday, July 24th. Morgan Stanley raised their target price on shares of Veeva Systems from $78.00 to $85.00 and gave the company an "overweight" rating in a research note on Wednesday, June 27th. SunTrust Banks started coverage on shares of Veeva Systems in a research note on Monday, June 25th. They issued a "buy" rating and a $100.00 target price for the company. Deutsche Bank raised their target price on shares of Veeva Systems from $55.00 to $70.00 and gave the company a "hold" rating in a research note on Friday, May 25th. Finally, Needham & Company LLC raised their target price on shares of Veeva Systems to $90.00 and gave the company a "buy" rating in a research note on Friday, May 25th. Five research analysts have rated the stock with a hold rating, eleven have assigned a buy rating and one has issued a strong buy rating to the stock. The stock presently has a consensus rating of "Buy" and a consensus price target of $82.08. +Veeva Systems Profile +Veeva Systems Inc provides cloud-based software for the life sciences industry in North America, Europe, the Asia Pacific, and internationally. The company offers Veeva Commercial Cloud, a suite of multichannel customer relationship management applications, data solutions, and master data management solutions; and Veeva Vault, a cloud-based enterprise content management applications for managing commercial functions, including medical, sales, and marketing, as well as research and development functions, such as clinical, regulatory, quality, and safety. +Featured Article: Book Value Per Share in Stock Trading +Want to see what other hedge funds are holding VEEV? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Veeva Systems Inc (NYSE:VEEV). Veeva Systems Veeva System \ No newline at end of file diff --git a/input/test/Test3162.txt b/input/test/Test3162.txt new file mode 100644 index 0000000..9300ce4 --- /dev/null +++ b/input/test/Test3162.txt @@ -0,0 +1,14 @@ +Home Society Current: Somaliland: A helping hand for resilient women can transform whole communities Somaliland: A helping hand for resilient women can transform whole communities Cassandra Yoong Fri 17 Aug 2018 9:58 BST +The long and bumpy road is dotted with livestock such camels, goats and donkeys that wander across the arid landscape of Somaliland, an autonomous region in Somalia. +In this part of the world, lack of rainfall means no harvests, no drinking water – and sadly often enough – no life. Due to prolonged droughts and conflict, thousands of people have become homeless and lost livelihoods and beloved ones. Cassandra Yoong/World Vision Displaced women in the Aden Suleiman camp now run small shops selling all sorts of basic necessities, household items and food. +One of the places our team visits is the Aden Suleiman camp for internally displaced people, which has become home for hundreds of families fleeing hunger. Here, I meet some women who have fled drought-stricken villages after their livelihoods where destroyed. +Almost all lament the loss of their livestock. And to understand their grumblings, one needs to learn how central livestock are to the way of life of Somalis. The livestock sector is the nucleus of the economic and cultural life of the Somali people. It provides food and income to over 60 per cent of the country's population, according to experts. +Livestock reared in Somaliland are shipped to various countries in the Arabian Peninsula and trekked or transported to markets in Kenya, Djibouti, and Ethiopia bringing in a huge chunk of the nation's income. Furthermore, livestock is a key local consumption commodity for household food security. +So, for the ladies at Aden Suleiman camp who have lost livestock, a sense of despair hangs in the air. +Hope has however sprung for some after they received support through a programme run by international children's charity World Vision. These women have become some of Aden Suleiman camp's most progressive entrepreneurs as they now run small shops selling all sorts of basic necessities, household items and food. The project helps women increase their savings and access small loans, enabling mothers in the community to generate income, plan, and contribute to the overall well-being of their families. +It's undeniable that these women have a remarkable strength of character. However, resilience alone is not enough to overcome the challenges people affected by natural disasters face every day. This is where humanitarian agencies and the international community have a role to play. +Poor rainy seasons have pushed communities in Somalia on the brink of famine. Millions of people are food insecure, and loss of livestock has reduced household income and therefore access to food and water. The United Nations estimated in August that more than 5 million people need urgent assistance in the country. According to World's Vision data, more than 300,000 children under five are acutely malnourished. +The humanitarian situation in Somaliland – and across most of the horn of Africa – remains dire, yet the response to the crisis remains largely unfunded. +World Vision's efforts to support small groups of resilient women is already showing signs of transformation of communities, but more has to be done at a global level. The international community should invest more in projects that enable aid agencies such as World Vision to scale up their work and assist millions of people affected by the drought in Somalia, and other countries across East Africa. +Cassandra Yoong is marketing officer at World Vision UK. +To find out more about World Vision's East Africa crisis appeal, click here . Most Rea \ No newline at end of file diff --git a/input/test/Test3163.txt b/input/test/Test3163.txt new file mode 100644 index 0000000..6f81846 --- /dev/null +++ b/input/test/Test3163.txt @@ -0,0 +1,9 @@ +Business plan with strategy,investors presentation +1)Need business plan in a very formatted way. +2)This should be easy to promote to VC's/investors/loans. +3)Budget planning,marketing plan,revenue generation,profit/loss should be written in a very clear way. +4)PPT with slides would be much interesting. +5)Staff management,employees needed. +6)This is for travel sharing which has an app. +7)Well documented/formatted should be delivered. +This plan is similar to UBER with new idea. Offer to work on this job now! Bidding closes in 6 days Open - 6 days left Your bid for this job USD Set your budget and timeframe Outline your proposal Get paid for your work It's free to sign up and bid on jobs 9 freelancers are bidding on average $59 for this job Hello, this is Saket. I have expertise in writing business plans and have written content for more than 759 business plans till now. I have ten years of experience in content writing and able to provide you well-res More $222 USD in 1 day (306 Reviews) Hi there. I am a Bachelors' and Masters' Business Graduate with deep knowledge and understanding of business concepts. I have written comprehensive business plans for startups and developing companies to their success More $25 USD in 1 day (118 Reviews) premiumwriters12 I am a Professional writer with 7 years of experience. I hold an M B A and first Degree in Economic which provides me with the necessary background to handle your projects. The 100% client satisfaction is my first prio More $25 USD in 1 day (144 Reviews) mathagaj Dear Friend, I have gone through your requirements and I believe am the most suitable candidate for this job. I have written several business plans and I will be glad to offer my expertise and skills on this one too. More $74 USD in 1 day (85 Reviews) adityathakur196 Hello I am MBA Graduate with 10+ years of work experience as a management consultant. I have created more than 500 business plans wherein clients were able to get debt or investment as per their plan. I will be able t More $85 USD in 3 days (31 Reviews \ No newline at end of file diff --git a/input/test/Test3164.txt b/input/test/Test3164.txt new file mode 100644 index 0000000..f6af032 --- /dev/null +++ b/input/test/Test3164.txt @@ -0,0 +1,9 @@ + Scott Davis on Aug 17th, 2018 // No Comments +PVH Corp (NYSE:PVH) was the recipient of unusually large options trading on Wednesday. Stock investors bought 8,579 call options on the company. This represents an increase of 1,014% compared to the average daily volume of 770 call options. +Several research analysts have recently issued reports on the company. Citigroup increased their price target on PVH from $174.00 to $179.00 and gave the stock a "buy" rating in a research note on Thursday, May 31st. Deutsche Bank decreased their price target on PVH from $179.00 to $176.00 and set a "buy" rating for the company in a research note on Friday, May 25th. ValuEngine cut PVH from a "buy" rating to a "hold" rating in a research note on Monday, July 2nd. JPMorgan Chase & Co. increased their price target on PVH from $175.00 to $180.00 and gave the stock an "overweight" rating in a research note on Thursday, May 31st. Finally, Piper Jaffray Companies set a $174.00 price target on PVH and gave the stock a "buy" rating in a research note on Thursday, May 31st. One investment analyst has rated the stock with a sell rating, six have given a hold rating and fifteen have issued a buy rating to the company's stock. The stock currently has an average rating of "Buy" and a consensus target price of $169.90. Get PVH alerts: +In related news, EVP Mark D. Fischer sold 3,300 shares of the company's stock in a transaction on Friday, June 8th. The stock was sold at an average price of $166.08, for a total transaction of $548,064.00. The sale was disclosed in a filing with the Securities & Exchange Commission, which is available through this hyperlink . Also, CEO Francis K. Duane sold 16,475 shares of the stock in a transaction on Tuesday, June 5th. The stock was sold at an average price of $160.00, for a total value of $2,636,000.00. The disclosure for this sale can be found here . Over the last 90 days, insiders have sold 20,875 shares of company stock valued at $3,364,739. 1.00% of the stock is owned by company insiders. Hedge funds have recently made changes to their positions in the stock. IBM Retirement Fund bought a new position in PVH during the first quarter valued at about $255,000. Calamos Advisors LLC boosted its stake in PVH by 14.9% during the second quarter. Calamos Advisors LLC now owns 102,915 shares of the textile maker's stock valued at $15,408,000 after buying an additional 13,310 shares in the last quarter. Toronto Dominion Bank boosted its stake in PVH by 24.4% during the first quarter. Toronto Dominion Bank now owns 41,503 shares of the textile maker's stock valued at $6,284,000 after buying an additional 8,151 shares in the last quarter. ING Groep NV boosted its stake in PVH by 6.8% during the first quarter. ING Groep NV now owns 7,861 shares of the textile maker's stock valued at $1,190,000 after buying an additional 499 shares in the last quarter. Finally, Sumitomo Mitsui Trust Holdings Inc. boosted its stake in PVH by 2.3% during the first quarter. Sumitomo Mitsui Trust Holdings Inc. now owns 232,364 shares of the textile maker's stock valued at $35,187,000 after buying an additional 5,250 shares in the last quarter. 94.73% of the stock is owned by institutional investors and hedge funds. +Shares of PVH stock opened at $148.25 on Friday. PVH has a fifty-two week low of $118.66 and a fifty-two week high of $169.22. The stock has a market cap of $11.85 billion, a P/E ratio of 18.67, a PEG ratio of 1.31 and a beta of 0.76. The company has a quick ratio of 0.88, a current ratio of 1.76 and a debt-to-equity ratio of 0.54. +PVH (NYSE:PVH) last announced its earnings results on Wednesday, May 30th. The textile maker reported $2.36 earnings per share for the quarter, beating the Thomson Reuters' consensus estimate of $2.25 by $0.11. PVH had a return on equity of 12.66% and a net margin of 7.00%. The business had revenue of $2.31 billion during the quarter, compared to analysts' expectations of $2.28 billion. During the same quarter last year, the business posted $1.65 earnings per share. The company's quarterly revenue was up 16.4% on a year-over-year basis. sell-side analysts predict that PVH will post 9.19 EPS for the current fiscal year. +The company also recently announced a quarterly dividend, which will be paid on Tuesday, September 25th. Investors of record on Wednesday, August 29th will be paid a dividend of $0.0375 per share. The ex-dividend date is Tuesday, August 28th. This represents a $0.15 annualized dividend and a yield of 0.10%. PVH's dividend payout ratio is currently 1.89%. +About PVH +PVH Corp. operates as an apparel company in North America and internationally. The company operates through six segments: Calvin Klein North America, Calvin Klein International, Tommy Hilfiger North America, Tommy Hilfiger International, Heritage Brands Wholesale, and Heritage Brands Retail. It designs, markets, and retails men's and women's apparel and accessories, including branded dress shirts, dresses, suits, neckwear, sportswear, jeans wear, performance and intimate apparel, underwear, swimwear, swim products, handbags, luggage products, footwear, golf apparel, sleepwear and loungewear, eyewear and fragrances, cosmetics, skincare products and toiletries, socks and tights, jewelry, watches, outerwear, small leather goods, and furnishings, as well as other related products \ No newline at end of file diff --git a/input/test/Test3165.txt b/input/test/Test3165.txt new file mode 100644 index 0000000..61fd185 --- /dev/null +++ b/input/test/Test3165.txt @@ -0,0 +1,10 @@ + Harper Lund on Aug 17th, 2018 // No Comments +Home Depot Inc (NYSE:HD) – Research analysts at SunTrust Banks lifted their FY2019 earnings estimates for Home Depot in a report released on Tuesday, August 14th. SunTrust Banks analyst K. Hughes now forecasts that the home improvement retailer will post earnings per share of $9.46 for the year, up from their previous estimate of $9.38. SunTrust Banks also issued estimates for Home Depot's Q1 2020 earnings at $2.20 EPS, Q2 2020 earnings at $3.15 EPS, Q3 2020 earnings at $2.50 EPS, Q4 2020 earnings at $2.19 EPS and FY2020 earnings at $10.05 EPS. Get Home Depot alerts: +A number of other research analysts have also issued reports on HD. Piper Jaffray Companies reaffirmed a "hold" rating and set a $203.00 target price on shares of Home Depot in a report on Thursday. Wells Fargo & Co set a $205.00 target price on Home Depot and gave the stock a "buy" rating in a report on Tuesday, May 15th. ValuEngine raised Home Depot from a "hold" rating to a "buy" rating in a report on Monday, July 2nd. UBS Group increased their price target on Home Depot from $212.00 to $225.00 and gave the company a "buy" rating in a research report on Wednesday, June 20th. Finally, Loop Capital set a $187.00 price target on Home Depot and gave the company a "hold" rating in a research report on Tuesday, May 15th. One equities research analyst has rated the stock with a sell rating, seven have assigned a hold rating, twenty-two have assigned a buy rating and one has issued a strong buy rating to the stock. The company currently has an average rating of "Buy" and an average price target of $203.35. NYSE:HD opened at $195.39 on Thursday. The stock has a market cap of $226.44 billion, a P/E ratio of 26.19, a PEG ratio of 1.50 and a beta of 1.14. Home Depot has a 52-week low of $146.89 and a 52-week high of $207.60. The company has a current ratio of 1.17, a quick ratio of 0.37 and a debt-to-equity ratio of 14.37. +Home Depot (NYSE:HD) last released its earnings results on Tuesday, August 14th. The home improvement retailer reported $3.05 earnings per share (EPS) for the quarter, topping analysts' consensus estimates of $2.84 by $0.21. The firm had revenue of $30.46 billion for the quarter, compared to analyst estimates of $30.04 billion. Home Depot had a return on equity of 399.15% and a net margin of 8.85%. Home Depot's revenue was up 8.4% compared to the same quarter last year. During the same period in the previous year, the company earned $0.59 earnings per share. +A number of hedge funds and other institutional investors have recently made changes to their positions in HD. Bank of The Ozarks boosted its position in Home Depot by 8.8% during the 4th quarter. Bank of The Ozarks now owns 7,910 shares of the home improvement retailer's stock worth $1,499,000 after acquiring an additional 640 shares during the period. Main Street Research LLC lifted its holdings in shares of Home Depot by 1.7% during the 4th quarter. Main Street Research LLC now owns 79,473 shares of the home improvement retailer's stock valued at $15,063,000 after buying an additional 1,312 shares during the last quarter. WASHINGTON TRUST Co lifted its holdings in shares of Home Depot by 1.6% during the 4th quarter. WASHINGTON TRUST Co now owns 139,698 shares of the home improvement retailer's stock valued at $26,478,000 after buying an additional 2,179 shares during the last quarter. Strategic Financial Services Inc acquired a new stake in shares of Home Depot during the 4th quarter valued at about $223,000. Finally, Clarus Wealth Advisors acquired a new stake in shares of Home Depot during the 4th quarter valued at about $466,000. Hedge funds and other institutional investors own 68.94% of the company's stock. +In other Home Depot news, Director Stephanie Linnartz acquired 1,000 shares of the firm's stock in a transaction on Friday, June 1st. The stock was purchased at an average cost of $187.57 per share, for a total transaction of $187,570.00. The purchase was disclosed in a document filed with the SEC, which is available at the SEC website . Company insiders own 0.25% of the company's stock. +The firm also recently disclosed a quarterly dividend, which will be paid on Thursday, September 13th. Shareholders of record on Thursday, August 30th will be given a dividend of $1.03 per share. This represents a $4.12 dividend on an annualized basis and a yield of 2.11%. Home Depot's payout ratio is presently 55.23%. +About Home Depot +The Home Depot, Inc operates as a home improvement retailer. It operates The Home Depot stores that sell various building materials, home improvement products, lawn and garden products, and décor products, as well as provide installation, home maintenance, and professional service programs to do-it-yourself and professional customers. +Further Reading: Dividend Receive News & Ratings for Home Depot Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Home Depot and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test3166.txt b/input/test/Test3166.txt new file mode 100644 index 0000000..9bb5aa3 --- /dev/null +++ b/input/test/Test3166.txt @@ -0,0 +1,9 @@ +Business plan with strategy,investors presentation +1)Need business plan in a very formatted way. +2)This should be easy to promote to VC's/investors/loans. +3)Budget planning,marketing plan,revenue generation,profit/loss should be written in a very clear way. +4)PPT with slides would be much interesting. +5)Staff management,employees needed. +6)This is for travel sharing which has an app. +7)Well documented/formatted should be delivered. +This plan is similar to UBER with new idea. Tilbyd at arbejde på dette job nu! Budafgivning lukker om 6 dage åbn - 6 dage tilbage Dit bud på dette job USD Bestem dit budget og din tidsramme Beskriv dit forslag Bliv betalt for dit arbejde Det er gratis et tilmelde sig og byde på jobs 9 freelancere byder i gennemsnit $59 på dette job Hello, this is Saket. I have expertise in writing business plans and have written content for more than 759 business plans till now. I have ten years of experience in content writing and able to provide you well-res Flere $222 USD på 1 dag (306 bedømmelser) Hi there. I am a Bachelors' and Masters' Business Graduate with deep knowledge and understanding of business concepts. I have written comprehensive business plans for startups and developing companies to their success Flere $25 USD på 1 dag (118 bedømmelser) premiumwriters12 I am a Professional writer with 7 years of experience. I hold an M B A and first Degree in Economic which provides me with the necessary background to handle your projects. The 100% client satisfaction is my first prio Flere $25 USD på 1 dag (144 bedømmelser) mathagaj Dear Friend, I have gone through your requirements and I believe am the most suitable candidate for this job. I have written several business plans and I will be glad to offer my expertise and skills on this one too. Flere $74 USD på 1 dag (85 bedømmelser) adityathakur196 Hello I am MBA Graduate with 10+ years of work experience as a management consultant. I have created more than 500 business plans wherein clients were able to get debt or investment as per their plan. I will be able t Flere $85 USD in 3 dage (31 bedømmelser \ No newline at end of file diff --git a/input/test/Test3167.txt b/input/test/Test3167.txt new file mode 100644 index 0000000..ff4a725 --- /dev/null +++ b/input/test/Test3167.txt @@ -0,0 +1,24 @@ +Rosen Law Firm, a global investor rights law firm, announces the filing of a class action lawsuit on behalf of purchasers of the securities of Facebook, Inc. FB, -2.69% from April 26, 2018 through July 25, 2018, inclusive (the "Class Period"). The lawsuit seeks to recover damages for Facebook investors under the federal securities laws. +To join the Facebook class action, go to https://www.rosenlegal.com/cases-1384.html or call Phillip Kim, Esq. or Zachary Halper, Esq. toll-free at 866-767-3653 or email pkim@rosenlegal.com or zhalper@rosenlegal.com for information on the class action. +NO CLASS HAS YET BEEN CERTIFIED IN THE ABOVE ACTION. UNTIL A CLASS IS CERTIFIED, YOU ARE NOT REPRESENTED BY COUNSEL UNLESS YOU RETAIN ONE. YOU MAY RETAIN COUNSEL OF YOUR CHOICE. YOU MAY ALSO REMAIN AN ABSENT CLASS MEMBER AND DO NOTHING AT THIS POINT. AN INVESTOR'S ABILITY TO SHARE IN ANY POTENTIAL FUTURE RECOVERY IS NOT DEPENDENT UPON SERVING AS LEAD PLAINTIFF. +According to the lawsuit, defendants during the Class Period made materially false and/or misleading statements and/or failed to disclose that: (1) the number of daily and monthly active Facebook users was declining; (2) due to unfavorable currency conditions and plans to promote and grow features of Facebook's social media platform with historically lower levels of monetization, such as Stories, Facebook anticipated its revenue growth to slow and its operating margins to fall; and (3) as a result, Facebook's public statements were materially false and misleading at all relevant times. When the true details entered the market, the lawsuit claims that investors suffered damages. +A class action lawsuit has already been filed. If you wish to serve as lead plaintiff, you must move the Court no later than September 25, 2018. A lead plaintiff is a representative party acting on behalf of other class members in directing the litigation. If you wish to join the litigation, go to https://www.rosenlegal.com/cases-1384.html or to discuss your rights or interests regarding this class action, please contact Phillip Kim, Esq. or Zachary Halper, Esq. of Rosen Law Firm toll free at 866-767-3653 or via e-mail at pkim@rosenlegal.com or zhalper@rosenlegal.com . +Follow us for updates on LinkedIn: https://www.linkedin.com/company/the-rosen-law-firm or on Twitter: https://twitter.com/rosen_firm . +Rosen Law Firm represents investors throughout the globe, concentrating its practice in securities class actions and shareholder derivative litigation. Rosen Law Firm was Ranked No. 1 by ISS Securities Class Action Services for number of securities class action settlements in 2017. The firm has been ranked in the top 3 each year since 2013. +View source version on businesswire.com: https://www.businesswire.com/news/home/20180727005620/en/ +SOURCE: The Rosen Law Firm, P.A. +The Rosen Law Firm, P.A. +Laurence Rosen, Esq. +Phillip Kim, Esq. +Zachary Halper, Esq. +275 Madison Avenue, 34 [th] Floor +New York, NY 10016 +Tel: 212-686-1060 +Toll Free: 866-767-3653 +Fax: 212-202-3827 +lrosen@rosenlegal.com +pkim@rosenlegal.com +zhalper@rosenlegal.com +www.rosenlegal.com +Copyright Business Wire 2018 +From MarketWatch Investors Take Aim at Misconduct in Venture Firms 11 marijuana stocks' money flows show which are investor favorites Omarosa secretly recorded her coworkers—think very carefully before doing the sam \ No newline at end of file diff --git a/input/test/Test3168.txt b/input/test/Test3168.txt new file mode 100644 index 0000000..3b68bd4 --- /dev/null +++ b/input/test/Test3168.txt @@ -0,0 +1 @@ +in General It might just be the cross-over Dem voters who stay home. Avid and yellow-dog Dems, and possibly even new, revved-up Dem voters, might turn out to vote, along with the most committed Republicans. That is how it usually is in the midterms; the party loyalists are the ones who show up.That is really all the parties want, i.e. the loyalists who do not expect any change, with the addition of a few non-loyalist voters to put the careerist politicians over the victory line. Lifetime - Loyalty - Party - Meh - Weakness Once you cross over, abandoning a lifetime of loyalty to a party, it is like, meh, do I really want to vote for them again? You have admitted the fundamental weakness in your party after going through the motions to vote them, like an obedient yellow dog, in midterms and general elections all of your life.You crossed over, thinking the other party might present an actual alternative. Do you really want to do this civic chore for them again or for the careerists in the other half of the Uniparty that you always voted for in vain? Anomaly - Voters - Half - Uniparty - Half I may be an anomaly, but if the cross-over voters who always showed up to vote, like me, do not show up at all, the blue half of the Uniparty has to subtract us, but the red half of the Uniparty cannot add us, canceling out our impact.But some people who never voted before turned out for Trump. Will they perform the chore of mid-term voting? These elections turn on 1%, especially since so few voters show up in the midterms. If the newly-registered crowd shows up again for Trump, it could sway it. But what motivated them?Republicans did not build a wall to stop illegal immigration. They did not do anything about reducing the number.. \ No newline at end of file diff --git a/input/test/Test3169.txt b/input/test/Test3169.txt new file mode 100644 index 0000000..4630602 --- /dev/null +++ b/input/test/Test3169.txt @@ -0,0 +1,7 @@ + Lisa Pomrenke on Aug 17th, 2018 // No Comments +Great Canadian Gaming (TSE:GC) had its target price upped by analysts at Royal Bank of Canada from C$61.00 to C$63.00 in a note issued to investors on Wednesday. Royal Bank of Canada's price target would suggest a potential upside of 39.69% from the company's current price. +A number of other brokerages also recently commented on GC. Cormark raised their price objective on Great Canadian Gaming from C$37.00 to C$49.00 in a research report on Tuesday, June 19th. Canaccord Genuity raised their price objective on Great Canadian Gaming from C$38.00 to C$41.00 and gave the stock a "buy" rating in a research report on Thursday, April 19th. TD Securities upgraded Great Canadian Gaming from a "hold" rating to a "buy" rating and raised their price objective for the stock from C$39.00 to C$54.00 in a research report on Thursday, May 10th. Finally, Scotiabank raised their price objective on Great Canadian Gaming from C$52.00 to C$52.50 and gave the stock a "sector perform" rating in a research report on Wednesday, June 6th. Three investment analysts have rated the stock with a hold rating and two have given a buy rating to the company. Great Canadian Gaming currently has an average rating of "Hold" and an average target price of C$44.08. Get Great Canadian Gaming alerts: +GC opened at C$45.10 on Wednesday. Great Canadian Gaming has a 12-month low of C$28.89 and a 12-month high of C$55.85. In other Great Canadian Gaming news, insider Chindavon Phouikhoune-Phinith sold 8,333 shares of the firm's stock in a transaction that occurred on Thursday, May 24th. The stock was sold at an average price of C$50.25, for a total value of C$418,733.25. Also, insider Bruce Barbour sold 2,100 shares of the firm's stock in a transaction that occurred on Wednesday, May 30th. The stock was sold at an average price of C$51.00, for a total value of C$107,100.00. Insiders sold a total of 10,466 shares of company stock valued at $527,641 in the last quarter. +Great Canadian Gaming Company Profile +Great Canadian Gaming Corporation operates gaming properties in Canada and the United States. The company's gaming properties include casinos, horse racetrack casinos, community gaming centers, and commercial bingo halls. As of March 7, 2018, it had 25 gaming, entertainment, and hospitality facilities in British Columbia, Ontario, New Brunswick, Nova Scotia, and Washington State. +Featured Article: Google Finance Receive News & Ratings for Great Canadian Gaming Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Great Canadian Gaming and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test317.txt b/input/test/Test317.txt new file mode 100644 index 0000000..ec0da40 --- /dev/null +++ b/input/test/Test317.txt @@ -0,0 +1,4 @@ +The turnover of the public sector enterprises (PSEs) in Haryana increased to Rs 57,628 crore in 2016-17 as compared to Rs 49,478 crore in 2014-15. +This was informed during a review meeting of PSEs held under the chairmanship of state Chief Minister Manohar Lal Khattar here yesterday. +Finance Minister Capt Abhimanyu was also present in the meeting. The turnover of PSEs has made promising improvement in the past over a period of four years, according to an official release. +It was also informed that the number of PSEs under profit increased from 20 in 2014 to 26 on March 31, 2017 whereas the number of loss-making public sector units went down from 24 to 20 over a similar period \ No newline at end of file diff --git a/input/test/Test3170.txt b/input/test/Test3170.txt new file mode 100644 index 0000000..d991bdf --- /dev/null +++ b/input/test/Test3170.txt @@ -0,0 +1,17 @@ +LOCAL 5 Things to know Friday: MEC votes to send campaign money, Aretha Franklin dies at 76, and more. NEWS CENTER Maine can help you get your day started right with a quick look at the stories making headlines across the state and the nation. Author: Kyle Hadyniak Published: 3:39 AM EDT August 17, 2018 Updated: 5:55 AM EDT August 17, 2018 +(NEWS CENTER Maine) — Here is what you need to know as you start your day! +CLICK HERE TO WATCH THE MORNING REPORT LIVE FROM 4:30 TO 7 A.M. +1. MAINE ETHICS COMMISSION VOTES TO SEND CAMPAIGN MONEY +The Maine Ethics Commission, which manages the Clean Elections Campaign Finance Program, voted to start sending out additional funding, even though the legislature hasn't taken steps to allow that. +The program provides money for eligible candidates to run their campaigns, and has been supported twice by Maine voters. Since July 1st, none of the money in this year's clean elections fund has been sent out because of a problem in the wording of the budget, and lawmakers have not agreed on a fix. The ethics commission says a court ruling two weeks ago ordered the governor to release clean elections funds that were supposed to be sent out in late June. Yesterday, they argued that the same court ruling allows the commission to be in charge of sending out money to candidates. Three of the four members disagreed, and voted not to wait any longer. +► Ethics commission asserts control over campaign money +2. MAINE SUPREME COURT UPHOLDS DISTRICT ATTORNEY CANDIDATE'S SUSPENSION +Maine's highest court has ruled against Seth Carey, a Republican who is running for district attorney in Androscoggin, Franklin, and Oxford counties, even though he has had his license to practice law suspended. His license was suspended for two years after a woman accused him of sexual abuse and secured a protection from abuse order against him. In an effort to get his license back, Carey filed a wide-ranging complaint against several parties, including judges and the board of overseers of the Bar. +A lower court dismissed his complaints, and Carey appealed. Yesterday, the Maine Supreme Court denied Carey's appeal. +3. CHALLENGER TO SEN. SUSAN COLLINS' SENATE SEAT REPRIMANDED +Dr. Cathleen London, who says she will challenge Senator Susan Collins in the 2020 election, has been reprimanded by the state board of medicine for "unprofessional conduct." Dr. London runs a practice in Milbridge, and has been put on probation and is prohibited from prescribing methadone. The board said it received nine complaints, including violating patient confidentiality, inappropriate interactions with patients and inappropriate prescribing of controlled substances. London or her lawyer have not commented on the matter. +► Downeast doctor with plans to challenge Sen. Collins in 2020 reprimanded by state +4. PHOTO SIGNED BY PRESIDENT LINCOLN SELLS FOR $43,000 +A photograph of President Abraham Lincoln, signed by the president himself, has sold at an auction in St. George for $43,000. Larry Trueman of LT Auctions found the picture while clearing a house for an estate sale. Trueman said word of the signed Lincoln photo drew interest from bidders, with seven bidding by phone and several in person. American soul singer Aretha Franklin on the Atlantic record label. Express Newspapers, Getty Images +5. ARETHA FRANKLIN, THE QUEEN OF SOUL, DEAD AT 76 +Aretha Franklin, known for her soul and gospel music over her half-century career, died at her home yesterday after a lengthy battle with cancer. Tributes have been flooding social media, both from Mainers, other musicians, and people around the world \ No newline at end of file diff --git a/input/test/Test3171.txt b/input/test/Test3171.txt new file mode 100644 index 0000000..b5b27d2 --- /dev/null +++ b/input/test/Test3171.txt @@ -0,0 +1,6 @@ +31 2.43 +First Choice Healthcare Solutions presently has a consensus target price of $2.50, suggesting a potential upside of 110.08%. As a group, "Medical laboratories" companies have a potential downside of 6.33%. Given First Choice Healthcare Solutions' stronger consensus rating and higher possible upside, equities research analysts plainly believe First Choice Healthcare Solutions is more favorable than its competitors. +Summary +First Choice Healthcare Solutions beats its competitors on 7 of the 13 factors compared. +About First Choice Healthcare Solutions +First Choice Healthcare Solutions, Inc., through its subsidiaries, provides healthcare services in the United States. Its network of non-physician-owned medical centers offer musculoskeletal and rehabilitative care services specializing in orthopaedics, spine surgery, interventional pain management, and ambulatory surgical care. The company also provides ancillary and diagnostic services comprising magnetic resonance imaging, X-ray, durable medical equipment, and physical/occupational therapy. In addition, it subleases 29,629 square feet of commercial office space to affiliated and nonaffiliated tenants. The company is headquartered in Melbourne, Florida. Receive News & Ratings for First Choice Healthcare Solutions Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for First Choice Healthcare Solutions and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test3172.txt b/input/test/Test3172.txt new file mode 100644 index 0000000..c979780 --- /dev/null +++ b/input/test/Test3172.txt @@ -0,0 +1,11 @@ +Romelu Lukaku: I think I'll stop playing after the Euros 17, 2018 +Manchester United star Romelu Lukaku has revealed his intentions on the international stage with Belgium, seemingly confirming he will retire after the Euros. +The 25 year old was a huge part of his nation's success this summer where the international Red Devils managed to go all the way to the semi-finals. +Unfortunately for Lukaku they fell short against eventual winners France but it was thought to be not such a devastating thing since time was on his side. +However, it seems the former Everton striker is already thinking of retiring from international football at the peak of his powers. +The Euros is in two years time meaning he would be 27 by the time it concludes but he won't be looking to feature in the 2020 World Cup in Qatar. +According to Manchester Evening News , Romelu said to Business Insider: "After the Euros, I think I'll stop. Every big tournament for us as a country has to be getting into the semifinals, and then you go from there. +"You will go to win the whole thing, but you don't go for less than the semifinals." +Of course if Lukaku is still with United by then, it would technically be good news for the club since he would give his best years solely to them. +The Belgian arguably has at least three more international tournaments in him following the conclusion of this summer's World Cup but he's apparently not interested. +Romelu seemed to suggest the nation is in good hands in terms of the talented youngsters coming through it's ranks \ No newline at end of file diff --git a/input/test/Test3173.txt b/input/test/Test3173.txt new file mode 100644 index 0000000..4bdfc3a --- /dev/null +++ b/input/test/Test3173.txt @@ -0,0 +1 @@ +Press release from: Kuick Resarch Global cell therapy market is expected to surpass US$ 24 Billion by 2024 as per recent research study publish by Kuick Research. As per report findings, there are more than 600 cell therapies in clinical pipeline and 21 cell therapies are commercially available in the market.For Report Sample Contact: Global Cell Therapy Market, Price, Product and Clinical Pipeline Outlook 2024â Report Highlights: * Market Analysis by Application in Various Therapeutic Areas* Comprehensive Insight On Clinical Pipeline: 664 Cell Therapies* Cell Therapy Market Opportunity More Than US$ 25 Billion by 2024* Marketed Cell Therapies: 21* Price and Product Insight By Region/Country* Cell Therapy Clinical Pipeline Overview* Collaborations and Acquisition in the Cell Therapy Segment* Regional Analysis of the Cell Therapy MarketDownload Report: www.kuickresearch.com/report-global-cell-therapy-market,-... Kuick Research is a market research and analytics company that provides targeted information for critical decisions at business, product and service levels. We are quick, predictive and known by the recommendations we have made in the past. Our result-oriented research methodology offers understanding of multiple issues in a short period of time and gives us the capability to keep you full with loads of practical ideas. By translating research answers into strategic insight and direction, we not only rate the success potential of your products and/or services, but also help you identify the opportunities for growth in new demographies and find ways to beat competition.Neeraj Chawl \ No newline at end of file diff --git a/input/test/Test3174.txt b/input/test/Test3174.txt new file mode 100644 index 0000000..4bb5c9d --- /dev/null +++ b/input/test/Test3174.txt @@ -0,0 +1 @@ +This is a Gigajob job posting for: Solution Consultant (Java Developer) (#1,077,803,874) Job offer #1,077,803,874 in Singapore Job Responsbilities: Java J2EE Software Engineer required for leading Asia player in the Payment business. Analysis, design of complex systems and transversal processes in payment business. Part of a transversal team responsible for strategic and long term processes around common components, release and support management for the payment platform and its customers. Support to the project leader, support to internal and external stakeholders of the payment platform by technical leading of the transversal activities. Transfer of the results gained during analysis to technical design and (object oriented, SOA) and process. Implement design software solutions together with teams from architecture, development, maintenance and transversal technical projects. Support to the release and maintenance managers. Support the software architects (definition of common architecture, standards, guidelines, etc.). Job Requirements: Candidate must possess at least Bachelor's Degree in Engineering (Computer/Telecommunication), Computer Science/Information Technology or equivalent. At least 5 Year(s) of working experience in the related field is required for this position. At least 3 - 5 years of working experience in Java, JEE, Javascript, HTML, DHTML, AJAX technology is a must At least 3 years of full lifecycle experience in development of complex object oriented systems (analysis, design, development and test). Candidates with less experience will be considered as Junior SoftwareEngineer Good team player, good English spoken and written skills. Communication strength, capability to work in an international environment and distributed teams Experience as a team leader for small to medium size team of software developers (3-5 developers). Experience with driving the analysis and design of software applications, including managing contact with business people and other stakeholders, planning, reporting etc. Ability to manage multi-national projects. Availability for occasional travels. Functional Skills: Experience as a team leader for a software development project. Experience with driving a software development process. Experience in customer relationship management. Optional but considered as a plus: experience from banking, finance or accounting. Technical skills and tools (mandatory): UML, BPM, Java, JEE (JSP, Servlets, EJB 3.0, JPA, JMS), Tapestry, Web services development (SOAP, WSDL…), CVS, Eclipse, XML, Application server: Apache Tomcat, JBOSS or IBM Websphere, RDBMS + SQL knowledg (Oracle or similar), OS: Windows, Unix, Linux Optional - but a major plus: SOA experience or theoreticalknowledge The Company Worldline International (Malaysia) Sdn Bhd Job Detail \ No newline at end of file diff --git a/input/test/Test3175.txt b/input/test/Test3175.txt new file mode 100644 index 0000000..89b9e6a --- /dev/null +++ b/input/test/Test3175.txt @@ -0,0 +1 @@ +August 17, 2018 5:30am Comments Share: Amphoteric Surfactants Market Worth $4.94 Billion by 2023 PR Newswire PUNE, India, August 17, 2018 PUNE, India , August 17, 2018 /PRNewswire/ -- According to the latest market research report "Amphoteric Surfactants Market by Type (Betaine, Amine Oxide, Amphoacetates, Amphopropionates, Sultaines), Application (Personal Care, Home Care & I&I Cleaning, Oil Field Chemicals, Agrochemicals), and Region - Global Forecast to 2023" , published by MarketsandMarkets™, the market is projected to grow from USD 3.52 billion in 2018 to USD 4.94 billion by 2023, at a CAGR of 7.0% between 2018 and 2023. Rising demand for personal care products and high-performance amphoteric surfactants is expected to drive the growth of the Amphoteric Surfactants Market during the forecast period. (Logo: https://mma.prnewswire.com/media/660509/MarketsandMarkets_Logo.jpg ) Browse 90 market data Tables and 44 Figures spread through 119 Pages and in-depth TOC on " Amphoteric Surfactants Market " https://www.marketsandmarkets.com/Market-Reports/amphoteric-surfactant-market-228852138.html Early buyers will receive 1 0% customization on this report Based on type, the amine oxide segment of the Amphoteric Surfactants Market is projected to grow at the highest CAGR, in terms of value and volume from 2018 to 2023. Based on type, the Amphoteric Surfactants Market has been segmented into betaine (alkyl betaine, alkyl amido betaine, and others), amine oxide, amphoacetates, amphopropionates, and sultaines. The amine oxide segment of the market is projected to grow at the highest CAGR in terms of both, value and volume during the forecast period. Amine oxide is a mild surfactant, which offers excellent secondary surfactant characteristics. It has the ability to decrease skin irritation in combination with Linear Alkylbenzene Sulfonate (LAS) or alcohol sulfates. Moreover, amine oxide possesses inherent stability and has improved cleansing properties. Get PDF Brochure : https://www.marketsandmarkets.com/pdfdownload.asp?id=228852138 Based on application, the personal care segment is projected to lead the Amphoteric Surfactants Market during the forecast period in terms of both, value and volume. The personal care segment is projected to lead the Amphoteric Surfactants Market in terms of both, value and volume between 2018 and 2023. Amphoteric surfactants are the mildest surfactants and hence, are commonly used in the formulation of various personal care products. The mildness of amphoteric surfactants can be attributed to their zwitterion nature. The use of these surfactants in the personal care products results in lower skin irritation as compared to other surfactants. The European region is expected to be the largest market for amphoteric surfactants during the forecast period. The Amphoteric Surfactants Market has been studied for 5 regions, namely, Asia Pacific , North America , Europe , the Middle East & Africa , and South America . The European region is projected to be the largest market for amphoteric surfactants during the forecast period due to the strong foothold of manufacturers of personal care products in the region. Amphoteric surfactants are the key compounds used in the formulation of various personal care products. The European region is also home for the leading manufacturers of amphoteric surfactants. The major countries driving the growth of the amphoteric surfactants in the European region are France , Germany , Italy , and Russia . Some of the key players in the Amphoteric Surfactants Market include AkzoNobel N.V. ( Netherlands ), BASF SE ( Germany ), Clariant AG ( Switzerland ), Croda (UK), Evonik Industries AG ( Germany ), Lonza ( Switzerland ), the Lubrizol Corporation (US), Oxiteno SA ( Brazil ), Solvay ( Belgium ), and Stepan Company (US). Know more about Amphoteric Surfactants Market : https://www.marketsandmarkets.com/Market-Reports/amphoteric-surfactant-market-228852138.html About MarketsandMarkets™ MarketsandMarkets™ provides quantified B2B research on 30,000 high growth niche opportunities/threats which will impact 70% to 80% of worldwide companies' revenues. Currently servicing 7500 customers worldwide including 80% of global Fortune 1000 companies as clients. Almost 75,000 top officers across eight industries worldwide approach MarketsandMarkets™ for their painpoints around revenues decisions. Our 850 fulltime analyst and SMEs at MarketsandMarkets™ are tracking global high growth markets following the "Growth Engagement Model - GEM". The GEM aims at proactive collaboration with the clients to identify new opportunities, identify most important customers, write "Attack, avoid and defend" strategies, identify sources of incremental revenues for both the company and its competitors. MarketsandMarkets™ now coming up with 1,500 MicroQuadrants (Positioning top players across leaders, emerging companies, innovators, strategic players) annually in high growth emerging segments. MarketsandMarkets™ is determined to benefit more than 10,000 companies this year for their revenue planning and help them take their innovations/disruptions early to the market by providing them research ahead of the curve. MarketsandMarkets's flagship competitive intelligence and market research platform, "Knowledge Store" connects over 200,000 markets and entire value chains for deeper understanding of the unmet insights along with market sizing and forecasts of niche markets. Contact \ No newline at end of file diff --git a/input/test/Test3176.txt b/input/test/Test3176.txt new file mode 100644 index 0000000..19d167e --- /dev/null +++ b/input/test/Test3176.txt @@ -0,0 +1,23 @@ +PERTH, Australia (AP) — A 74-year-old man with terminal cancer said on Thursday he could die happy after reaching a 1 million Australian dollar ($727,000) landmark settlement against a Catholic religious order for sexual abuse he suffered in Australia more than 50 years ago. +Paul Bradshaw was to testify on Thursday in the Western Australia state District Court about his ill treatment at Castledare Junior Orphanage and Clontarf Orphanage run by the Irish Chritian Brothers order in the 1950s and '60s. +But instead, a settlement was reached with the Trustees of the Christian Brothers for the abuse he suffered at the hands of Brothers Lawrence Murphy, Bruno Doyle and Christopher Angus, who are all dead. +Bradshaw is the first victim to claim damages for historical child sex abuse under laws that recently came into effect in Western Australia, removing the time limit for such cases. +He cried outside court, explaining his 60-year fight and said he was relieved his family would receive his compensation money. He said doctors had advised that he only had six months to live. +"I lived on the street most of my life and I don't want them to go through the same thing I went through," he told reporters. "I'm just hoping now that this has been settled and I can get on with my last six months in peace." +"I will die happy now knowing that I can care for my family," he added. +The Catholic Church, Australia's largest denomination, in May became the first non-government institution to commit to a AU$3.8 billion ($2.9 billion) national redress plan for victims of child sex abuse in Australian institutions over decades. +The Catholic Church estimates it alone will be liable for about AU$1 billion in compensation. +Former Archbishop of Adelaide Philip Wilson was this week sentenced to 1 year in home detention after becoming the most senior Catholic cleric to be convicted of covering up child sex abuse. +Pope Francis' former finance minister, Cardinal George Pell, faces trial on sexual assault charges in Australia. The exact details and nature of the charges have not been disclosed to the public, though police have described them as "historical" sexual assaults, meaning they are alleged to have occurred decades ago. +The national redress plan was recommended by the Royal Commission into Institutional Responses to Child Sexual Abuse, which made its final report in December. +Australia's longest-running royal commission — which is the country's highest form of inquiry — had been investigating since 2012 how institutions responded to sexual abuse of children in Australia over 90 years. The inquiry heard the testimonies of more than 8,000 survivors of child sex abuse. Of those who were abused in religious institution, 62 percent were Catholics. +Bradshaw said his case was never about money. +"I just wanted the apology of the Christian Brothers and I would have been happy with that," he said. +His lawyer Michael Magazanik told reporters it was a landmark case in Western Australia. +"If it weren't for recent changes in WA law, none of this was possible," Magazanik said. "Now WA law is the fairest and certainly the most progressive for survivors like Paul." +Magazanik said the orphanages housed the most vulnerable children who had no families to go home to, nobody to complain to and nobody outside the orphanages to protect them. +"They were utterly vulnerable and the orphanages were a magnet for the very worst of the brothers, the violent pedophiles," Magazanik said. +Magazanik said 10 years before Murphy abused Bradshaw, he was reported for child sex abuse but nothing was done about it. +Twice as a child, Bradshaw reported his abuse and both times he was dismissed. +When he left Clontarf, Bradshaw told a judge his allegations but was labelled a liar and admitted to a psychiatric hospital, Magazanik said. +In the 1990s, Bradshaw also participated in the criminal prosecution of Murphy, but prosecutors eventually dropped the case and he died without facing justice \ No newline at end of file diff --git a/input/test/Test3177.txt b/input/test/Test3177.txt new file mode 100644 index 0000000..13f7094 --- /dev/null +++ b/input/test/Test3177.txt @@ -0,0 +1,5 @@ +Walmart has christened its new Mobile, Ala., distribution center alongside Gov. Kay Ivy and local officials, the company announced Tuesday. At the grand opening celebration, Ivey highlighted the boon that the DC will offer the Mobile community, including the creation of more 750 jobs once the $135 million facility is fully operational, Walmart said. +"Walmart proves to be a great corporate partner to the state of Alabama, year after year, by investing in its stores, its employees and the surrounding community. Their commitment cannot be better proven than by the opening of this new Distribution Center, which, when fully operational, will provide approximately 750 quality jobs in the Mobile area," Ivey said. "We are grateful to Walmart for supporting the economic health of the Port City, and for the large role they play in propelling our great state forward." +The cross-dock facility was first announced in March 2017, and Walmart said it is part of its efforts to strengthen its supply chain. The 2.6 million-sq.-ft. facility will supply several regional centers supporting roughly 700 Walmart stores in Alabama, Mississippi and other states. +"We are excited about how this facility will help us better serve our customers across the South and beyond while creating a positive economic impact locally through job creation and future development," said Jeff Breazeale, Walmart vice president of direct import logistics. "We are grateful to the state of Alabama, Mobile County, the City of Mobile, the Mobile Area Chamber of Commerce and the Alabama State Port Authority for the warm welcome we have received here, and we look forward to a strong partnership with the community for years to come." +The grand opening also highlighted the roughly $20,0000 that Walmart associates donated to various Mobile-area organizations, including Alma Bryant High School, Theodore High School, Bishop State Community College, St. Elmo Elementary School, Feeding the Gulf Coast, St. Elmo Fire Department and the Mobile County Sheriff's Department \ No newline at end of file diff --git a/input/test/Test3178.txt b/input/test/Test3178.txt new file mode 100644 index 0000000..154488a --- /dev/null +++ b/input/test/Test3178.txt @@ -0,0 +1,8 @@ +The execution of the strategic Ajaokuta-Kaduna-Kano (AKK) gas pipeline project is progressing under the original concept of 100 percent contractor financing model, the Nigerian National Petroleum Corporation (NNPC), has said.The spokesman of the NNPC. Mr. Ndu Ughamadu, said the contractor finance arrangement was still intact. +He said the Engineering Procurement Construction contractors and possible lenders were currently in Dubai to discuss the financing terms. +Commenting on the proceed of gas tariffs, Ughamadu said that the application of revenue generated from the tariff would be purely for loan repayment since the project financing was "Contractor finance". +''We wish to further clarify that part of the approvals obtained from the Federal Government is to fund the implementation of the project front-end activities tagged "Early Works" in order to continue to move the project forward pending the conclusion of the financing negotiations," he said. +Ughamadu added that the amount spent for the early works would be recovered immediately the loans disbursement commenced and that no part of the tariff would be spent on the project until the end of the loan moratorium period. +He restated the commitment of the Corporation to actualise the AKK project as approved and in line with the Federal Government's desire to improve the supply of gas nationwide. +He said that the attainment of the goal would enhance power generation, economic growth and employment opportunities. +Source: Journal Du Camerou \ No newline at end of file diff --git a/input/test/Test3179.txt b/input/test/Test3179.txt new file mode 100644 index 0000000..bb7d912 --- /dev/null +++ b/input/test/Test3179.txt @@ -0,0 +1,9 @@ +By Abraham Kim, writer +August 17, 2018 -- U.K. researchers have identified five factors -- including contrast leakage on CT scans -- that may indicate a higher risk of continued bleeding in the brain of stroke patients. Checking for these factors may help improve survival, according to an article published online on August 14 in Lancet Neurology . +Considered one of the most dangerous forms of stroke, intracerebral hemorrhage (ICH) leads to death in more than half of all cases and permanent brain damage in roughly 80% of the remaining survivors, noted co-first author Rustam Al-Shahi Salman, PhD, and colleagues from the University of Edinburgh. +Clinicians traditionally diagnose ICH with a standard CT or MRI exam, the authors added. However, effectively monitoring and treating patients with the condition is challenging because bleeding continues in the brains of these patients often long after the initial stroke. Identifying the risk factors that trigger this extended bleeding has been a research priority in the community. +Salman and colleagues reviewed all studies concerning intracerebral hemorrhage that were in the Ovid Medline database and published between January 1970 and December 2015. Among thousands of articles, they honed in on 36 studies that provided data on 5,435 patients. +Examining these cases, the group identified five key risk factors that independently had a statistically significant association with continued bleeding in the brain after having a stroke: Longer time from symptom onset to baseline CT or MRI Greater amount of bleeding visible on baseline CT or MRI Patient use of antiplatelet medication such as aspirin Patient use of anticoagulant medication such as warfarin Presence of the "spot sign," i.e., contrast leakage, on CT angiography Effect of risk factors on brain bleeding in stroke patients* Factor Odds ratio for continued brain bleeding Shorter time from symptom onset to baseline CT or MRI 0.50 Patient use of antiplatelet medication such as aspirin 1.68 Patient use of anticoagulant medication such as warfarin 3.48 Presence of the "spot sign," i.e., contrast leakage, on CT angiography 4.46 Greater amount of bleeding visible on baseline CT or MRI 7.18 *Data are for patients not taking anticoagulant medication. +Decreasing the time between stroke onset and baseline CT or MRI from 5.1 hours to 1.5 hours resulted in an odds ratio of 0.5, suggesting that earlier imaging correlated with about half the likelihood of continued brain bleeding. An increase in the amount of bleeding seen on initial CT or MRI from 6 mL to 33 mL led to a more than sevenfold increase in the risk of continued bleeding. +The risk of continued bleeding was 1.68 times greater in patients who were taking antiplatelet medication and 3.48 times greater in those taking anticoagulant medication. Finally, the presence of the CT angiography spot sign increased the risk more than fourfold. +To further confirm these factors, the researchers used them to develop a risk prediction model. They found that the model had good calibration and could be useful in clinical practice for quickly estimating the risk of continued intracerebral hemorrhage \ No newline at end of file diff --git a/input/test/Test318.txt b/input/test/Test318.txt new file mode 100644 index 0000000..e8c2236 --- /dev/null +++ b/input/test/Test318.txt @@ -0,0 +1,6 @@ +World's biggest shipping company cautions on trade tensions Associated Press + Danish shipping group A.P. Moller-Maersk says it swung to a profit in the second quarter but cautioned about uncertainty related to global trade amid U.S. sanctions on major economies. +Second-quarter revenue grew 24 percent to $9.5 billion, leading to a $26-million profit, compared with a $264-million loss a year earlier. +CEO Soeren Skou said Friday the company delivered "strong growth," with the acquisition of German container shipping company Hamburg Sud "a positive contributor." Profits were helped by higher bunker prices. +The Copenhagen-based group said full-year guidance "continues to be subject to uncertainties," including further restrictions on global trade. +Maersk also decided to spin off its drilling unit, Maersk Drilling Holding A/S, and list it separately in Copenhagen. Shares in the parent company were up 4 percent to 8,966 kroner \ No newline at end of file diff --git a/input/test/Test3180.txt b/input/test/Test3180.txt new file mode 100644 index 0000000..e5eeefb --- /dev/null +++ b/input/test/Test3180.txt @@ -0,0 +1 @@ +Press release from: Market Research Future Metabolic biomarker testing is the process of identification and quantification of metabolites in a biological system. The steps involved in metabolic biomarker analysis are profiling, identification, quantification, and interpretation. Most healthcare professionals use diagnostic tests to clarify and support their clinical decision making.There is an increasing demand for personalized medicines in the European and Americas region, the important factors for the growth of the global metabolic biomarker testing market. Furthermore, the rising need for toxicology technologies, the increasing government research funding and initiatives, escalated R&D activities across various sectors are fueling the market growth worldwide. The global metabolic biomarker testing market is expected to grow at a CAGR of approximately 11% during the forecast period 2017-2023. The recent technological advancement is the key strategy implemented by major players to expand their reach in the global market and fortify their product portfolio. For instance, in November 2016, Metabolon, Inc. launched its novel product the Meta IMD test for diagnosing any hereditary metabolic issues. Moreover, in May 2016, Agilent Technologies Inc. global launch of the Agilent 5110 ICP-OES, an atomic spectroscopy.Furthermore, the factors such as the rising demand for personalized medicine, increasing need for accurate diagnosis of diseases, increasing pharmaceutical and biotech R&D expenditure, huge investments by government & private players in the R&D are driving the market growth. Lack of awareness of metabolic biomarker and lack of skilled personnel to conduct these procedure are likely to restrain the market growth over the forecast period.Get Exclusive Sample Copy of Metabolic Biomarker Testing @ www.marketresearchfuture.com/sample_request/5613 Market Segmentation: The global metabolic biomarker testing market is segmented on the basis of techniques, indications, application, and end user.On the basis of the techniques, the global metabolic biomarker testing market is segmented into separation techniques, detection techniques. The separation techniques is categorized into liquid chromatography, gas chromatography, capillary chromatography. Moreover, the liquid chromatography segment is classified into high performance liquid chromatography, ultra performance liquid chromatography. Furthermore, detection techniques is divided into mass spectrometry, multivariate analysis, and spectroscopy. Under detection techniques, spectroscopy is further classified into nuclear magnetic resonance spectroscopy and Fourier transform infrared spectroscopyOn the basis of the indication, the global metabolic biomarker testing market is segmented into cancer, cardiovascular disorders, neurological disorders, inborn errors of metabolism, and others.On the basis of the application, the global metabolic biomarker testing market is segmented into drug discovery or drug assessment, nutrigenomics, toxicology testing, personalized medicine, functional genomics, and others On the basis of the end user, the global metabolic biomarker testing market is segmented into pharma & biotech companies, diagnostic tool companies, healthcare it/big data companies, clinical laboratories, and others.Leading Player in Metabolic Biomarker Testing Market: Agilent Technologies, Inc. (U.S.), Bio-Rad Laboratories, Inc. (U.S.), Bruker Corporation (U.S.), Danaher Corporation (U.S.), Waters Corporation (U.S.), Thermo Fisher Scientific, Inc. (U.S.), Shimadzu Corporation (Japan), Biocrates Life Sciences AG (Austria), Human Metabolome Technologies Inc. (Japan), LECO Corporation (U.S.), and Metabolon Inc. (U.S.), and others. Regional Analysis:The Americas region is responsible for the largest market share of the global metabolic biomarker testing market owing to the rising incidence of genetic abnormalities, governmental support for the research and development, and presence of sophisticated infrastructure. Moreover, North America is anticipated to dominate the market over the forecast period. This growth can be imputed to the rising disposable income of the population and increasing demand for personalized medicine of global metabolic biomarker market for the next few years.The European market has boost the market growth owing to the rising awareness about nutritional products, increasing numbers of clinical trials, and rapid growth of data analysis software for metabolic biomarker are the factors to propel the growth of this market. The U.K contributed to huge market share followed by Germany and Italy owing to a huge patient population in Europe.Asia Pacific is witnessing the fastest growth in the global metabolic biomarker testing market due to the rising awareness about genetic disorder and advances in the medical fields are driving the market growth. The Middle East & Africa are expected to experience limited growth due to less demand for genetic testing. The Middle East is growing significantly as compared to the African metabolic biomarker testing market owing to a rise in the number of chronic disease cases, and novel genetic testing methods. Get Amazing Discount @ www.marketresearchfuture.com/check-discount/561 \ No newline at end of file diff --git a/input/test/Test3181.txt b/input/test/Test3181.txt new file mode 100644 index 0000000..b75a5fa --- /dev/null +++ b/input/test/Test3181.txt @@ -0,0 +1,12 @@ + Adam Dyson on Aug 17th, 2018 // No Comments +Wall Street brokerages forecast that Bloomin' Brands Inc (NASDAQ:BLMN) will announce sales of $968.32 million for the current fiscal quarter, according to Zacks . Five analysts have issued estimates for Bloomin' Brands' earnings. The highest sales estimate is $984.70 million and the lowest is $956.75 million. Bloomin' Brands reported sales of $948.90 million during the same quarter last year, which would suggest a positive year-over-year growth rate of 2%. The company is scheduled to report its next quarterly earnings results on Friday, November 2nd. +On average, analysts expect that Bloomin' Brands will report full-year sales of $4.12 billion for the current financial year, with estimates ranging from $4.10 billion to $4.14 billion. For the next year, analysts anticipate that the firm will post sales of $4.23 billion per share, with estimates ranging from $4.19 billion to $4.25 billion. Zacks' sales calculations are an average based on a survey of research firms that follow Bloomin' Brands. Get Bloomin' Brands alerts: +Bloomin' Brands (NASDAQ:BLMN) last released its quarterly earnings results on Monday, July 30th. The restaurant operator reported $0.38 EPS for the quarter, topping the Thomson Reuters' consensus estimate of $0.30 by $0.08. The company had revenue of $1.03 billion during the quarter, compared to analyst estimates of $1.05 billion. Bloomin' Brands had a return on equity of 215.75% and a net margin of 2.70%. The firm's revenue was down .4% on a year-over-year basis. During the same quarter last year, the business posted $0.27 earnings per share. Several research analysts recently commented on BLMN shares. ValuEngine upgraded Bloomin' Brands from a "sell" rating to a "hold" rating in a research report on Thursday, July 12th. BidaskClub lowered Bloomin' Brands from a "hold" rating to a "sell" rating in a research report on Saturday, June 30th. Wells Fargo & Co dropped their price target on Bloomin' Brands from $22.00 to $21.00 and set a "market perform" rating for the company in a research report on Tuesday, July 31st. Barclays lifted their price target on Bloomin' Brands from $28.00 to $29.00 and gave the stock a "$21.25" rating in a research report on Wednesday, July 18th. Finally, Bank of America dropped their price target on Bloomin' Brands from $25.00 to $23.00 and set a "neutral" rating for the company in a research report on Tuesday, July 31st. Four equities research analysts have rated the stock with a sell rating, seven have assigned a hold rating and three have assigned a buy rating to the company's stock. Bloomin' Brands has an average rating of "Hold" and an average price target of $24.00. +In other Bloomin' Brands news, CEO Elizabeth A. Smith sold 100,000 shares of the business's stock in a transaction that occurred on Friday, June 15th. The stock was sold at an average price of $22.18, for a total transaction of $2,218,000.00. Following the completion of the transaction, the chief executive officer now owns 244,152 shares in the company, valued at $5,415,291.36. The sale was disclosed in a document filed with the Securities & Exchange Commission, which can be accessed through this link . Also, Chairman Elizabeth A. Smith sold 152,587 shares of the business's stock in a transaction that occurred on Wednesday, August 1st. The shares were sold at an average price of $18.45, for a total value of $2,815,230.15. Following the transaction, the chairman now owns 394,152 shares of the company's stock, valued at approximately $7,272,104.40. The disclosure for this sale can be found here . Insiders have sold 686,831 shares of company stock valued at $14,667,707 in the last 90 days. Company insiders own 7.47% of the company's stock. +Large investors have recently made changes to their positions in the business. GSA Capital Partners LLP purchased a new position in shares of Bloomin' Brands during the first quarter valued at approximately $2,231,000. Oppenheimer Asset Management Inc. boosted its position in shares of Bloomin' Brands by 33.9% during the first quarter. Oppenheimer Asset Management Inc. now owns 112,760 shares of the restaurant operator's stock valued at $2,738,000 after buying an additional 28,546 shares during the period. Reinhart Partners Inc. boosted its position in shares of Bloomin' Brands by 5.2% during the second quarter. Reinhart Partners Inc. now owns 151,620 shares of the restaurant operator's stock valued at $3,048,000 after buying an additional 7,530 shares during the period. Principal Financial Group Inc. boosted its position in shares of Bloomin' Brands by 8.6% during the first quarter. Principal Financial Group Inc. now owns 71,656 shares of the restaurant operator's stock valued at $1,740,000 after buying an additional 5,690 shares during the period. Finally, Royal Bank of Canada boosted its position in shares of Bloomin' Brands by 48.3% during the first quarter. Royal Bank of Canada now owns 8,274 shares of the restaurant operator's stock valued at $201,000 after buying an additional 2,693 shares during the period. Institutional investors and hedge funds own 96.23% of the company's stock. +BLMN opened at $19.10 on Friday. The stock has a market capitalization of $1.69 billion, a P/E ratio of 14.04, a P/E/G ratio of 1.40 and a beta of 0.38. Bloomin' Brands has a 12 month low of $16.11 and a 12 month high of $25.00. The company has a quick ratio of 0.32, a current ratio of 0.39 and a debt-to-equity ratio of 12.18. +The firm also recently announced a quarterly dividend, which will be paid on Wednesday, August 22nd. Shareholders of record on Thursday, August 9th will be given a dividend of $0.09 per share. The ex-dividend date of this dividend is Wednesday, August 8th. This represents a $0.36 annualized dividend and a dividend yield of 1.88%. Bloomin' Brands's dividend payout ratio (DPR) is presently 26.47%. +Bloomin' Brands Company Profile +Bloomin' Brands, Inc, through its subsidiaries, owns and operates casual, upscale casual, and fine dining restaurants in the United States and internationally. The company operates through two segments, U.S. and International. Its restaurant portfolio has four concepts, including Outback Steakhouse, a casual steakhouse restaurant; Carrabba's Italian Grill, a casual Italian restaurant; Bonefish Grill, an upscale casual seafood restaurant; and Fleming's Prime Steakhouse & Wine Bar, a contemporary steakhouse. +Get a free copy of the Zacks research report on Bloomin' Brands (BLMN) +For more information about research offerings from Zacks Investment Research, visit Zacks.com Receive News & Ratings for Bloomin' Brands Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Bloomin' Brands and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test3182.txt b/input/test/Test3182.txt new file mode 100644 index 0000000..15d5088 --- /dev/null +++ b/input/test/Test3182.txt @@ -0,0 +1,23 @@ +Opposition calls for referendum on cruise project By - August 17, 2018 +Opposition politicians are calling for government to hold a public referendum on whether to proceed with the cruise pier project in George Town harbor. +The political group believes the project is not necessary and does not have the support of the majority of the Cayman Islands people. +Opposition leader Ezzard Miller has tabled a private members' motion calling for the people to decide on the issue. The motion, seconded by East End legislator Arden McLean and supported by all five members of the official opposition, will likely be debated at the next session of the Legislative Assembly, on Cayman Brac in early September. +Mr. Miller acknowledged that government was unlikely to grant the request for a public vote. +But he hopes it will force government to reveal more details of the project, what it involves, how it will be funded and who the shortlisted bidders are. +"The government will have to respond to our charges and we will force them to unveil more of the totality of what is going on," he said. +Mr. Miller believes the motion could also increase momentum for a people-initiated referendum. Under the islands' constitution, government is obliged to hold a referendum on any issue of "national importance" if Cabinet is presented with a petition signed by 25 percent of registered voters. +"That is an option that is open to us and we will be prepared to support other agencies who are in the process of trying to initiate a people's referendum," he added. +Mr. Miller, who held a press conference to announce the motion at his George Town office Thursday, said there was no justification for the cruise pier project. +Citing figures from a 2015 environmental impact assessment report on the project, he said the piers would have a direct negative impact on water sports businesses in George Town that rely on the reef for their livelihood. The report indicated economic losses of around $20 million each year for that sector. +He also took issue with subsequent projections in a business case study that the cruise piers would lead to an overall net economic benefit for Cayman. +That report was based on the projection that cruise numbers would decline significantly if new piers were not built. Mr. Miller said there was no evidence that this was the case. +"There can be no justification or urgency to build a cruise pier in the face of government-reported sustained growth in the cruise ship and passenger visits year-on-year for the last five years," he said. +Cruise arrivals tipped one million for the first six months of 2018, and while it is broadly accepted that those numbers were buffered by ships diverted from hurricane-hit islands in the eastern Caribbean, Mr. Miller said the overall trend for Cayman was positive – with or without a cruise dock. +He said the Cayman Islands was a key destination on cruise lines' western Caribbean itineraries and that would remain the case. +"The Good Lord put the Cayman Islands in the correct geographical location, a day's sail from Montego Bay and Ocho Rios," he said. +"At some point in time, government has to acknowledge that there is really no need for these cruise piers in order for the industry to sustain itself. That has been consistently demonstrated over the past 20 years," he added. +He said that the project was not supported by the Chamber of Commerce, Cayman Islands Tourism Association or the Watersports Association, and that the majority of written submissions from the public during the environmental impact assessment process had expressed opposition to the project. +Mr. Miller said the opposition's position was that the Cayman Islands should support the tender operators in obtaining better vessels and make a smaller scale investment in improving facilities around the port for disembarking passengers. +The private members' motion highlights a lack of information on the specifics of the project, objections from the general public, fears of environmental impact to coral reefs, including dive sites, in the harbor, and concerns over the affordability of the project. +It adds, "Be it therefore resolved that government hold a referendum to determine if the majority of Caymanians support the proposal for the cruise berthing facility and that such a referendum be held as soon as possible. +"And be it therefore resolved that no contracts to design, finance, build and maintain the facility are awarded prior to the publishing of the outcome of the referendum." TOPIC \ No newline at end of file diff --git a/input/test/Test3183.txt b/input/test/Test3183.txt new file mode 100644 index 0000000..d68cfcf --- /dev/null +++ b/input/test/Test3183.txt @@ -0,0 +1 @@ +This is a Gigajob job posting for: Corporate Communications Executive (#1,077,803,890) Job offer #1,077,803,890 in Singapore We require an energetic, media-savvy and suitably qualified individual to take on a contract role for this position. The successful candidate will be expected to act as the key strategic owner for internal and external communications, manage corporate publicity and branding. Job Responsibilities: Work closely with senior management to formulate integrated communication and media strategies to inform and promote the Company's key initiatives and developments. Brief and coordinate with external PR firm on the development of PR plans and manage the day to day PR and media activities. Work with external PR firm on the drafting of corporate materials such as press releases, fact sheets, presentation slides, FAQs, EDMs, annual reports, sustainability reports, speeches, talking points for media interviews and ensure spokespersons are adequately prepared for the interviews, AGMs, EGMs and corporate events. Act as a dedicated source and channel of information on the Company for the media. Build, maintain and update a database of relevant media and influencer contacts. Daily monitoring of key media and timely dissemination of issues relating directly or indirectly to the Company and related companies. Manage and update content on digital communication platforms such as corporate websites. Job Requirements: Possess a degree or equivalent in Communications, Journalism, Marketing, Public Relations or relevant discipline. 2 to 5 years of relevant working experience in communications, public relations, marketing or advertising. Familiar with social media platforms for communications, branding and/ or advertising such as Instagram, LinkedIn, Facebook, Pinterest, Google+, Twitter, Wechat, Qzone, Weibo etc. Excellent verbal and written communication skills. Good understanding of the effect of information and messages. Outgoing and strong network builder. Able to think quickly and adapt to fast-changing situations. Meticulous with a high level of integrity and ability to work independently. Must be a good team player with initiative and ability to deliver quality work within the stipulated timeline with minimum supervision. The Company The Straits Trading Company Limited Job Detail \ No newline at end of file diff --git a/input/test/Test3184.txt b/input/test/Test3184.txt new file mode 100644 index 0000000..c4aadcc --- /dev/null +++ b/input/test/Test3184.txt @@ -0,0 +1,21 @@ +Thomas Zeeb, head of securities and exchanges at SIX Group https://www.six-group.com/dam/images/media/image-videos/executive-board/thomas-zeeb-six-highres.jpg The owner of the Swiss stock exchange is building a digital asset trading platform. Thomas Zeeb, head of securities and exchanges at the company, talked to Business Insider about the project. The platform will mainly cater to ICO tokens — digital assets structured like ethereum that represent a stake in a project or business. Zeeb believes crypto tokens will one day be as mainstream as derivatives in finance and thinks they could be important in alternative investments, allowing people to tokenize things like art collections. +LONDON — The Swiss stock exchange's new digital asset platform is unlikely to offer cryptocurrency trading, according to the head of the project. +"Cryptocurrencies keep coming up. The capability is there to do it but to be honest, it's not a priority. There are plenty of exchanges currently providing bitcoin trading services," Thomas Zeeb, the head of securities and exchanges at Swiss stock exchange owner SIX Group, told Business Insider in an interview. +SIX announced plans in July to launch the Swiss Digital Asset Exchange , or SDX, which will be one of the first fully regulated, mainstream exchanges for digital assets. +Zeeb said the new exchange will plug the funding gap between crowdfunding and IPOs. Usually, companies in this gap turn to venture capital or private equity. But 2017 saw a surge in so-called initial coin offerings (ICOs) , in which startups issue their own digital tokens to raise money for a project. +ICO tokens can be freely traded via online exchanges that have sprung up in recent years. SIX want to provide a regulated and mainstream home for these assets so that institutional investors can feel safe investing in them. +"There is demand from institutional clients to find a way to legitimize and bring asset safety into play," Zeeb said. +"Our job is to bring capital to companies at the end of the day," Zeeb said. "That's changing." +Zeeb said there are still "reputational" issues surrounding bitcoin and said he believes "there's nothing behind bitcoin other than a lot of hope and hype." +"But let's face it," he added, "whether you're in a traditional or a digital market, there's always been listings and securities you can name — US and Canadian penny shares, Australian mining shares — there have always been listings that are hugely risky, and in some other ways potentially problematic." Tokenized art collections +As well as startups issuing their own tokens, Zeeb envisages existing securities or ETFs will be tokenized into digital assets to allow for fractional ownership, for instance. He also predicts that art galleries and other institutions that hold bundles of exotic assets may begin to tokenize their collections. +"In future, an art gallery or a museum may not be so dependant on public funding or their museum shop to get the funding but can actually tokenize a collection and people can trade and participate in a value increase based on a yearly or bi-yearly valuation based on auction results and that kind of stuff," he said. +"Why not? It's a much more intelligent way for these guys to monetise and maintain an art collection." +As for investors, Zeeb believes ICO tokens and other assets will come to be another option in the toolkit of investment managers. +"We're absolutely convinced [crypto is] where derivatives were in the early 90s and it's not mainstream yet. In the early 90s derivatives were on the fringes, there were a couple of people who understood them, a lot of people lost money. Gradually, it got regulated, now every asset manager has derivatives as part of his toolkit. +"I'm absolutely convinced that digital assets, as well as a digitalisation of existing assets, is going to come a lot faster than the 30 years it's taken derivatives to be everywhere. It will go in maybe five years." 'Digital assets are here to stay' +SIX's digital asset project comes as other traditional financial market infrastructure providers look to crypto as a new growth market. ICE, the owner of the New York Stock Exchange, recently announced a project aimed at making it easier to spend bitcoin and the Stuttgart Stock Exchange is also working on an ICO platform. +"Everybody's coming at it from a slightly different angle," Zeeb said. +"Are we at the vanguard or are we the guys leaning so far over the balcony that we're going to fall off? I don't believe that's the case. I believe digital assets are here to stay." +Still, Zeeb cautioned: "Let's wait for the implementations. You make an announcement, we've got an extremely good track record of delivering on our announcements, but the path is fraught with perils. The regulatory side is a significant one. That could affect us all and slow us all down." +Get the latest Bitcoin price here.> \ No newline at end of file diff --git a/input/test/Test3185.txt b/input/test/Test3185.txt new file mode 100644 index 0000000..8250eb7 --- /dev/null +++ b/input/test/Test3185.txt @@ -0,0 +1 @@ +Voicing an opinion can be tricky 17 Aug, 2018 11:47am Personality has much to do with communication style. Photo / Getty Images NZ Herald Do you sit quietly in meetings and just observe, sometimes willing yourself to voice an idea or opinion but afraid of having attention drawn to yourself — or worse — be ridiculed? Gaynor Parkin, founder and chief executive of Umbrella, is a registered psychologist specialising in workplace wellbeing and resilience. She says there are many and varied reasons why some fear speaking up and sharing their opinions in team meetings, while others are naturally imbued with confidence. "Some of it comes down to previous life experience," she says. "Some children are taught or encouraged to speak up and have learnt that it's fun, whereas others may have had negative experiences and vow never to do it again. Whether or not a person has had opportunities to practise and whether they've received training and support are also factors." She notes that a person's innate personality — whether they're introverted or extroverted — has much to do with communication style. "Some may like time to think and process before voicing an opinion whereas others may be happy sharing their verbal thought monologue." Fear of criticism or a negative response, "no one will like what I say", is one of the chief reasons people stay quiet in meetings, Parkin says. "Fatigue can also have a bearing. Given how busy and stretched many people are at work, sometimes people will just sit in a meeting and think, 'I don't have the energy to participate'." In organisations where there is limited trust between colleagues, or where leaders show apparent bias, people are less likely to speak up. "And more junior people may also worry that voicing an opinion in front of senior staff might be career-limiting," Parkin says. She notes that psychological research shows women are less likely than men to share an opinion in a meeting unless they are very confident of it — 'I need to be certain this is accurate before I share it', but from the research and her personal experience, she doesn't think gender stereotypes are helpful. "More helpful is asking how we create workplace environments where people feel safe to share their thoughts and opinions. This fits with current support for a more diverse and inclusive workplace." Parkin says it's natural for young people or those who are new to an organisation to stay quiet for a time before feeling able to contribute in meetings, particularly where there's a power imbalance, "but we're also seeing a generational shift where more and more young people are voicing up to challenge the status quo". For those who fear having an idea or opinion ridiculed, Parkin suggests some self-help methods that can be useful in gaining confidence in speaking and in building resilience against negative reactions. "Practice is helpful — write down what you want to say, practice with someone else and ask for feedback, or record yourself and play it back. Ask a colleague to support you or back you up. Choose meetings that you care about less and start with those, working up to more difficult meetings." Parkin says it's also important to watch the negative self-talk. "What are you saying to yourself before, during and after? Rather than focusing on all things you don't like or think you're doing wrong, try to hold a balanced view — what did you also do well? Get feedback from others on your strengths and where you can improve. And remember that generally, others are less critical of us than we are of ourselves. " Another way for people to put their point across without speaking up in a meeting is to have a face-to-face meeting with a manager or colleague beforehand and ask them to convey it to the meeting. A platform like group messaging can be an easier way for some to communicate their views until they're able to gain confidence in speaking publicly, and Parkin says this also has the advantage of giving the contributor time to think before making a suggestion, which particularly suits those with an introverted personality. If various self-help methods have been tried and people are still too fearful to speak up, it may be beneficial to work with a counsellor or psychologist experienced in the field of confidence-building and resilience. Parkin says clients seeking help in improving confidence at Umbrella are taught practical confidence-boosting skills, how to bounce back when things don't go well and how to build on their strengths. "We may use video or other ways of practising in a safe environment before the person takes new skills back to their workplace." Herald recommend \ No newline at end of file diff --git a/input/test/Test3186.txt b/input/test/Test3186.txt new file mode 100644 index 0000000..20dc346 --- /dev/null +++ b/input/test/Test3186.txt @@ -0,0 +1,24 @@ +Breitbart: Jags CB Ramsey Says Buffalo QB Allen 'Is Trash,' Baltimore's Joe Flacco 'Sucks" Jags CB Ramsey Says Buffalo QB Allen 'Is Trash,' Baltimore's Joe Flacco 'Sucks" The Associated Press 16 Aug 2018 Jacksonville Jaguars star cornerback Jalen Ramsey makes many NFL quarterbacks look bad on the field with his elite cover skills. And now he's making some of them look bad in the August issue of GQ Magazine . +Ramsey, in an interview with the popular men's magazine, had some harsh words for a number of current NFL quarterbacks. +He's not a fan of Buffalo Bills 2018 first-round pick Josh Allen. +"He's trash," Ramsey said in the interview. +Why is Ramsey so down on the former University of Wyoming standout? +"I don't care what nobody say, he's trash, and it's gonna show too," Ramsey said. "That's a stupid draft pick to me. We play them this year, and I'm excited as hell. I hope he's their starting quarterback." +Ramsey's issue with Allen is he feels the QB played in a weak conference (The Mountain West), and thinks that whenever the quarterback played against better competition he didn't perform well. +"If you look at his games against big schools, it was always hella interceptions, hella turnovers. It's like: Yo, if you're this good, why couldn't you do better? He fits that mold, he's a big, tall quarterback. Big arm, supposedly. I don't see it, personally." +In games against Nebraska, Iowa and Oregon, Allen threw just one touchdown, tossed eight interceptions and Wyoming lost by a combined 92 points. +The Atlanta Falcons recently gave quarterback Matt Ryan a contract that pays him $30 million-a-year. Based on Ramsey's assessment of Ryan, perhaps they overpaid him. +"I think Matt Ryan's overrated. You can't tell me you win MVP two years ago, and then last year, you a complete bust, and you still got Julio Jones? There's no way that should ever happen. I don't care." +Ramsey feels that Ryan was a byproduct of former Falcons offensive coordinator Kyle Shanahan, and his play slipped last year when the coach left to lead the San Francisco 49ers. +"Shanahan left, went to San Francisco, got (QB Jimmy) Garoppolo, made Garoppolo this big thing. And now Garoppolo is a big name — and now [Ryan] has this bad year? Alright, well, was it really you, or was it your coach? He was doing what was asked of him and it was making him look really, really good." +He's also not a fan of New York Giants quarterback Eli Manning either. Ramsey believes Giants receiver Odell Beckhem Jr. makes Manning look better then he is. +"It's not really Eli. I think it's Odell [Beckham, Jr.]. I won't say Eli's good, I'll say Odell's good. And their connection is good." +Ramsey seems to gloss over the fact that Manning won two Super Bowls before Odell Beckham Jr. ever played a snap of NFL football. +Nevertheless, Ramsey has a similar theory on Pittsburgh Steelers QB Ben Roethisberger, whose game he feels is enhanced by wide receiver Antonio Brown. +"It's not Big Ben, it's [Antonio Brown]," Ramsey said. "Big Ben slings the ball a lot of the time. He just slings it, and his receivers go get it… I played him twice last year, and he really disappointed me." +Again, Roethlisberger won two Super Bowls without Antonio Brown. +Ramsey also doesn't think much of Indianapolis Colts franchise QB Andrew Luck, who missed last year due to a shoulder injury. +"I don't really think he's that good." +And has for Baltimore Ravens QB Joe Flacco, Ramsey added, "He sucks." +Just to be fair, it must be pointed out that Ramsey doesn't think all NFL quarterbacks are bad. In the GQ article, he gave high marks to New England's Tom Brady, Green Bay's Aaron Rodgers, New Orleans' Drew Brees, Seattle's Russell Wilson, Minnesota's Kirk Cousins, Houston's Deshaun Watson and Philadelphia's Carson Wentz. +Breitbart Sports GQ Magazine Jalen Ramsey NF \ No newline at end of file diff --git a/input/test/Test3187.txt b/input/test/Test3187.txt new file mode 100644 index 0000000..13fa8e4 --- /dev/null +++ b/input/test/Test3187.txt @@ -0,0 +1 @@ +Low-Carb Diet Might Cut Your Life Expectancy If It's Also High In Meat Sara Spary Reblog If you're cutting out carbs and replacing them with meats and cheeses you might be doing yourself more harm than good. According to a new 25-year study of 15,000 people, eating animal proteins such as beef, lamb, pork, chicken and cheese in place of carbs is linked to a slightly increased risk of death. Moderate carb intake - where people ate between 50-55% of energy from carbs - was found to slightly lower the risk of death compared with low (30% or less) and high (65%) carb diets. Replacing carbs with plant-based proteins like nuts, however, was found to slightly reduce mortality risk. The researchers estimated that from the age of 50, the average life expectancy was an additional 33 years for those with moderate carbohydrate intake – four years longer than those with very low carbohydrate consumption, and one year longer than those with high consumption. Dr Sara Seidelmann, from Brigham and Women's Hospital in Boston, who led the research, said that low-carb diets that replace carbohydrates with protein or fat were gaining widespread popularity as a health and weight-loss strategy but that its data suggested animal based low carb diets "might be associated with shorter overall life span and should be discouraged." "Instead, if one chooses to follow a low carbohydrate diet, then exchanging carbohydrates for more plant-based fats and proteins might actually promote healthy ageing in the long term," she said. Related.. \ No newline at end of file diff --git a/input/test/Test3188.txt b/input/test/Test3188.txt new file mode 100644 index 0000000..9217e7b --- /dev/null +++ b/input/test/Test3188.txt @@ -0,0 +1,9 @@ +PDP can't be trusted – APC By - August 17, 2018 +The All Progressives Congress (APC) has urged the Nigerian electorate to resist pressure and temptation to entrust the leadership of the country to the Peoples Democratic Party (PDP), whose sole aim it claimed, is treasury looting. +In a statement signed by the Ag. National Publicity Secretary, Yekini Nabena, the ruling party commended the anti-corruption agencies for trying a principal officer of the senate, saying "it is important that the Nigerian electorate have the opportunity to choose from candidates that can pass the integrity and corruption test. +"We must ensure that we never again entrust the leadership of this great country to gang of thieves whose sole aim is treasury looting as brazenly displayed in past PDP administrations. +"An example is a current Senate presiding officer facing EFCC investigations. It is difficult to fathom how a federal lawmaker, who before his current position was an Associate Lecturer and Local Government Chairman, owns 22 high-end properties in Nigeria and other exclusive locations across the world. +"It is our hope that the anti-graft agencies investigating this Senate presiding officer makes public his and other corruption probe status reports so that Nigerians can know them for who they are," the party said. +APC equally called on "the Economic and Financial Crimes Commission (EFCC); Independent Corrupt Practices Commission (ICPC) and other allied anti- graft bodies to intensify efforts at investigating and recovering public funds and assets that have been stolen by public officials. +"Fighting corruption is one of the key election promises the party made to Nigerians and we remain solidly committed and determined to achieve it. +"Our call to anti-graft agencies is imperative as we prepare for the 2019 general election. We must check the use of stolen public funds to finance elections in this country," the ruling party added. Get more stories like this on Twitter & Facebook AD: To get thousands of free final year project topics and materials sorted by subject to help with your research [click here] Shar \ No newline at end of file diff --git a/input/test/Test3189.txt b/input/test/Test3189.txt new file mode 100644 index 0000000..a0e8ca1 --- /dev/null +++ b/input/test/Test3189.txt @@ -0,0 +1 @@ +This is a Gigajob job posting for: Presentation Code Developer (#1,077,803,869) Job offer #1,077,803,869 in Singapore Presentation Code Developer Monster Interactive is a digital and direct marketing agency that works with world-class companies across the Asia in more than 3 countries. Monster Interactive offers a range of integrated marketing services, including strategy and planning; award winning creative design and execution; media research, planning and buying; search marketing; online and offline direct marketing; and technology enablement. On any given day you might · Lead the design of front-end engineering solutions: hand coding of prototypes, web pages, and web-based mobile experiences · Integrate your code with other technologies (Flash, Web Services, client back-end systems, content management systems,etc) · Optimize performance of front-end applications, working with visual designers, interaction designers and software engineers · Integrate HTML-based content with other, 3rd party environments (i.e. Content Management Systems) · Lead the design of client side engineering solutions Detailed Description: · Has a solid understating of Responsive Design, Mobile First and Progressive Enhancement, as well as cross-browser/platform issues and code solutions · Is an expert of web standards, CSS-driven layouts and a master of the DOM · Has experience with Build Systems, such as GULP or GRUNT · Demonstrates basic Experience in Javascript (Vainilla &jQuery) Has experience with Bootstrap· Has a solid understanding of on- page SEO and Accessibility Requirements: · Solid experience in hand coding of HTML, CSS, and CSS Preprocessing (LESS/SASS), JavaScript, DHTML (5+ years) · Experience working with Visual and UX Designers. · BEM (Block Element Modifiers) methodologies · Experience in frontend integration with languages or frameworks such as .Net, PHP, EmberJS, AngularJS · Knowledge of Social Media Applications (Facebook, Twitter, Open Social, etc) · Excellent time management, problem solving, teamwork, and communication skills · Ability to follow technical specifications and production processes. The Compan \ No newline at end of file diff --git a/input/test/Test319.txt b/input/test/Test319.txt new file mode 100644 index 0000000..1079abc --- /dev/null +++ b/input/test/Test319.txt @@ -0,0 +1,11 @@ +Bank of Montreal Can Invests $1.33 Million in Signet Jewelers Ltd. (SIG) Stock Donald Scott | Aug 17th, 2018 +Bank of Montreal Can purchased a new stake in shares of Signet Jewelers Ltd. (NYSE:SIG) in the second quarter, according to its most recent Form 13F filing with the SEC. The firm purchased 23,903 shares of the company's stock, valued at approximately $1,332,000. +A number of other hedge funds and other institutional investors have also modified their holdings of the stock. BlackRock Inc. lifted its position in Signet Jewelers by 53.9% during the 1st quarter. BlackRock Inc. now owns 5,390,830 shares of the company's stock valued at $207,656,000 after acquiring an additional 1,888,931 shares during the period. Dimensional Fund Advisors LP raised its holdings in Signet Jewelers by 50.2% in the first quarter. Dimensional Fund Advisors LP now owns 2,923,348 shares of the company's stock worth $112,607,000 after buying an additional 976,431 shares during the last quarter. Millennium Management LLC raised its holdings in Signet Jewelers by 742.9% in the first quarter. Millennium Management LLC now owns 915,947 shares of the company's stock worth $35,282,000 after buying an additional 807,282 shares during the last quarter. Schroder Investment Management Group raised its holdings in Signet Jewelers by 0.3% in the first quarter. Schroder Investment Management Group now owns 834,032 shares of the company's stock worth $32,127,000 after buying an additional 2,679 shares during the last quarter. Finally, ARGA Investment Management LP raised its holdings in Signet Jewelers by 0.5% in the first quarter. ARGA Investment Management LP now owns 728,974 shares of the company's stock worth $28,080,000 after buying an additional 3,400 shares during the last quarter. 95.40% of the stock is owned by institutional investors. Get Signet Jewelers alerts: +SIG opened at $60.91 on Friday. The company has a debt-to-equity ratio of 0.36, a current ratio of 3.04 and a quick ratio of 0.85. Signet Jewelers Ltd. has a twelve month low of $33.11 and a twelve month high of $77.94. The company has a market cap of $3.54 billion, a PE ratio of 9.35, a P/E/G ratio of 1.87 and a beta of 0.81. +Signet Jewelers (NYSE:SIG) last released its quarterly earnings data on Wednesday, June 6th. The company reported $0.10 earnings per share for the quarter, beating the consensus estimate of ($0.09) by $0.19. Signet Jewelers had a negative net margin of 1.01% and a positive return on equity of 18.52%. The firm had revenue of $1.48 billion during the quarter, compared to analysts' expectations of $1.40 billion. During the same period in the previous year, the company earned $1.03 earnings per share. The firm's quarterly revenue was up 5.5% on a year-over-year basis. research analysts predict that Signet Jewelers Ltd. will post 4 EPS for the current fiscal year. +The business also recently disclosed a quarterly dividend, which will be paid on Friday, August 31st. Stockholders of record on Friday, August 3rd will be issued a dividend of $0.37 per share. The ex-dividend date is Thursday, August 2nd. This represents a $1.48 annualized dividend and a dividend yield of 2.43%. Signet Jewelers's payout ratio is 22.73%. +Several research analysts have issued reports on the stock. ValuEngine raised shares of Signet Jewelers from a "strong sell" rating to a "sell" rating in a report on Friday, August 10th. Susquehanna Bancshares reaffirmed a "neutral" rating and issued a $60.00 target price on shares of Signet Jewelers in a report on Thursday, June 7th. TheStreet cut shares of Signet Jewelers from a "c" rating to a "d+" rating in a report on Wednesday, June 6th. Zacks Investment Research raised shares of Signet Jewelers from a "hold" rating to a "buy" rating and set a $67.00 target price for the company in a report on Thursday, July 12th. Finally, Nomura cut shares of Signet Jewelers from a "buy" rating to a "neutral" rating and set a $62.00 target price for the company. in a report on Tuesday, July 31st. They noted that the move was a valuation call. One equities research analyst has rated the stock with a sell rating, thirteen have given a hold rating and two have assigned a buy rating to the company. Signet Jewelers presently has a consensus rating of "Hold" and an average target price of $54.34. +About Signet Jewelers +Signet Jewelers Limited engages in the retail sale of diamond jewelry, watches, and other products in the United States, Canada, the United Kingdom, the Republic of Ireland, and the Channel Islands. Its Sterling Jewelers division operates stores in malls and off-mall locations primarily under the Kay Jewelers, Kay Jewelers Outlet, Jared The Galleria Of Jewelry, Jared Vault, and various mall-based regional brands, as well as JamesAllen.com, an online jewelry retailer Website. +Featured Story: What are the Different Types of Leveraged Buyouts? +Want to see what other hedge funds are holding SIG? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Signet Jewelers Ltd. (NYSE:SIG). Receive News & Ratings for Signet Jewelers Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Signet Jewelers and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test3190.txt b/input/test/Test3190.txt new file mode 100644 index 0000000..ce9642e --- /dev/null +++ b/input/test/Test3190.txt @@ -0,0 +1,29 @@ +If rupee slump persists, it can hurt India's Modi 17 Aug 2018 - 2:56 By Manoj Kumar, Suvashree Choudhury & Neha Dasgupta I Reuters +NEW DELHI/MUMBAI: The rupee's plunge to a record low has worried a wide cross-section of India's society: companies, importers, those going on vacation and students planning to study overseas. But if the weakness persists, Prime Minister Narendra Modi's job could become a lot harder just before big state and national elections. +India is a big buyer of everything from crude oil and electronics to gold and edible oil, and its import bill was expected to cross $600 billion in the fiscal year ending in March 2019, from about $565 billion in the previous year. +The 9.3 percent fall in the rupee this year has already led to a surge in local prices of goods with an imported component. July was the ninth straight month in which India's inflation was higher than the central bank's medium-term target of 4 percent. +The currency fell to a fresh low of 70.40 to the dollar on Thursday. +"The sharp rupee depreciation has come as a shock for us," said Kamal Singh, 50, a senior government official in Delhi visiting family in the United States. "Now I will have to spend at least 10,000 rupees ($143) more on travel." +Modi's Bharatiya Janata Party (BJP) considers urban middle-class Indians a key voting bloc, the segment most affected by the rupee depreciation. The opposition Congress party has blamed the government's policies for the rupee slump and called it an indication of weakness in the economy. +Most political analysts agree that Modi does not yet face a significant challenge, but believe he will be hard put to repeat the BJP's sweep of the 2014 general election. +Besides the next general election due by May, three big BJP-ruled states in India's heavily populated northern plains go to the polls over the next four months. +Satish Misra, senior fellow at the Observer Research Foundation in New Delhi, said although the rupee slide was a result of several factors, it was affecting the image of the Modi government. +"As prices shoot up and products become costlier, the middle class will begin to get angry," Misra told Reuters. "Since the middle class is the opinion maker, the BJP will suffer electorally." +The government has said the depreciation is due to the economic woes in Turkey that has dragged down currencies of emerging market countries around the world. +"Recent developments relating to Turkey have generated global risk aversion towards emerging market currencies and the strengthening of the dollar," said senior cabinet minister Arun Jaitley. +"However, India's macro fundamentals remain resilient and strong. Developments are being monitored closely to address any situation that may arise in the context of the unsettled international environment." +The rupee fall, however, benefits exporters such as software companies. +The Thomson Reuters India IT Services & Consulting share index, which includes top Indian firms such as Infosys , Tata Consultancy Services, Wipro and HCL Technologies Ltd, has risen about 31 percent this year. +CORPORATE HIT +Indian companies which have raised funds overseas are worried about the rise in servicing costs. The country's external debt rose to $530 billion at the end of March, out of which nearly 42 percent constituted debt maturing by March 31. +Several companies have said the rupee's slide will hit their margins. +New Delhi-based Jindal Stainless (Hisar) Ltd said that as it is a net importer of raw materials, the sharp rupee depreciation would badly hurt the company, which has been lobbying to reduce an import tariff on steel scrap. +"With the depreciating currency, this problem gets further aggravated," Managing Director Abhyuday Jindal told Reuters. +Other companies such as JSW Steels Ltd and the GVK Group - which has business interests in energy, resources, airports, transportation and hospitality - are also bracing for higher input costs, which if not passed on to customers, would hit profitability. +"Inherently if you look at it, inflation is at a rate of 4.5 percent per year, so we cannot expect the rupee to be stable," said Seshagiri Rao, joint managing director of JSW, which is a heavy importer of high-quality coal. +"Everybody is expecting (some) rupee depreciation, but it's (happening) too fast." +To temper the inflation and arrest the rupee slide, the Reserve Bank of India has raised interest rates by a total of 50 basis points in two consecutive policy meetings since April, the latest one on Aug. 1. It has also spent around $23 billion selling dollars since April. +If the rupee stays around current levels, the government might have to consider cutting taxes on petroleum products to soothe customer anger at higher pump prices, said a finance ministry official, who spoke on condition of anonymity. +N.R. Bhanumurthy, an economist at the National Institute of Public Finance and Policy think-tank, partly funded by the finance ministry, said a further rate hike was likely, which would take a toll on growth. +The government had forecast the economy would grow by 7.5 percent this fiscal year, one of the biggest expansions by a major economy in the world, after a 6.7 percent rise a year earlier. +(Reporting by Suvashree Choudhury, Manoj Kumar, Neha Dasgupta, Nidhi Verma and Swati Bhat; Editing by Krishna N. Das and Raju Gopalakrishnan \ No newline at end of file diff --git a/input/test/Test3191.txt b/input/test/Test3191.txt new file mode 100644 index 0000000..7502436 --- /dev/null +++ b/input/test/Test3191.txt @@ -0,0 +1,27 @@ +Is vitamin D really a cure-all and how should we get our fix? +Evidence is growing that the sunshine vitamin helps protect against a wide range of conditions including cancers +V itamin D is having quite a moment. In the past few months, evidence has been growing that the sunshine vitamin not only has an important role in bone and muscle health, but might also help prevent a range of cancers , reduce the chance of developing rheumatoid arthritis , protect against multiple sclerosis and cut the risk of colds and flu . +But is vitamin D truly a cure-all? And if the benefits are real, should we all be taking vitamin D supplements or even fortifying our foods? +Vitamin D is not one chemical, but a label that covers a group of substances, including vitamin D 2 and D 3 . The latter is the form made when sunlight hits your skin and is also found in other animals. Non-animal sources such as fungi and yeasts primarily produce the D 2 form. Once in the body, these substances are converted into biologically active steroids that circulate in the blood. +One area where the impact on health appears to be clear is vitamin Ds role in keeping bones and teeth healthy and improving muscle strength. +The musculoskeletal stuff is really good and really strong, said Helen Bond, a spokesperson for the British Dietetic Association, pointing out that vitamin D is important in calcium and phosphate absorption. +Too little vitamin D can be serious: the skeletal disorders osteomalacia and rickets are known to be caused by a vitamin D deficiency, and the latter is on the rise in the UK , a finding some put down to the impact of poverty on poor nutrition. +But do the wider health claims stand up? +Intuition suggests that it cant all be right, said Julia Newton-Bishop, professor of dermatology and vitamin D expert from the University of Leeds. But while a recent review of evidence by the scientific advisory committee on nutrition only found strong evidence in the case of bone and muscle health, Newton-Bishop says a growing body of research is exploring other conditions. +Newton-Bishop says the fact that receptors for vitamin D are present on a huge array of body cells suggests the substance might indeed play a central role in our health, adding that human history offers further evidence: as humans moved to higher latitudes, skin tone became paler. [One] explanation is that vitamin D was so important that that was a selective pressure, she said. The fact that Inuits arent pale-skinned and for millennia they have had an exclusively fish diet is an argument for the fact that vitamin D was a driver, because why would they be different to everyone else? +Martin Hewison, professor of molecular endocrinology at the University of Birmingham, who carried out the recent study into vitamin D and rheumatoid arthritis , said evidence from cell studies backs up the idea that the vitamin is important. +In most of the models, vitamin D appears to have quite a positive effect, he said. If you are using cancer cell lines or cancer cells, vitamin D has anti-cancer effects, and likewise in cells that have been used for models for infection and immune disorders, vitamin D has quite clear antibacterial and anti-inflammatory effects. +But when it comes to studies in humans, the picture is far from clear-cut. While some studies find links to diseases, others do not. +That, say experts, could be partly down to the way they are conducted for example, not all studies take into account the starting levels of vitamin D in participants, or they may have been carried out in populations with different genetic factors that might affect the impact of vitamin D. +Other experts have doubts about vitamin Ds influence. Prof Tim Spector, author of The Diet Myth, wrote in the Independent : The evidence so far suggests (with the possible exception of multiple sclerosis and some cancers) that low vitamin D levels are either irrelevant or merely a marker of the disease. +Hewison says that while vitamin D might help prevent certain conditions such as tuberculosis, respiratory infections and autoimmune diseases,it should not be seen as a cure for them. It is good at protecting against things, he said, but once a disease is settled in, it is unlikely you are going to be able to give somebody who has got prostate cancer vitamin D and it is going to get dramatically better. +What about the case for supplements? With some having previously been found to cause more harm than good , Newton-Bishop says caution towards this apparent panacea is unsurprising. Everyone within the cancer world is nervous about supplements, she said. I would say to patients dont take supplements, with the exception of avoiding a low vitamin D level. +But how low is low? With the amount of sunlight needed varying with genetics, skin colour, time of day, how much one covers up and a host of other factors, the scientific advisory committee on nutrition said it was too difficult to say how much sun we need to make sure our vitamin D levels are up to scratch. In any case, from October until March the sun in the UK isnt strong enough to do the job. +The upshot is that national guidelines now recommend that during the autumn and winter at least, individuals should consider taking supplements or boosting their intake of vitamin-D-rich foods to get an intake of 10 micrograms a day, with higher-risk individuals such as some ethnic minority groups advised to follow the guidelines all year round. +However, Bond says it is hard to get enough from diet alone. +There are very few naturally rich sources of vitamin D, and most really good sources are of animal origin, which doesnt bode well for vegans and vegetarians, she said. A serving of oily fish like mackerel will give you easily your 10 micrograms of vitamin D a day, but if you drop down to a tin of canned tuna, you are only getting 1.5 micrograms. +And as Adrian Martineau, clinical professor of respiratory infection and immunity at Queen Mary University of London, points out, even in the summer, sunshine isnt going to be the answer, especially because there is an associated risk of skin cancer. +If you are considering taking supplements, it might be worth checking which form of vitamin D they contain. Some people dont want an animal form of vitamin D, said Hewison. However, What studies have shown is that if you want to raise your blood vitamin D levels, vitamin D 3 is much more efficient at doing that. +Dr Benjamin Jacobs, a consultant paediatrician and spokesperson for the Royal College of Paediatrics and Child Health , says supplements are not enough as it is hard to make sure people actually take them. Instead, he suggests the UK consider food fortification. +Some countries, including Canada and Finland, have embraced fortification of milk. But although infant formula and some breakfast cereals, plant-based milks and fruit juices are already fortified in the UK, most foods are not. +Hewison believes the government should consider a national fortification plan and that the risks of it resulting in dangerously high vitamin D intake are negligible: I think most people in the field agree that if you want to have a large-scale improvement in peoples vitamin D levels then it can only really be done through fortified foods \ No newline at end of file diff --git a/input/test/Test3192.txt b/input/test/Test3192.txt new file mode 100644 index 0000000..0ca2f17 --- /dev/null +++ b/input/test/Test3192.txt @@ -0,0 +1 @@ +This is a Gigajob job posting for: Financial Consultant (#1,077,803,884) Job offer #1,077,803,884 in Singapore Job Responsibilities: Markets services by asking for referrals from current clients; meeting prospects at community functions; responding to inquiries; developing promotions; presenting financial planning seminars. Assesses clients' financial situation by gathering information regarding investments. Develops financial strategies by guiding client to establish financial goals; matching goals to situation with appropriate financial plans. Obtains clients' commitment by explaining proposed financial plans and options; explaining advantages and risks; providing explanations; alleviating concerns; answering questions. Analyze market trends and identify risks and opportunities. Updates job knowledge by tracking financial markets, general economic conditions, and new financial products; participating in educational opportunities; reading professional and technical publications; maintaining personal networks; participating in professional organizations. Provide solutions and set goals to increase profitability. Review day-to-day transactions to identify areas for improvement. Job Requirements: Possess at least a Diploma/Bachelor's Degree in Finance, Economic, Business Adminstration, and Marketing related field. Proven work experience as a Financial Consultant, Financial Adviser or similar role . Excellent knowledge of Financial Markets Good analytical skills and attention to detail. The Company Inter TT Consultantcy Sdn Bhd Job Detail \ No newline at end of file diff --git a/input/test/Test3193.txt b/input/test/Test3193.txt new file mode 100644 index 0000000..0160236 --- /dev/null +++ b/input/test/Test3193.txt @@ -0,0 +1,21 @@ +Amphoteric Surfactants Market Worth $4.94 Billion by 2023 +PUNE, India , August 17, 2018 /PRNewswire/ -- +According to the latest market research report "Amphoteric Surfactants Market by Type (Betaine, Amine Oxide, Amphoacetates, Amphopropionates, Sultaines), Application (Personal Care, Home Care & I&I Cleaning, Oil Field Chemicals, Agrochemicals), and Region - Global Forecast to 2023" , published by MarketsandMarkets, the market is projected to grow from USD 3.52 billion in 2018 to USD 4.94 billion by 2023, at a CAGR of 7.0% between 2018 and 2023. Rising demand for personal care products and high-performance amphoteric surfactants is expected to drive the growth of the Amphoteric Surfactants Market during the forecast period. +(Logo: https://mma.prnewswire.com/media/660509/MarketsandMarkets_Logo.jpg ) +Browse 90 market data Tables and 44 Figures spread through 119 Pages and in-depth TOC on " Amphoteric Surfactants Market " +https://www.marketsandmarkets.com/Market-Reports/amphoteric-surfactant-market-228852138.html +Early buyers will receive 1 0% customization on this report +Based on type, the amine oxide segment of the Amphoteric Surfactants Market is projected to grow at the highest CAGR, in terms of value and volume from 2018 to 2023. +Based on type, the Amphoteric Surfactants Market has been segmented into betaine (alkyl betaine, alkyl amido betaine, and others), amine oxide, amphoacetates, amphopropionates, and sultaines. The amine oxide segment of the market is projected to grow at the highest CAGR in terms of both, value and volume during the forecast period. Amine oxide is a mild surfactant, which offers excellent secondary surfactant characteristics. It has the ability to decrease skin irritation in combination with Linear Alkylbenzene Sulfonate (LAS) or alcohol sulfates. Moreover, amine oxide possesses inherent stability and has improved cleansing properties. +Get PDF Brochure : https://www.marketsandmarkets.com/pdfdownload.asp?id=228852138 +Based on application, the personal care segment is projected to lead the Amphoteric Surfactants Market during the forecast period in terms of both, value and volume. +The personal care segment is projected to lead the Amphoteric Surfactants Market in terms of both, value and volume between 2018 and 2023. Amphoteric surfactants are the mildest surfactants and hence, are commonly used in the formulation of various personal care products. The mildness of amphoteric surfactants can be attributed to their zwitterion nature. The use of these surfactants in the personal care products results in lower skin irritation as compared to other surfactants. +The European region is expected to be the largest market for amphoteric surfactants during the forecast period. +The Amphoteric Surfactants Market has been studied for 5 regions, namely, Asia Pacific , North America , Europe , the Middle East & Africa , and South America . The European region is projected to be the largest market for amphoteric surfactants during the forecast period due to the strong foothold of manufacturers of personal care products in the region. Amphoteric surfactants are the key compounds used in the formulation of various personal care products. The European region is also home for the leading manufacturers of amphoteric surfactants. The major countries driving the growth of the amphoteric surfactants in the European region are France , Germany , Italy , and Russia . +Some of the key players in the Amphoteric Surfactants Market include AkzoNobel N.V. ( Netherlands ), BASF SE ( Germany ), Clariant AG ( Switzerland ), Croda (UK), Evonik Industries AG ( Germany ), Lonza ( Switzerland ), the Lubrizol Corporation (US), Oxiteno SA ( Brazil ), Solvay ( Belgium ), and Stepan Company (US). +Know more about Amphoteric Surfactants Market : https://www.marketsandmarkets.com/Market-Reports/amphoteric-surfactant-market-228852138.html +About MarketsandMarkets +MarketsandMarkets provides quantified B2B research on 30,000 high growth niche opportunities/threats which will impact 70% to 80% of worldwide companies' revenues. Currently servicing 7500 customers worldwide including 80% of global Fortune 1000 companies as clients. Almost 75,000 top officers across eight industries worldwide approach MarketsandMarkets for their painpoints around revenues decisions. +Our 850 fulltime analyst and SMEs at MarketsandMarkets are tracking global high growth markets following the "Growth Engagement Model - GEM". The GEM aims at proactive collaboration with the clients to identify new opportunities, identify most important customers, write "Attack, avoid and defend" strategies, identify sources of incremental revenues for both the company and its competitors. MarketsandMarkets now coming up with 1,500 MicroQuadrants (Positioning top players across leaders, emerging companies, innovators, strategic players) annually in high growth emerging segments. MarketsandMarkets is determined to benefit more than 10,000 companies this year for their revenue planning and help them take their innovations/disruptions early to the market by providing them research ahead of the curve. +MarketsandMarkets's flagship competitive intelligence and market research platform, "Knowledge Store" connects over 200,000 markets and entire value chains for deeper understanding of the unmet insights along with market sizing and forecasts of niche markets. +Contact \ No newline at end of file diff --git a/input/test/Test3194.txt b/input/test/Test3194.txt new file mode 100644 index 0000000..5a08e33 --- /dev/null +++ b/input/test/Test3194.txt @@ -0,0 +1,20 @@ +EDITORIAL – The iguana battle: Is Cayman facing a 'cull-de-sac'? By - August 17, 2018 +On a May night in 1974 in the District of Bodden Town, 793,103 mosquitoes were captured in a so-called "New Jersey light trap," setting a world record that, to our knowledge, has never been broken. Three years earlier, some fool exposed his arm to mosquito bites in a South Sound swamp. More than 600 mosquitoes IN ONE MINUTE took advantage of the opportunity. Simply put, Grand Cayman held the ignominious title of being the most mosquito-infested location on the planet. +A few years earlier, an entomologist named Dr. Marco Giglioli, who was affiliated with London University, had been recruited to these islands with the singular challenge of eliminating or controlling the mosquito menace that flourished in our mangrove swamps and other hospitable habitats. Dr. Giglioli's work, which spawned our modern-day Mosquito Control and Research Unit (MRCU), of course, is one of the great successes in modern Cayman history. It enabled these islands to progress into modernity as a tourist and commercial destination and, most importantly, improved the quality of life immensely for the people living here. +We recite this history because today, Grand Cayman finds itself in a different, but consequential, battle with another invasive species, the green iguana. It is a battle we are losing, and will lose, unless we radically revise our approach. +The numbers themselves tell the story and highlight the risk: +Less than two years ago, the green iguana population in Grand Cayman was estimated at 500,000. +Today the population is thought to be 2 million, projected to rise to 4.6 million by 2020. +Just one year later, in 2021, the number increases to 9.2 million, and by 2028, a decade from now, more than 1 billion! +Any banker who understands the principle of compound interest or any student of U.K. cleric and scholar Thomas Malthus (1766-1834), who studied population growth, knows that dollars, or people, or iguanas multiply not linearly but exponentially – if left unchecked. (Species, of course, are affected by factors other than procreation, such as loss of habitat, disease, predators, restriction of food supply, etc.) +Put another way, Cayman has a serious problem that, frankly, it is not taking seriously at all. To date, Cayman has come up with more silliness than substance (remember the "Lizard Lotto") and its current scheme of arming private citizens and sending them off to kill approximately 6,000 iguanas PER DAY is far from comforting. +This plan raises some obvious questions and concerns, not yet addressed or, at least, made public, by government. Among them: +How do you kill iguanas? We hear air rifles may be the weapon of choice. +If so, where does one acquire an air rifle? A.L. Thompson and Cox Lumber tell us they do not keep them in stock. Can they be easily imported? Is a license required? Is any training needed? +What are the risk/liability implications for government if a "hunter" accidentally shoots another hunter – or worse, a civilian or, even worse, a tourist? +If the plan is to shoot 6,000 iguanas a day (and dare we point out that every 24-hour period includes a "Happy Hour"), these are not fanciful questions or concerns. +Every project of this magnitude, in order to succeed, requires at least three components: +First, a well-thought-out business plan that can withstand aggressive debate, disagreement and challenge. The plan must provide for useful measurements, such as an at-a-glance "scorecard," to inform both project leaders and the public, as to whether the goals are being met. +Second, a commitment of substantial financial and human resources to ensure, or at least enable, a successful outcome. +Third, a champion, meaning an individual – certainly not a department or a committee – committed and dedicated to the focused task of driving this process to a triumphant conclusion. +To date, not one of these critical ingredients is in place. That is bad news for us – and good news for the iguanas. TOPIC \ No newline at end of file diff --git a/input/test/Test3195.txt b/input/test/Test3195.txt new file mode 100644 index 0000000..62b37ce --- /dev/null +++ b/input/test/Test3195.txt @@ -0,0 +1 @@ +Tweet 5 Species That Interesting article, but VERY misleading. The only species isted there that truly doesn't need a male is the snake. All the rest of them have to take on the characteristics of (or as in the frogs, actually become) male. What author Boyce desribes as "reproduction" in the starfish is not. It IS regeneration, and a nuymber of species have that capability - though not the extent the starfish does. And of course, the single-celled world is all asexual reproduction (though some bacteria cna exchange genetic material, so I suppose that could be called sexual reproduction (which one is male and which one is female?)) @mjdesart » 17 Aug '18, 2am 5 Species That Don't Require a Male to Reproduce #care2 [link] @melyndaqcasl87 » 17 Aug '18, 1am 5 Species That Don't Require a Male to Reproduce #care2 [link] @MalditoMendez » 16 Aug '18, 9pm 5 Species That Don't Require a Male to Reproduce #care2 [link] @MNTRYJOSEPH » 16 Aug '18, 8pm 5 Species That Don't Require A Male To Reproduce [link] @CharlesALundqu1 » 16 Aug '18, 7pm 5 Species That Don't Require a Male to Reproduce | Care2 Causes [link] @Koniginusagi » 16 Aug '18, 6pm 5 Species That Don't Require a Male to Reproduce #care2 [link] @redhed67 » 16 Aug '18, 5pm 5 Species That Do #NOT Require a #Male to Reproduce #care2 [link] @mynefeli » 16 Aug '18, 5pm 5 Species That Don't Require a Male to Reproduce #care2 [link] @iambatmandoug » 16 Aug '18, 4pm 5 Species That Don't Require a Male to Reproduce #care2 [link] @SaylorRasmussen » 16 Aug '18, 4pm 5 Species That Don't Require a Male to Reproduce #care2 [link] @rhondababy1953 » 16 Aug '18, 3pm 5 Species That Don't Require a Male to Reproduce #care2 [link] @Nicole_Cannelle » 16 Aug '18, 3pm 5 Species That Don't Require a Male to Reproduce #care2 [link] @AnnaRossar » 16 Aug '18, 3pm 5 Species That Don't Require a Male to Reproduce #care2 [link] @hugwildlife » 16 Aug '18, 3pm 5 Species That Don't Require a Male to Reproduce #care2 [link] @Osterkatze666 » 16 Aug '18, 3pm 5 Species That Don't Require a Male to Reproduce #care2 [link] No men, no cry?! 5 Big Brands Who Don't Own Their Exact Match .C... namepros.com 16 Aug '18, 1pm namemarket said: ↑ I always find it very interesting how so many companies with many millions of dollars in funding do not... New Tick Species Spreads in U.S. for First Time... ecowatch.com 08 Aug '18, 5pm An invasive tick species was found to have spread to an eighth state Tuesday, when the Maryland Department of Natural Reso... Don't call Misha Collins a pussy for wearing th... seriouslyomg.com 13 Aug '18, 3pm [ # ] Don't call Misha Collins a pussy for wearing this male romper? August 13th, 2018 under Supernatural Misha Collins is... Take These 5 Steps Before your SEO Expert Ruins... searchenginepeople.com 16 Aug '18, 12pm So, if you're one of the 14 percentiles who is outsourcing their marketing and coincidentally the part of your marketing t... 9 fruits and vegetables that don't like the fri... treehugger.com 10 Aug '18, 5pm Liberate these foods from the fridge to let them be their best and most sustainable selves. Small refrigerators aren't for... Asics Gel Flux 5 Review runningshoesguru.com 15 Aug '18, 9am Asics puts this shoe in the neutral trainer category with a 29mm heel stack height and an 19 mm forefoot stack height whic... 5 Awe-Inspiring Time-Lapse Videos of Nature #care2 care2.com 07 Aug '18, 2pm Editor's note: This Care2 favorite was originally posted on July 8, 2014. They say a picture is worth a thousand words, bu... 5 Surprising Ways Great Content & PPC Can Help ... searchenginejournal.com 15 Aug '18, 11am When it comes to improving your PPC campaigns, you've heard all the advice. Focus on improving quality score and click-thr... 5 Common Myths About Gun Control #care2 care2.com 05 Aug '18, 2pm Editor's note: This Care2 favorite was originally posted on October 7, 2015. After each high-profile mass shooting in the ... Stay updated with TodayEco.co \ No newline at end of file diff --git a/input/test/Test3196.txt b/input/test/Test3196.txt new file mode 100644 index 0000000..f614009 --- /dev/null +++ b/input/test/Test3196.txt @@ -0,0 +1,9 @@ + Scott Davis on Aug 17th, 2018 // No Comments +Arbutus Biopharma Corp (NASDAQ:ABUS) – Research analysts at B. Riley raised their Q3 2018 earnings per share estimates for shares of Arbutus Biopharma in a research report issued on Monday, August 13th. B. Riley analyst M. Kumar now expects that the biopharmaceutical company will earn ($0.45) per share for the quarter, up from their previous estimate of ($0.46). B. Riley has a "Neutral" rating and a $11.50 price objective on the stock. B. Riley also issued estimates for Arbutus Biopharma's Q3 2019 earnings at ($0.33) EPS, Q4 2019 earnings at ($0.33) EPS, FY2019 earnings at ($1.34) EPS, FY2020 earnings at ($1.20) EPS, FY2021 earnings at ($0.96) EPS and FY2022 earnings at ($0.85) EPS. Get Arbutus Biopharma alerts: +Arbutus Biopharma (NASDAQ:ABUS) last released its quarterly earnings data on Thursday, August 2nd. The biopharmaceutical company reported ($0.44) earnings per share for the quarter, missing the consensus estimate of ($0.35) by ($0.09). Arbutus Biopharma had a negative net margin of 515.00% and a negative return on equity of 75.07%. The company had revenue of $1.20 million during the quarter. Several other equities research analysts have also weighed in on ABUS. Wedbush upped their price objective on Arbutus Biopharma from $6.00 to $7.00 and gave the company a "hold" rating in a research note on Monday. Zacks Investment Research lowered Arbutus Biopharma from a "hold" rating to a "sell" rating in a research note on Wednesday, August 8th. Chardan Capital reissued a "buy" rating and issued a $11.00 target price on shares of Arbutus Biopharma in a report on Monday, July 16th. BidaskClub raised Arbutus Biopharma from a "buy" rating to a "strong-buy" rating in a report on Thursday, June 21st. Finally, ValuEngine raised Arbutus Biopharma from a "buy" rating to a "strong-buy" rating in a report on Wednesday, May 2nd. One equities research analyst has rated the stock with a sell rating, three have given a hold rating, two have assigned a buy rating and two have given a strong buy rating to the company. The company currently has a consensus rating of "Buy" and an average target price of $9.58. +ABUS stock opened at $9.10 on Wednesday. Arbutus Biopharma has a 1-year low of $3.45 and a 1-year high of $12.60. The company has a market capitalization of $523.57 million, a PE ratio of -5.07 and a beta of 1.17. The company has a debt-to-equity ratio of 0.01, a quick ratio of 13.67 and a current ratio of 13.67. +Several institutional investors and hedge funds have recently made changes to their positions in ABUS. DekaBank Deutsche Girozentrale acquired a new position in shares of Arbutus Biopharma in the 1st quarter worth approximately $174,000. Two Sigma Investments LP acquired a new position in Arbutus Biopharma during the 4th quarter worth $215,000. Rhumbline Advisers acquired a new position in Arbutus Biopharma during the 2nd quarter worth $243,000. Algert Global LLC acquired a new position in Arbutus Biopharma during the 2nd quarter worth $254,000. Finally, Goldman Sachs Group Inc. acquired a new position in Arbutus Biopharma during the 4th quarter worth $275,000. 33.64% of the stock is currently owned by institutional investors and hedge funds. +In other news, insider Michael J. Sofia sold 20,000 shares of the business's stock in a transaction that occurred on Thursday, July 5th. The stock was sold at an average price of $8.20, for a total value of $164,000.00. Following the transaction, the insider now directly owns 1,543,403 shares of the company's stock, valued at approximately $12,655,904.60. The sale was disclosed in a document filed with the Securities & Exchange Commission, which can be accessed through this hyperlink . Also, insider Michael J. Sofia sold 10,000 shares of the business's stock in a transaction that occurred on Tuesday, July 3rd. The stock was sold at an average price of $8.00, for a total value of $80,000.00. Following the completion of the transaction, the insider now directly owns 1,543,403 shares in the company, valued at $12,347,224. The disclosure for this sale can be found here . Insiders sold a total of 54,250 shares of company stock worth $473,518 over the last three months. 7.60% of the stock is owned by company insiders. +About Arbutus Biopharma +Arbutus Biopharma Corporation, a biopharmaceutical company, engages in the discovery, development, and commercialization of a cure for patients suffering from chronic Hepatitis B virus (HBV) infection in Canada and the United States. It also develops a pipeline of products based on RNA interference therapeutics (RNAi). +Read More: NASDAQ Receive News & Ratings for Arbutus Biopharma Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Arbutus Biopharma and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test3197.txt b/input/test/Test3197.txt new file mode 100644 index 0000000..825bfd4 --- /dev/null +++ b/input/test/Test3197.txt @@ -0,0 +1,23 @@ +Global Barium Carbonate Market to Reach US$ 605.76 Mn by 2026; Increased Use of Barium Carbonate in Bricks and Tiles to Drive Market: Transparency Market Research +ALBANY, New York , August 17, 2018 /PRNewswire/ -- +The global barium carbonate market was valued at US$ 389.13 Mn in 2017 and is anticipated to expand at a CAGR of 4.2% from 2018 to 2026, according to a new report titled ' Barium Carbonate Market: Global Industry Analysis, Size, Share, Growth, Trends, and Forecast, 2018 - 2026, ' published by Transparency Market Research (TMR). The market is driven by rise in the demand for barium carbonate for use in bricks and tiles in the construction industry. Asia Pacific accounts for a major share of the global barium carbonate market. +(Logo: https://mma.prnewswire.com/media/664869/Transparency_Market_Research_Logo.jpg ) +Request a Sample o f Barium Carbonate s Market: https://www.transparencymarketresearch.com/sample/sample.php?flag=S&rep_id=38609 +Increased use of barium carbonate in bricks and tiles to drive market +With modernization, the pattern of construction has witnessed significant changes over the last few years. Demand for attractive, colored and smooth structures for buildings is on the rise. Rising use of barium carbonate in the removal of efflorescence, which is a crystalline deposit of salt formed due to moisture absorption, in bricks and tiles is anticipated to boost the demand for barium carbonate in the next few years. It is essential that masonry units be covered and left in pallets in order to minimize the risk of efflorescence throughout the construction project. Tiles are also made of the same clay or shale as bricks and they are formed into relatively thin sheets, tubes, or hollow blocks. Bricks is a highly important building material used in construction activities in developing economies. +View in-depth table of contents for this report @ https://www.transparencymarketresearch.com/report-toc/38609 +Growing use of barium carbonate as a raw material in manufacture of electro-ceramic materials to boost demand for barium carbonate +Increasing use of barium carbonate in multi-layered ceramic capacitors, fuses, PTC thermistors, piezoelectric transducers, sensors, dynamic RAM, MEMS, optical modulators, and electromechanical devices is likely to boost the demand for barium carbonate in the electro-ceramic materials segment. Advanced electro-ceramic materials have played a significant role in advancement in technologies such as computers, telecommunications, and aerospace. Increase in use of barium carbonate as a raw material in the manufacture of positive temperature coefficient (PTC) thermistors is likely to boost the demand for barium carbonate during the forecast period. +Use of barium carbonate in applications such as glazes, frits, and enamels to offer growth opportunities to barium carbonate market +Glazes, frits, and enamels contain barium carbonate. Barium carbonate is a major source of barium oxide, which is used in glazes, wherein it functions as a flux and helps in producing matte finish. Barium carbonate ensures a good fit between the glaze and the surface that it covers, thereby enhancing the chemical and mechanical strength of surfaces. Thus, the ability of barium carbonate to impart superior finish is likely to offer growth opportunities to the barium carbonate market in the near future. +Request for Multiple Chapters on Global Barium Carbonate Market: https://www.transparencymarketresearch.com/sample/sample.php?flag=MC&rep_id=38609 +Decline in demand for barium carbonate for use in production of CRT glass to hinder market +Since the late 2000s, CRTs have been largely superseded by flat panel display technologies such as LCD, plasma display, and OLED. Several large manufacturers of television sets have stopped making CRT-based sets. With the transition toward flat-panel monitor and television technologies, consumption of CRT devices is expected to decrease over the time. With the decreasing demand for CRT, the demand for barium carbonate is also likely to decline in the near future. +Powder form segment to dominate global market +Among various forms, the powder segment dominates the global barium carbonate market. Powder form of barium carbonate is used in the ceramics industry as a fluxing material to produce matt glazes, specialty glasses, clay bricks, and tiles. It is also employed in the production of barium peroxide, barium hydroxide, and barium chloride. Most manufacturers operating in the barium carbonate market are engaged in the manufacture of powder form of barium carbonate. +Asia Pacific leads global barium carbonate market +Among regions, Asia Pacific accounted for a major share of the global barium carbonate market in 2017. China is the key producer of barium carbonate in Asia Pacific . In most countries of Asia Pacific such as China , India , and countries in ASEAN; governments have taken initiative for new infrastructure projects. Rising investments in the construction industry in the region are anticipated to fuel the demand for barium carbonate in the region during the forecast period. Several market leaders such as Hubei Jingshan Chutian Barium Salt Corporation, Guizhou Red Star Development Co., Ltd, and Hebei Xinji Chemical Group Co. Ltd. operate in the Asia Pacific market. +Request For Discount On This Report: https://www.transparencymarketresearch.com/sample/sample.php?flag=D&rep_id=38609 +High degree of competition among established players +Key players profiled in the report include Guizhou Red Star Development Co., Ltd, Hubei Jingshan Chutian Barium Salt Corporation Limited, Sakai Chemical Industry Co., Ltd, Chemical Product Corporation, and Vishnu Chemicals. These players are forward integrated and they account for a major share of the global barium carbonate market. Brand promotions and launch of new products are likely to boost sales of barium carbonate in the next few years. Market leaders are striving to adopt measures such as strategic pricing and product improvement to gain market share. +Global Barium Carbonate Market, by Form Granula \ No newline at end of file diff --git a/input/test/Test3198.txt b/input/test/Test3198.txt new file mode 100644 index 0000000..22e26f5 --- /dev/null +++ b/input/test/Test3198.txt @@ -0,0 +1,8 @@ +Whitepaper released on energy transmission and distribution in Africa By Paul Rogers 17 August, 2018 GE Power has unveiled a whitepaper on the Digitisation of Energy Transmission and Distribution in Africa +As Africa faces emerging opportunities to help deliver efficient, affordable and reliable electricity to consumers, GE Power's Grid Solutions business has unveiled a whitepaper on the Digitisation of Energy Transmission and Distribution in Africa. +The paper explores the opportunities and challenges faced in Sub-Saharan Africa as the new future of energy and electrification emerges. The paper also looks at the role of smart technology to transform grids as they continue to reflect the changes in the way energy is generated, distributed, traded, managed and stored. +Co-authored by the Strategic Marketing unit of GE Power in Sub-Saharan Africa and energy and environment Research Analysts of Frost & Sullivan, the white paper presents several challenges that affect energy access and power supply stability in Africa. They include inadequate power generation but more significantly, low levels of electrification caused primarily by faulty, aged or wrong setup of transmission and distribution infrastructure. +With the Digital Transformation of the energy sector rapidly gaining traction on a global scale, new opportunities are emerging to help deliver efficient, affordable and reliable electricity to consumers. According to the whitepaper, smart grids can create the potential to combat SSA's power sector challenges and provide the opportunity for the region to develop its energy capabilities and, therefore its energy security as well as security of supply. The Digital Transformation of grids allows users to take a holistic approach to achieve efficiency, flexibility, transparency and long-term sustainability. Information Communication Technology Integration will support real-time or deferred bi-directional data transmission that will enable stakeholders to efficiently manage the grid through increased speed and volume of data output, providing utilities the opportunity to maximise cost reductions, increase power reliability and increase customer satisfaction Wide Area Monitoring and Control ensures visibility into the power systems to observe the performance of grid components allowing for major cost-saving benefits associated with predictive maintenance and self-diagnosis Smart technology like Intelligent Electronic Devices (IEDs), Advanced metering infrastructure and grid automation ensure seamless transition and integration of renewable generation or micro-grids where necessary; predictive maintenance in distributed grids to reduce outages and effective revenue management +"Transmission and distribution networks are seen to be the weakest links in Africa's power systems and hence represent a huge opportunity area for improvement," said Lazarus Angbazo, CEO, GE's Grid Solutions business, Sub Saharan Africa. +"Going forward, there is a need to move beyond simply maintaining and repairing aged infrastructure. To truly advance the power sector, a holistic approach needs to be adopted; one that ensures sustainability, reliability and longevity of power supply. By utilising Internet of Things (IoT) technology, the smarter grids of tomorrow will deliver all-encompassing solutions based on the convergence of operating technology (OT) with information technology (IT) and incorporating emerging concepts such as distributed generation and energy storage." +Smart grids will play a key role in the region's transition to a sustainable energy system through facilitating smooth integration of new energy sources; promoting interoperability between all types of equipment; enabling the growth of distributed generation and its potential incorporation into the main grid; supporting demand-side management; and providing flexibility and visibility of the entire grid. GE's grid solutions six-step process highlighted in the whitepaper will help utilities along the digitisation journey of their energy infrastructure \ No newline at end of file diff --git a/input/test/Test3199.txt b/input/test/Test3199.txt new file mode 100644 index 0000000..1465d8c --- /dev/null +++ b/input/test/Test3199.txt @@ -0,0 +1,8 @@ +Breitbart: Davidson College Professor Allows Students to Pick Their Grade Before Class Starts Davidson College Professor Allows Students to Pick Their Grade Before Class Starts The Associated Press 16 Aug 2018 A professor at Davidson College will allow students to pick their grade before the class even starts this fall. Professor Melissa Gonzalez, who teaches Introduction to Spanish Literatures and Cultures at Davidson College, employs a "contract grading" system which allows students to pick their grade before the class begins. Based on the grade they choose, the student will be given a certain amount of work. The higher the grade, the more work that must be completed to earn it. +The College Fix published a report on Gonzalez's grading system last week. In an email to students, Gonzalez cited a 2009 study on "contract grading." +"The contract helps strip away the mystification of institutional and cultural power in the everyday grades we give in our writing courses," the research paper reads. +The paper goes on to explain that conventional grading systems make students feel uncomfortable. As a result, allowing students to choose their grades allegedly allows for a more productive learning environment. +Using the contract method over time has allowed us to see to the root of our discomfort: conventional grading rests on two principles that are patently false: that professionals in our field have common standards for grading, and that the 'quality' of a multidimensional product can be fairly or accurately represented with a conventional one-dimensional grade. In the absence of genuinely common standards or a valid way to represent quality, every grade masks the play of hidden biases inherent in readers and a host of other a priori power differentials. +This seems to be a recurring trend amongst idealistic professors as they put together they syllabi in August. Last August, a professor at the University of Georgia came under fire for a similar policy that would have allowed students to choose their own grades. Ultimately, the university forced the professor to use a standard grading system. +"The professor has removed this language from the syllabus," a University of Georgia spokesperson said. "In addition, the University of Georgia applies very high standards in its curricular delivery, including a university-wide policy that mandates all faculty employ a grading system based on transparent and pre-defined coursework." +Education Social Justice Tech Academic Insanity Davidson Colleg \ No newline at end of file diff --git a/input/test/Test32.txt b/input/test/Test32.txt new file mode 100644 index 0000000..6861429 --- /dev/null +++ b/input/test/Test32.txt @@ -0,0 +1 @@ +At Amazon.com ; posted by hw 2 minutes ago view profile Sign in and Click "Clip This Coupon" on product page to get 25% off Save 5% with Subscribe & Save (You may cancel it after you have placed your order) FREE SHIPPING. Tax in KS, KY, ND, NY, WA. Deal History 07/18/18: Grandma's Cookies Variety Pack, 30 Count at Amazon.com $10.49 Includes 30 packs of your favorite Grandma's brand cookies 8 Mini Vanilla Sandwich Cremes, 4 Mini Chocolate Chip Cookies, 6 Big Chocolate Chip cookies, 4 Big Peanut Butter cookies, 6 Big Chocolate Brownie cookies, and 2 Big Oatmeal Raisin cookies Great for packing lunches or snacking on the go Perfect for a quick, sweet comforting trea \ No newline at end of file diff --git a/input/test/Test320.txt b/input/test/Test320.txt new file mode 100644 index 0000000..c87f835 --- /dev/null +++ b/input/test/Test320.txt @@ -0,0 +1,9 @@ +Isuzu Motors signs Jonty Rhodes as Indian brand ambassador Isuzu's total investment outlay is Rs 3000 crore. 17 Aug, 2018 - 08:20 AM IST | By indiantelevision.com Team +MUMBAI: Isuzu motors, Japanese car manufacturer, has signed on former South African cricketer Jonty Rhodes as the brand ambassador to promote the brand and its latest product V-Cross in India. The brand will complete six years on 21 August 2018 in the Indian market. +The company began its manufacturing operations in April 2016 in Sri City, spread over an area of 107 acres in the state of Andhra Pradesh. +The brand has brought the lesser used term pick-up in trend with their lifestyle and adventure pick-up, Isuzu D-MAX V-Cross. Isuzu has establishing itself rapidly as an important player in the Indian pick-up and utility vehicle market. The association brings together a distinct combination of ISUZU's thrust on 'Never Stop' philosophy and Jonty's strategy & excellence of being 'game-changer' in the world of Cricket. Isuzu launched its latest commercial, featuring Jonty Rhodes, underscoring the message 'Be the Game Changer' at a press conference held in Mumbai on 16 August 2018. +Isuzu Motors India VP- service, customer care, EA and PR J Shankar Srinivas said, "A lot of people are well travelled in this country. At the time of launch we didn't have to convince the adventure enthusiast and the off-road communities much. With a predominant commercial pick-up segment already prevalent in this country, we needed a prime mover and found out that there is no lifestyle pick-up in this country that was really catching on." In terms of marketing and promotions the brand is primarily focussing on TV advertising. The company's total investment outlay is Rs 3000 crore. +According to Srinivas, the Indian market is certainly a tough market when it comes to convincing a customer about the value of a product in terms of pricing because Indians are the best negotiators in the world. +Considering the base that is very small the brand has grown by 100 per cent in 2017 compared to 2016 and this year would be another 60 per cent compared to 2017. +According to the Society of Indian Automobiles Manufacturers (SIAM), the pick-up trucks is the fastest growing and the largest segment (by volume) in the commercial vehicle market in India. It has grown from 81,622 in 2011-12 to 255,599 in 2017-18. +Isuzu Motors India deputy managing director Ken Takashima said, "Jonty perfectly represents the brand's values and his association encapsulates what we intend to do in this country. Jonty Rhodes, an internationally known sportsman, brings with him unique qualities that differentiated him as a 'game-changer' in the international cricket. The V-Cross, lifestyle & adventure pick-up, has been a catalyst in bringing about a new lease of life to the people and adventure enthusiasts in India. The Indian pick-up market is growing significantly and we have been witnessing a strong inclination towards the V-Cross. We are happy to have carved a niche in the Indian utility vehicle market. We are thrilled and excited to associate with Jonty and I am sure this will make the brand & the V-Cross even more exciting and aspirational in the days to come." tag \ No newline at end of file diff --git a/input/test/Test3200.txt b/input/test/Test3200.txt new file mode 100644 index 0000000..ffe396d --- /dev/null +++ b/input/test/Test3200.txt @@ -0,0 +1,23 @@ +Results from Wednesday's US Gulf of Mexico lease sale suggest that oil operators are once again starting to think long-term, selecting acreage in frontier plays that may not pay off for a decade or more. +Bidders in Lease Sale 251 appeared more willing to focus on deepwater exploratory prospects than in the last couple of auctions, when companies chose acreage for its proximity to infrastructure and near-term production prospects, Mike Celata, regional Gulf director for the US Bureau of Ocean Energy Management, said. +"Today you saw some companies willing to look at [new] opportunities," as big independent producer Hess and majors ExxonMobil and Norway's Equinor apparently won large block clusters in more remote areas where infrastructure is less built-out than where their current production is, Celata said at a press conference following the sale. +For example, ExxonMobil grabbed a 10-tract cluster in the DeSoto Canyon area offshore Alabama, while Hess appeared to be chasing a certain type of geology in the Viosca Knoll area offshore Louisiana. +Celata thought ExxonMobil was looking at the Norphlet play that has been pioneered by Shell in such discoveries as Appomattox and Vicksburg, while Hess was likely pursuing Miocene-age rocks at relatively modest depths. +"[ExxonMobil] is a little southeast of most of the Norphlet discoveries near an area where there were some dry holes," he said. +But Equinor's interest seemed drawn towards the deeper and more remote Lower Tertiary play in faraway Alaminos Canyon in the southern US Gulf where it has stakes in several discoveries such as ExxonMobil-operated Julia and Chevron-operated Jack/St Malo. +On the other hand, Chevron and Shell, which typically are among the top few bidders in terms of number of leases and total high-dollar amounts offered, were not as active in Wednesday's sale, although Chevron offered the auction's second-highest bid of $11 million while Shell offered the sixth-highest sum of $4.6 million. +Results of Wednesday's sale are preliminary since BOEM has 90 days to review the bids and assure that the offers are at fair market value. The agency often rejects several bids in each auction. +The sale comes at a time when many operators have either exited or focused less on the Gulf as the lure of onshore shale has promised less risk and quicker paybacks. +HESS OFFERS SINGLE HIGHEST BID +Hess took honors for the highest bid of nearly $26 million for a block in the Mississippi Canyon area offshore Louisiana, less than 10 miles from the Macondo tract. Macondo was the prospect at the center of the Deepwater Horizon disaster in 2010. +Hess, which has both including a Bakken Shale operation in North Dakota, said the 16 tracts it apparently won in Wednesday's sale are located in and around its existing operating areas that include seven producing fields. +"The Gulf of Mexico is a significant part of our portfolio and an important cash generator for Hess," company spokesman Rob Young said. Those blocks "are centered over core exploration areas of interest near our existing footprint." +The Chevron and Shell leases are also located in Mississippi Canyon, although much further south. That area is the site of some of the Gulf's biggest oil fields such as BP's Thunder Horse and Na Kika. +Lease Sale 251 didn't set off fireworks dollar-wise, but it surpassed the high-bid sum total of two previous auctions during the last year and attracted more participants. +Total high bids weighed in at $178 million, more than the $124.7 million last March and $121 million in August 2017. +But that is down from sales of a few years ago when robust bidding could result in $500 million or more of high bids. Even in March 2015, as low crude prices that would last three years started to worry the oil industry, the first of two auctions that year totaled $539 million. +Companies showed confidence in the region based not only on dollar amount from the last sale, but with an increase in competitive bids, William Turner, senior research analyst at Wood Mackenzie, said. +"Roughly 40% of blocks this round made a return from lease sales in 2007 and 2008, including a sizable portion of blocks towards the east picked up by ExxonMobil, previously held by Shell," Turner said. +Celata believes next year's auctions could exceed even Sale 251 in size, since the potential for more deepwater lease expirations with 10-year terms from sales a decade ago may be coming up. +"A lot of acreage had been bid on before [years ago] that companies had been interested in," he said. "In our newly available blocks, relinquishments were down" in Sale 251 to 285, compared to 338 in the March 2018 sale. +Source: Platt \ No newline at end of file diff --git a/input/test/Test3201.txt b/input/test/Test3201.txt new file mode 100644 index 0000000..3069a9c --- /dev/null +++ b/input/test/Test3201.txt @@ -0,0 +1,7 @@ + Adam Dyson on Aug 17th, 2018 // No Comments +Media coverage about Prudential Public (NYSE:PUK) has been trending positive recently, according to Accern. The research group identifies negative and positive media coverage by monitoring more than twenty million blog and news sources in real time. Accern ranks coverage of publicly-traded companies on a scale of negative one to one, with scores nearest to one being the most favorable. Prudential Public earned a news sentiment score of 0.37 on Accern's scale. Accern also gave news articles about the financial services provider an impact score of 46.6221039049177 out of 100, indicating that recent media coverage is somewhat unlikely to have an impact on the stock's share price in the near future. +PUK has been the subject of a number of analyst reports. Citigroup cut shares of Prudential Public from a "buy" rating to a "neutral" rating in a research report on Wednesday, April 25th. Zacks Investment Research cut shares of Prudential Public from a "buy" rating to a "hold" rating in a report on Tuesday, May 8th. ValuEngine cut shares of Prudential Public from a "buy" rating to a "hold" rating in a report on Wednesday, May 2nd. Finally, Evercore ISI assumed coverage on shares of Prudential Public in a report on Tuesday, July 10th. They issued an "in-line" rating for the company. Three investment analysts have rated the stock with a sell rating and two have assigned a hold rating to the company. Prudential Public has an average rating of "Sell" and an average price target of $57.00. Get Prudential Public alerts: +NYSE PUK opened at $44.04 on Friday. The firm has a market capitalization of $59.25 billion, a price-to-earnings ratio of 11.78, a P/E/G ratio of 1.26 and a beta of 1.52. Prudential Public has a 12-month low of $43.12 and a 12-month high of $55.36. The company has a debt-to-equity ratio of 0.40, a current ratio of 0.02 and a quick ratio of 0.03. The business also recently declared a semiannual dividend, which will be paid on Thursday, October 4th. Shareholders of record on Friday, August 24th will be issued a $0.1567 dividend. The ex-dividend date of this dividend is Thursday, August 23rd. This represents a dividend yield of 0.67%. Prudential Public's dividend payout ratio is currently 46.79%. +About Prudential Public +Prudential plc, together with its subsidiaries, provides a range of retail financial products and services, and asset management services in Asia, the United States, the United Kingdom, Europe, and Africa. The company offers health and protection, as well as other life insurance products, including participating business and mutual funds; and personal lines property and casualty insurance, group insurance, and institutional fund management services. +Further Reading: Market Capitalization Receive News & Ratings for Prudential Public Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Prudential Public and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test3202.txt b/input/test/Test3202.txt new file mode 100644 index 0000000..121d612 --- /dev/null +++ b/input/test/Test3202.txt @@ -0,0 +1,13 @@ +Image copyright Getty Images Image caption The boy hacked Apple because he was a fan of the firm, reports from the court case say A teenage boy from Australia has pleaded guilty to hacking into Apple's network and downloading internal files, according to reports. +The 16-year-old accessed 90 gigabytes worth of files, breaking into the system many times over the course of a year from his suburban home in Melbourne, reports The Age newspaper. +It says he stored the documents in a folder called 'hacky hack hack'. +Apple insists that no customer data was compromised. +But The Age reports that the boy had accessed customer accounts. +In a statement to the BBC, Apple said: "We vigilantly protect our networks and have dedicated teams of information security professionals that work to detect and respond to threats. +"In this case, our teams discovered the unauthorised access, contained it, and reported the incident to law enforcement. +"We regard the data security of our users as one of our greatest responsibilities and want to assure our customers that at no point during this incident was their personal data compromised." +Well-known hacker According to statements made in court, the smartphone giant contacted the FBI when it became aware of the intrusion, and the matter was referred to the Australian Federal Police (AFP). +An AFP raid on the boy's home revealed two laptops with serial numbers matching those of devices which had accessed the system. Police also seized a mobile phone and a hard drive. +According to The Age, the teen had boasted about his activities in WhatsApp messages. It reports that he had hacked into the firm because he was a huge fan and dreamed of working there. +His defence lawyer said that he had become very well-known in the international hacking community. +The boy's name has not been made public for legal reasons. He is due to be sentenced on 20 September \ No newline at end of file diff --git a/input/test/Test3203.txt b/input/test/Test3203.txt new file mode 100644 index 0000000..190cd94 --- /dev/null +++ b/input/test/Test3203.txt @@ -0,0 +1,13 @@ +Apple files stored by teen in 'hacky hack hack' folder 17 August 2018 These are external links and will open in a new window Close share panel Image copyright Getty Images Image caption The boy hacked Apple because he was a fan of the firm, reports from the court case say A teenage boy from Australia has pleaded guilty to hacking into Apple's network and downloading internal files, according to reports. +The 16-year-old accessed 90 gigabytes worth of files, breaking into the system many times over the course of a year from his suburban home in Melbourne, reports The Age newspaper. +It says he stored the documents in a folder called 'hacky hack hack'. +Apple insists that no customer data was compromised. +But The Age reports that the boy had accessed customer accounts. +In a statement to the BBC, Apple said: "We vigilantly protect our networks and have dedicated teams of information security professionals that work to detect and respond to threats. +"In this case, our teams discovered the unauthorised access, contained it, and reported the incident to law enforcement. +"We regard the data security of our users as one of our greatest responsibilities and want to assure our customers that at no point during this incident was their personal data compromised." Well-known hacker +According to statements made in court, the smartphone giant contacted the FBI when it became aware of the intrusion, and the matter was referred to the Australian Federal Police (AFP). +An AFP raid on the boy's home revealed two laptops with serial numbers matching those of devices which had accessed the system. Police also seized a mobile phone and a hard drive. +According to The Age, the teen had boasted about his activities in WhatsApp messages. It reports that he had hacked into the firm because he was a huge fan and dreamed of working there. +His defence lawyer said that he had become very well-known in the international hacking community. +The boy's name has not been made public for legal reasons. He is due to be sentenced on 20 September. Related Topic \ No newline at end of file diff --git a/input/test/Test3204.txt b/input/test/Test3204.txt new file mode 100644 index 0000000..ac78c56 --- /dev/null +++ b/input/test/Test3204.txt @@ -0,0 +1,5 @@ + Adam Dyson on Aug 17th, 2018 // No Comments +Berenberg Bank set a €96.00 ($109.09) price objective on Bechtle (ETR:BC8) in a research note issued to investors on Monday morning. The firm currently has a buy rating on the stock. +Several other research analysts have also recently weighed in on BC8. Baader Bank set a €74.00 ($84.09) target price on Bechtle and gave the stock a buy rating in a report on Wednesday, April 18th. Warburg Research set a €90.00 ($102.27) target price on Bechtle and gave the stock a buy rating in a report on Wednesday, May 2nd. Commerzbank set a €62.50 ($71.02) target price on Bechtle and gave the stock a neutral rating in a report on Wednesday, May 9th. Kepler Capital Markets set a €69.00 ($78.41) target price on Bechtle and gave the stock a neutral rating in a report on Wednesday, May 9th. Finally, Independent Research set a €80.00 ($90.91) target price on Bechtle and gave the stock a neutral rating in a report on Monday, May 14th. One investment analyst has rated the stock with a sell rating, three have given a hold rating and five have assigned a buy rating to the company. The stock presently has an average rating of Hold and a consensus target price of €83.63 ($95.03). Get Bechtle alerts: +Shares of Bechtle stock opened at €87.00 ($98.86) on Monday. Bechtle has a 1-year low of €48.83 ($55.49) and a 1-year high of €75.40 ($85.68). About Bechtle +Bechtle AG provides information technology services primarily in Europe. The company operates in two segments, IT System House & Managed Services, and IT E-Commerce. The IT System House & Managed Services segment offers IT strategy consulting, hardware and software, project planning and implementation, system integration, maintenance and training, IT, cloud, and IT operation services \ No newline at end of file diff --git a/input/test/Test3205.txt b/input/test/Test3205.txt new file mode 100644 index 0000000..f7617fa --- /dev/null +++ b/input/test/Test3205.txt @@ -0,0 +1,5 @@ + Scott Davis on Aug 17th, 2018 // No Comments +Hauck &Aufhaeuser set a €26.00 ($29.55) target price on SLM Solutions Group (ETR:AM3D) in a research report sent to investors on Monday morning. The firm currently has a neutral rating on the stock. +AM3D has been the subject of several other reports. Oddo Bhf set a €35.00 ($39.77) target price on shares of SLM Solutions Group and gave the company a neutral rating in a research note on Friday, May 11th. Commerzbank set a €39.00 ($44.32) target price on shares of SLM Solutions Group and gave the company a neutral rating in a research note on Wednesday, April 25th. equinet set a €24.00 ($27.27) target price on shares of SLM Solutions Group and gave the company a sell rating in a research note on Thursday, August 9th. Berenberg Bank set a €31.00 ($35.23) target price on shares of SLM Solutions Group and gave the company a neutral rating in a research note on Friday, August 10th. Finally, Deutsche Bank set a €32.00 ($36.36) target price on shares of SLM Solutions Group and gave the company a neutral rating in a research note on Thursday, July 26th. One analyst has rated the stock with a sell rating, five have given a hold rating and one has assigned a buy rating to the company. The company currently has a consensus rating of Hold and a consensus price target of €31.29 ($35.55). Get SLM Solutions Group alerts: +ETR:AM3D opened at €23.00 ($26.14) on Monday. SLM Solutions Group has a one year low of €29.31 ($33.31) and a one year high of €49.75 ($56.53). SLM Solutions Group Company Profile +SLM Solutions Group AG provides metal-based additive manufacturing technology solutions in Germany and internationally. The company operates in two segments, Machine Sales and After Sales. The Machine Sales segment engages in the development, production, marketing, and sale of machines for selective laser melting \ No newline at end of file diff --git a/input/test/Test3206.txt b/input/test/Test3206.txt new file mode 100644 index 0000000..ca98654 --- /dev/null +++ b/input/test/Test3206.txt @@ -0,0 +1,12 @@ +– A + Google confirms it tracks users even when 'Location History' setting is disabled By Andrew O'Hara +Thursday, August 16, 2018, 06:01 pm PT (09:01 pm ET) +Google updated help center documentation Thursday to clarify its location data collection policies, changes made in light of recent revelations that the firm's apps and website continue to harvest user information even when a global "Location History" setting is disabled. +Earlier this week, the Associated Press , with help from Princeton researchers, broke news that Google logs users' location data even when features that are meant to stop the tracking are enabled. Whether on iOS or Android, many Google apps — including Google Maps — store a user's location whenever the app is opened. +In response to the report, Google updated its support documents to better explain the feature, called "Location History," though it continues to collect the data. +Apps like Google Maps require location access in order to provide real-time directions, meaning users must allow iOS to share that data with the app. In an effort to help users who would want to use the app, but don't want their data stored, Google offers a feature called Location History which can pause logging of that data. +Previously, Google's support page said Location History can be turned off by the user at any given time, assumedly preventing visited places from being stored on Google's servers. +"With Location History off, the places you go are no longer stored," the document read. The AP investigation showed this was not the case. +Google's updated language now says, "This setting does not affect other location services on your device," and adds, "Some location data may be saved as part of your activity on other services, like Search and Maps." +"We have been updating the explanatory language about Location History to make it more consistent and clear across our platforms and help centers." Google said in a statement to the AP . +Users who wish to stop tracking altogether must disable "Web and App Activity" in addition to Location History. Leaving Web and App Activity enabled while turning Location History off only prevents additions to the Google Maps timeline, and does not stop data collection. +Google's help center update is not likely to appease users who have scrutinized the search giant and other tech companies for their user privacy policies. The move, however, provides at least some transparency on what data Google is harvesting from its customers \ No newline at end of file diff --git a/input/test/Test3207.txt b/input/test/Test3207.txt new file mode 100644 index 0000000..9485731 --- /dev/null +++ b/input/test/Test3207.txt @@ -0,0 +1 @@ +This is a Gigajob job posting for: Retail Sales Assistant / Executive (#1,077,803,868) Job offer #1,077,803,868 in Singapore Job Summary: Retail Sales Associate to be responsible for all sales job duties, from generating leads to closing sales. The Retail Sales Associate include working closely with customers to determine their needs, answer their questions about our products and recommend the right solutions. Able to promptly resolve customer complaints and ensure maximum client satisfaction. To be successful as a Sales associate, you should stay up-to-date with product features and maintain our store's visual appearance in high standards. Ultimately, the duties of a sales associate are to achieve excellent customer service, while consistently meeting the store's sales goals. Job Description: Ensure high levels of customer satisfaction through excellent sales service Assess customer's needs and provide assistance and information on product features Welcome customers to the store and answer their queries Follow and achieve department's sales goals on a monthly, quarterly and yearly basis Maintain in-stock and presentable condition at assigned areas Actively seek out customers in store Remain knowledgeable on products offered and discuss available options Process POS (point of sale) purchases Team up with co-workers to ensure proper customer service Build productive trust relationships with customers Comply with inventory control procedures Work within guidelines and regulations, especially concerning brand products Qualifications / Experience / Knowledge: Full-Time and Part-Time vacancies are available Both part time & full time crews will be entitled for sales commission for item sold under individual sale record. We encourage school leavers/students to apply Knowledge in mobile phone / smartphone is an added advantage Language \ No newline at end of file diff --git a/input/test/Test3208.txt b/input/test/Test3208.txt new file mode 100644 index 0000000..fcdc5c6 --- /dev/null +++ b/input/test/Test3208.txt @@ -0,0 +1,19 @@ +If only all of our personal demons were so fun Source:Supplied THE Simpsons has been on air for almost 30 years now. +Even fans who haven't seen an episode since the 1990s agree that the banana-hued Springfieldians had a great 10-year run in the beginning. +Think about that, a decade of brilliant TV. Even the best and most acclaimed shows barely stretch it to six years before losing creative steam. +So The Simpsons creator Matt Groening will understand that everything he else does will always be compared to his magnum opus. Disenchantment , available from tonight on Netflix, is the first new series Groening has put out since Futurama in 1999 - in other words, we've waited 19 years for this. +Groening has been developing the show for 10 years after reading a stack of fantasy books — he wanted to create a sandbox with magic, talking creatures and rebellious royals. More heads on pikes than Game of Thrones Source:Supplied +It follows the story Bean (Abbi Jacobson), a teenage princess living in her boorish father King Zod's ( Futurama vet John DiMaggio) realm of Dreamland. When we meet Bean, she's gambling at the local tavern, inciting a riot on her way out. +This pants-wearing roaming around town is just another night for Bean, who has spent her life bristling against her destiny to be a trophy wife in an arranged marriage to a douchey neighbouring prince. +It's the last thing Bean wants for her life — she later laments that having to choose between death and marriage shouldn't be that hard. +Zod's attempt to keep his daughter "in check" proves challenging, with his knights preferring to join the crusade than guard the princess. +Aiding Bean in her quest for self-determination is Elfo (Nat Faxon), an optimistic and naive but corruptible elf who has ventured away from his cloistered home, and Luci (Eric Andre), Bean's personal demon who's was sent by a couple of weirdos standing around a crystal ball who appears to have bigger plans for her. +Disenchantment dropped seven episodes today, half of its first season. Each chapter works as a stand-alone but it also has a narrative arc. Marriage isn't for everyone Source:Supplied +With Groening heading over to Netflix for this project, he's been freed of the constraints of commercial broadcast TV, the limitations that Fox had placed on The Simpsons and Futurama . +So expect more violence — lots more violence — on screen and a harder, crasser edge to its writing and spirit. Disenchantment is much closer in tone to Futurama than The Simpsons . +But the thing about boundaries on creativity is that it's not always a bad thing, it often forces writers and directors to be more clever in approaching their storytelling. This is why The Simpsons was so on point in those early seasons — so many of its jokes, storylines and characters worked on many levels so that kids had one experience watching it while adults had another. +Disenchantment doesn't have those broadcast censors, so it's much more upfront and, shall we say, single entendre in its humour - it doesn't imply there was walrus sex, it just tells you it was walrus sex. It doesn't have those layers and it seems unlikely to achieve the kind of classic status Groening reached with his most famous creation. +But that's not to say Disenchantment isn't a pleasant and pleasing show that you'll happily pass a Saturday afternoon with. There's a lot going for it — the bright animation, the great voice work and Mark Mothersbaugh's energetic score. +But it's no The Simpsons . +Disenchantment is streaming on Netflix now. +Share your TV and movies obsessions with @wenleima on Twitter. trending in entertainmen \ No newline at end of file diff --git a/input/test/Test3209.txt b/input/test/Test3209.txt new file mode 100644 index 0000000..dca4031 --- /dev/null +++ b/input/test/Test3209.txt @@ -0,0 +1,15 @@ +The "Clean Coal Technologies (CCT) - Global Strategic Business Report" report has been added to ResearchAndMarkets.com's offering. +The report provides separate comprehensive analytics for the US, Japan, Europe, Asia-Pacific, and Rest of World. Annual estimates and forecasts are provided for the period 2016 through 2024. Also, a five-year historic analysis is provided for these markets. +This report analyzes the worldwide markets for Clean Coal Technologies (CCT) by annual spending in US$ Million. +The report profiles 48 companies including many key and niche players such as: +ADA-ES, Inc. (USA) Allied Resource Corporation (USA) Amec Foster Wheeler (Switzerland) Bharat Heavy Electricals Limited (India) Bixby Energy Systems (USA) Clean Coal Technologies, Inc. (USA) Doosan Heavy Industries & Construction Company Ltd. (South Korea) GE Power (USA) Mitsubishi Hitachi Power Systems, Ltd. (Japan) Shanghai Electric Group Company Limited (China) The Babcock & Wilcox Company (USA) Key Topics Covered +1. Introduction, Methodology & Product Definitions +2. Industry Overview +Coal at Crossroads Increasing Environmental Pollution Levels Propel Growth of Clean Coal Technologies Current and Future Analysis Market Drivers Market Inhibitors Renewables at Competitive Prices Hinder Growth Prospects Clean Coal Technologies Gain Prominence in Developing Nations China Gains new Ground IGCC on Rise Coal Gasification: Vital to Realize Low Carbon Economy in Reality Will CTL Technology Circumvent Energy Security Concerns in Oil Sector? Advanced Ultra-Supercritical Power Plants Grow in Investments Amine Scrubbing Technology: An Expensive Process to Capture CO2 Emissions CCS - An important Technology in Greenhouse Gas Reduction CCS in Developed and Developing Countries Growing O2 Demand Spurs Adoption of ITM Technology Large Investments Mar HELE Adoption 3. Clean Coal Technologies - An Overview +4. Competitive Landscape +4.1 Focus on Select Players +4.2 Recent Industry Activity +5. Global Market Perspective +Total Companies Profiled: 48 (including Divisions/Subsidiaries - 49) +The United States (17) Canada (2) Japan (7) Europe (3) Germany (1) Rest of Europe (2) Asia-Pacific (Excluding Japan) (16) Middle East (1) Africa (3) For more information about this report visit https://www.researchandmarkets.com/research/cwjr2n/global_strategic?w=4 +View source version on businesswire.com: https://www.businesswire.com/news/home/20180817005109/en \ No newline at end of file diff --git a/input/test/Test321.txt b/input/test/Test321.txt new file mode 100644 index 0000000..686f285 --- /dev/null +++ b/input/test/Test321.txt @@ -0,0 +1,9 @@ +Tweet +Altfest L J & Co. Inc. decreased its position in shares of Gilead Sciences, Inc. (NASDAQ:GILD) by 67.2% during the 2nd quarter, according to the company in its most recent disclosure with the SEC. The fund owned 3,908 shares of the biopharmaceutical company's stock after selling 8,015 shares during the quarter. Altfest L J & Co. Inc.'s holdings in Gilead Sciences were worth $277,000 as of its most recent filing with the SEC. +Other hedge funds have also recently modified their holdings of the company. Dynamic Advisor Solutions LLC grew its holdings in shares of Gilead Sciences by 58.2% during the second quarter. Dynamic Advisor Solutions LLC now owns 4,979 shares of the biopharmaceutical company's stock worth $354,000 after buying an additional 1,831 shares during the last quarter. FTB Advisors Inc. lifted its position in Gilead Sciences by 1.3% in the second quarter. FTB Advisors Inc. now owns 73,220 shares of the biopharmaceutical company's stock valued at $5,186,000 after purchasing an additional 973 shares during the period. Strs Ohio lifted its position in Gilead Sciences by 1.2% in the second quarter. Strs Ohio now owns 932,992 shares of the biopharmaceutical company's stock valued at $66,093,000 after purchasing an additional 10,668 shares during the period. Toronto Dominion Bank lifted its position in Gilead Sciences by 21.7% in the second quarter. Toronto Dominion Bank now owns 1,140,476 shares of the biopharmaceutical company's stock valued at $82,608,000 after purchasing an additional 203,518 shares during the period. Finally, Lipe & Dalton lifted its position in Gilead Sciences by 21.7% in the second quarter. Lipe & Dalton now owns 61,526 shares of the biopharmaceutical company's stock valued at $4,359,000 after purchasing an additional 10,966 shares during the period. 77.70% of the stock is currently owned by institutional investors. Get Gilead Sciences alerts: +In other news, Director John C. Martin sold 50,000 shares of Gilead Sciences stock in a transaction that occurred on Monday, July 2nd. The shares were sold at an average price of $70.81, for a total transaction of $3,540,500.00. Following the completion of the sale, the director now directly owns 3,067,762 shares in the company, valued at approximately $217,228,227.22. The transaction was disclosed in a legal filing with the SEC, which is available through this hyperlink . Over the last quarter, insiders have sold 150,000 shares of company stock valued at $10,839,500. Insiders own 1.16% of the company's stock. GILD stock opened at $75.59 on Friday. Gilead Sciences, Inc. has a 12-month low of $64.27 and a 12-month high of $89.54. The company has a debt-to-equity ratio of 1.23, a current ratio of 3.00 and a quick ratio of 2.92. The company has a market cap of $99.47 billion, a PE ratio of 8.83, a P/E/G ratio of -5.85 and a beta of 1.03. +Gilead Sciences (NASDAQ:GILD) last posted its quarterly earnings results on Wednesday, July 25th. The biopharmaceutical company reported $1.91 earnings per share (EPS) for the quarter, beating the Zacks' consensus estimate of $1.56 by $0.35. Gilead Sciences had a net margin of 9.52% and a return on equity of 41.57%. The company had revenue of $5.65 billion during the quarter, compared to the consensus estimate of $5.20 billion. During the same period last year, the firm earned $2.56 EPS. The company's revenue for the quarter was down 20.9% on a year-over-year basis. analysts forecast that Gilead Sciences, Inc. will post 6.56 earnings per share for the current year. +The business also recently declared a quarterly dividend, which will be paid on Thursday, September 27th. Stockholders of record on Friday, September 14th will be given a dividend of $0.57 per share. The ex-dividend date is Thursday, September 13th. This represents a $2.28 dividend on an annualized basis and a dividend yield of 3.02%. Gilead Sciences's payout ratio is 26.64%. +GILD has been the subject of a number of recent analyst reports. Piper Jaffray Companies initiated coverage on shares of Gilead Sciences in a research report on Wednesday, May 30th. They issued a "buy" rating and a $85.00 price objective for the company. Barclays reduced their price objective on shares of Gilead Sciences from $95.00 to $90.00 and set a "buy" rating for the company in a research report on Wednesday, May 2nd. ValuEngine downgraded shares of Gilead Sciences from a "strong-buy" rating to a "buy" rating in a research report on Wednesday, May 2nd. Zacks Investment Research upgraded shares of Gilead Sciences from a "sell" rating to a "buy" rating and set a $85.00 price objective for the company in a research report on Thursday, April 19th. Finally, Mizuho set a $94.00 price objective on shares of Gilead Sciences and gave the company a "buy" rating in a research report on Tuesday, July 31st. Twelve investment analysts have rated the stock with a hold rating, fourteen have issued a buy rating and two have given a strong buy rating to the company. Gilead Sciences currently has an average rating of "Buy" and an average price target of $88.00. +Gilead Sciences Company Profile +Gilead Sciences, Inc, a biopharmaceutical company, discovers, develops, and commercializes therapeutics in the areas of unmet medical needs in the United States, Europe, and internationally. The company's products include Biktarvy, Descovy, Odefsey, Genvoya, Stribild, Complera/Eviplera, Atripla, Truvada, Viread, Emtriva, and Tybost for the treatment of human immunodeficiency virus (HIV) infection in adults; and Vosevi, Vemlidy, Epclusa, Harvoni, Sovaldi, Viread, and Hepsera products for treating liver diseases \ No newline at end of file diff --git a/input/test/Test3210.txt b/input/test/Test3210.txt new file mode 100644 index 0000000..31f1464 --- /dev/null +++ b/input/test/Test3210.txt @@ -0,0 +1 @@ +"Everyone likes a page-turner, and Follett is the best." — The Philadelphia Inquirer "A hell of a storyteller" ( Entertainment Weekly ), #1 New York Times bestselling author Ken Follett reinvents the thriller with each new novel. But nothing matches the intricate knife-edge drama of Whiteout . . . . A missing canister of a deadly virus. A lab technician bleeding from the eyes. Toni Gallo, the security director of a Scottish medical research firm, knows she has problems, but she has no idea of the nightmare to come. As a Christmas Eve blizzard whips out of the north, several people, Toni among them, converge on a remote family house. All have something to gain or lose from the drug developed to fight the virus. As the storm worsens, the emotional sparks—jealousies, distrust, sexual attraction, rivalries—crackle; desperate secrets are revealed; hidden traitors and unexpected heroes emerge. Filled with startling twists at every turn, Whiteout rockets Follett into a class by himself. Look out for Ken's newest book, A Column of Fire , available now. From Publishers Weekly Nov 15, 2004 – Bestseller Follett sets his sights on biological terrorism, pumping old-school adrenaline into this new breed of thriller. Ex-policewoman Antonia "Toni" Gallo, head of security at a boutique pharmaceuticals company, has discovered that two doses of an experimental drug developed as a potential cure for the deadly Madoba-2 virus have vanished from her top-secret laboratory. This mystery is a precursor to a more serious crime being planned by Kit Oxenford, the gambling-addicted son of the company's founder, Stanley Oxenford. Kit, deeply in debt to mobster Harry Mac, sees a raid on his father's lab as a chance to score enough money to disappear and start anew in another country. Some characters are a bit familiar the pesky, unprincipled journalist; the imbecilic police detective but others, the mobster's psychopathic daughter in particular, show idiosyncratic originality. After a long buildup, the burglary is set in motion, and Kit's best-laid plans begin to fall apart. Eventually, good guys and bad guys end up at the Oxenford family estate, trapped in the house by a fierce snowstorm as they battle one another over the material stolen from the laboratory. A romance between the recently widowed Stanley and Toni and the unexpected addition of Toni's comically addled mother thicken the plot as Follett's agonizingly protracted, nail-biter ending drags readers to the very edge of their seats and holds them captive until the last villain is satisfactorily dispatched. © Publishers Weekl \ No newline at end of file diff --git a/input/test/Test3211.txt b/input/test/Test3211.txt new file mode 100644 index 0000000..cae328c --- /dev/null +++ b/input/test/Test3211.txt @@ -0,0 +1 @@ +This is a Gigajob job posting for: Sale Executive - Mandarin Speaker (#1,077,803,930) Job offer #1,077,803,930 in Singapore Responsibilities: Coordinate sales team by managing schedules, filing important documents, and communicating relevant information across. Ensure the adequacy of sales-related equipments or materials. Respond to complaints from customers and give after-sales support when requested. Store and sort financial and non-financial data in electronic form and present reports. Handle the processing of all orders with accuracy and timeliness. Inform clients of unforeseen delays or problems. Monitor the team's progress, identify shortcomings, and propose improvements. Assist in the preparation and organising of promotional material or events. Ensure adherence to laws and policies. Requirements: Proven experience in sales; experience as a sales coordinator or in other administrative positions will be considered a plus;. Prefered Chinese Male candidate Below 30 years old Excellent computer skills (MS Office). Proficiency in English. Well-organized and responsible with an aptitude in problem-solving. Strong verbal and written communication skills. A team player with high level of dedication. Possess at least a Bachelor's Degree in Business Administration or relevant field; certification in sales or marketing will be an asset. The Company Manpower Staffing Services (Malaysia) Sdn Bhd Job Detail \ No newline at end of file diff --git a/input/test/Test3212.txt b/input/test/Test3212.txt new file mode 100644 index 0000000..e7e4ecf --- /dev/null +++ b/input/test/Test3212.txt @@ -0,0 +1,17 @@ +Bookmark the permalink . +The Technical University of Denmark is building a residential complex of 312 studio apartments catering to international students in north Copenhagen. The new housing will be build on DTU's Lyngby campus in north Copenhagen. Photo: DTU Share this: About Viggo Stacey Viggo has previously worked in teaching in Germany and Turkey, until his change of career in 2017. Known as 'Sitting-Vig' to his friends, in his free time he is normally watching a film as he attempts to watch more films than anyone else. +Housing must be within a 30-minute radius from campus +Plumbing and underfloor heating is installed into the prefabricated buildings, which will then be delivered to DTU's campus in Lyngby. The buildings are expected to be ready for their first residents by early 2019. +"Lack of affordable housing is a challenge for Danish and international students" +Mikael Hyttel Thomsen, director of the Housing Fund DTU, said the project does not solve the lack of student accommodation, but is a "small step in the right direction". +According to Thomsen, DTU can by law not finance or build student houses, and therefore established Boligfonden DTU, a foundation seeking to build for international students, guests and staff related to DTU. +"Affordable housing in the Greater Copenhagen area is difficult to find as it is in any other capital and major university cities," he told The PIE News. +"There are of course individual preferences, but it is our perception that students don't care whether they live on campus or in the city as long as the transport to and from campus doesn't exceed 30 minutes." +There is a general lack of affordable housing for both Danish and international students in the vicinity of the university's campuses, he said. +"Boligfonden DTU continues its indefatigable work to increase the amount of affordable and suitable housing in a radius of 30-minutes from DTU's major campuses." +Construction time is optimised as the buildings are made prior to arriving on site, but are still a "good and solid product that can handle the Danish climate," according to Thomsen. +He added that housing on campus represents only small percentage of overall housing, and much of the accommodation for international students are located in residential areas off-campus. +Boligfonden DTU previously teamed up with Danish pension fund, PensionDanmark , in 2016 to build affordable accommodation for Danish and foreign students on the university campus. +"Lack of affordable housing is a major challenge for both Danish and international students. Boligfonden DTU work is to remedy a subset of the housing problem for international students and guests who do not have a network in Denmark," Thomsen said. +In 2017, 874 exchange students and 728 international MSc students were admitted to DTU, according to its website. +Still looking? Find by category \ No newline at end of file diff --git a/input/test/Test3213.txt b/input/test/Test3213.txt new file mode 100644 index 0000000..54c5548 --- /dev/null +++ b/input/test/Test3213.txt @@ -0,0 +1 @@ +PR Agency: WISE GUY RESEARCH CONSULTANTS PVT LTD Introduction Contract manufacturing refers to a manufacturer who contracts with another company to make certain components or products over an equally agreed period. The healthcare contract manufacturing organization serves other companies in the medical devices and pharmaceutical industries to provide comprehensive services from drug development to drug manufacturing. GET SAMPLE REPORT @ www.wiseguyreports.com/sample-request/3258035-global-heal... Pharmaceutical contract manufacturing is a huge sector with a large number of integrated services. Some of the services include Active Pharmaceutical Ingredient (API) manufacturing, Final Dosage Form (FDF) manufacturing, advanced drug delivery products, OTC medicines and nutritional product, packaging, and others. FDF comprises solid dose formulations, semi-solid and liquid dose formulations, and injectables. Similarly, medical device contract manufacturing also includes different services such as outsourcing design, device manufacturing, final goods assembly, and others. Device manufacturing services comprise material process services, electronic manufacturing services, and finished products. The market for healthcare contract manufacturing is growing at a moderate rate. This growth is mainly attributed to factors such as patent protection expiration of major drugs and medical devices, competition and economics of production and trade to favor CMO, mutual benefits to both contract manufacturer and client, and lean manufacturing and agility. These factors are pushing the growth of the healthcare contract manufacturing market. On the other hand, certain factors are restraining the growth of the market. These include supply chain complexity and issues of control of third parties, standardization and interoperability issues, and growing cost of noncompliance and counterfeit medicines. The global market for healthcare contract manufacturing is estimated to reach USD 250.9 billion by 2023, from USD 129.9 billion in 2016. The market is projected to register a CAGR of 9.86%, during the forecast period of 2017 to 2023. On the basis of type, the market for healthcare contract manufacturing is segmented into sterile contract manufacturing and non-sterile contract manufacturing. By type, the market for non-sterile contract manufacturing accounted for the largest market share in 2016. On the basis of service type, the market for healthcare contract manufacturing is segmented into pharmaceutical contract manufacturing and medical device contract manufacturing. By service type, the market for pharmaceutical contract manufacturing accounted for the largest market share in 2016. On the basis of industry, the market is segmented into pharmaceutical, medical device, and biopharmaceutical; where the pharmaceutical industry accounted for the largest market share in 2016.Key Players The key players for the healthcare contract manufacturing market are AbbVie, Boehringer Ingelheim, Grifols International, S.A, Lonza AG, Catalant, Aesica Pharmaceuticals, Pharmaceutical Product Development, Pfizer Inc., Baxter Biopharma Solutions, Jubilant Life Sciences Limited, Nipro Corporation, NextPharma Technologies, Patheon, Teva Pharmaceutical Industries, Vetter Pharma International, and others. Study Objectives • To provide historical and forecast revenue of the market segments and sub-segments with respect to regional markets and their countries • To provide insights into factors influencing and affecting the market growth • To provide strategic profiling of key players in the market, comprehensively analyzing their market share, core competencies, and drawing a competitive landscape for the market • To provide economic factors that influence the global healthcare contract manufacturing marketTarget Audience • Pharmaceutical and Medical Device Industries • Potential Investors • Key Executive (CEO and COO) and Strategy Growth Manager • Research Companies Key Findings • The major market players in the global healthcare contract manufacturing market are AbbVie, Boehringer Ingelheim, Grifols International, and S.A, Lonza AG • Abbvie accounted for more than 18% share of the global healthcare contract manufacturing market • Based on type, non-sterile contract manufacturing commanded the largest market share in 2016 and was valued at USD 95.8 billion in the same year • Based on service type, the pharmaceutical contract manufacturing segment commanded the largest market share in 2016 and was valued at USD 73.1 billion in the same year • On the basis of region, the American region is projected to be the fastest growing region, at a CAGR of 10.3% during the forecast periodTable of Content: Key Points 1 Report Prologu \ No newline at end of file diff --git a/input/test/Test3214.txt b/input/test/Test3214.txt new file mode 100644 index 0000000..ef194ca --- /dev/null +++ b/input/test/Test3214.txt @@ -0,0 +1,9 @@ +Real Estate Technology provides exciting payment options for real estate investments Technology is now enabling real estate purchases through currencies like bitcoin, expanding numerous possibilities for buyers and sellers online August 17, 2018 Technology has enabled a new avenue for real estate investment. (Image: iStock) +The sale of 500 Bitcoin that belonged to a Chinese billionaire resulted in the purchase of a 100,000 square-foot mansion in Los Gatos. The area is known for its multi-million dollar properties, lack of bad breeding, and a fleet of fancy cars that would rival Dubai. Something that previously seemed ludicrous, is now a reality as the internet commodity is used to purchase assets. Soon, this will open the door for property investments from Abu Dhabi to the UK. +Greater Possibilities for Buyers and Sellers +Estate agents who have upped the ante are setting the bar in terms of acceptable payment methods. Bitcoin payments facilitated through Ubiquity, bitpay, and Ibrea takes the unnecessary step of selling coins first out of the purchase process. The transaction will work much like a forex transaction, where a rate is calculated on a specific date and processed, irrespective of market changes that may occur thereafter. The platform is also ideal for those who have property, but don't necessarily want to go the traditional route and prefer earning cryptocurrency for the sale of their asset. +It All Happens Online +With the help of payment platforms such as BitPay, estate agents are finding it easier to get a more international client base on board who wish to fulfill their transactions with cryptocurrencies. This also opens the possibility of an entirely electronic process from start to finish. Estate agents have already touched on this with the use of technology to promote their properties such as high-definition property videos that all potential clients to view their entire property online. There is also the added advantage of laser-scanning equipment to ensure the structural integrity of the property and its correlation to the house plans. As more and more vendors are becoming open to the idea of receiving Bitcoin as a method of payment, buyers and payers might be able to pay for these services with cryptocurrencies too. +Bitcoin-Backed Loan Alternative for the Traditional Mortgage +Buyers may not have to sacrifice their Bitcoins when purchasing properties, as they would still go the traditional finance route. The loan would be backed by Bitcoin, however, as opposed to a mortgage over the property. For the home buyer, this means that in the event of financial difficulty they won't have to face foreclosure on the property as the Bitcoin will be the security instrument. For the financial institution, this can be a remarkable risk which could affect the price of the loan. Another reason for bypassing the direct payment with Bitcoin is a valid consideration, are the hefty tax implications if those Bitcoins enjoyed substantial appreciation. Ceding the cryptocurrencies to a financial institution will ensure that the owner still remains the owner as long as they're keeping up with their installments, which means both assets are in hand. +Those who were able to secure Bitcoin before the massive boom are able to cash in on their lucrative commodity investment by purchasing property, thanks to a few estate agencies who color outside the lines. Not only are they able to increase their asset holdings, but also potentially avoid hefty taxes with smart transactions \ No newline at end of file diff --git a/input/test/Test3215.txt b/input/test/Test3215.txt new file mode 100644 index 0000000..4b3b39d --- /dev/null +++ b/input/test/Test3215.txt @@ -0,0 +1 @@ +This is a Gigajob job posting for: Assistant Merchandiser (#1,077,803,900) Job offer #1,077,803,900 in Singapore Job Responsibilities : To assist in preparing all types of merchandising reports. To maintain development process with merchandiser to ensure timely completion. To finalize pricing and margins with sales, planning, sourcing and management in order to increase the marketing strategies. To coordinate meetings date and time. To understand the customer target by category, shop competition, identify white space opportunities. To collaborates with Merchandise Planner to create seasonal unit plans based on buyer's assortment. To visit stores on regular basis in order to gain a better understanding of our consumers and specific store product needs. Job Requirements : Candidate must be possess at least Diploma/Degree in Business Study or equivalent. At least 2 years of working experience in the related field. Strong written and verbal communication skills Ability to prioritize and multitask. Strong analytical and decision making skills. Ability to interact with varying personalities. The Company Broadland Garment Industries Sdn Bhd Job Detail \ No newline at end of file diff --git a/input/test/Test3216.txt b/input/test/Test3216.txt new file mode 100644 index 0000000..6318f3a --- /dev/null +++ b/input/test/Test3216.txt @@ -0,0 +1,8 @@ +Major medical congresses to be held in Frankfurt Jun 18, 2018 Download press material +Frankfurt, represented by the Frankfurt Convention Bureau of the city's information centre Tourismus+Congress GmbH and Messe Frankfurt, has succeeded in securing two internationally renowned medical congresses for Frankfurt. The European Society for Blood and Marrow Transplantation (EBMT) and the European League Against Rheumatism (EULAR) have opted to hold their congresses in Frankfurt, choosing the city over a number of high-profile European alternatives. The annual convention of the European Society for Blood and Marrow Transplantation (EBMT), which will be attended by an estimated 6,000 participants, is to be held at Messe Frankfurt's locations between 24 and 27 March 2019. The European League Against Rheumatism (EULAR) convention, one of the largest European medical conventions with 15,000 participants, will then be held in Frankfurt between 3 and 6 June 2020. +This successful outcome can be attributed to the joint efforts of the city, the convention location and the scientific representatives – as well as to the locational advantages, i.e. reachability, infrastructure and the quality and capacity of the venues. +Thomas Feda, Managing Director of Tourismus+Congress GmbH Frankfurt am Main: "We are proud that our efforts to position Frankfurt as a city with great charm, an excellent choice of hotels, tourism sights, shopping, art, culture, cuisine and an appealing cosmopolitan outlook have borne fruit. This has led to our city establishing itself in the eyes of the world as a medical conference venue as well." Uwe Behm, Member of the Executive Board of Messe Frankfurt GmbH, who is responsible for the entire congress business, adds: "We are very pleased at the success of these joint efforts, which once again show the advantages we offer and the excellent image we have as an international congress location. Our contribution to this is our expansive, state-of-the-art exhibition grounds with flexible and diverse conference facilities right in the heart of the city – something that not many other European congress destinations can offer. As well as this, we offer a wide and customised spectrum of first-class services, ranging from logistics and catering to sophisticated technology for events of all kinds. +The fact that both European congresses are to be held in Frankfurt is also thanks to the hard work and commitment of the city's congress ambassadors – Prof. Peter Bader (Head of Stem Cell Transplantation and Immunology at the Clinic for Paediatric and Adolescent Medicine, Frankfurt University Hospital), Prof. Thomas Klingebiel (Director of the Clinic for Paediatric and Adolescent Medicine, Frankfurt University Hospital) and Prof. Ulf Müller-Ladner (Kerckhoff-Klinik GmbH, Department of Rheumatology, Bad Nauheim) – who were tireless in their efforts to promote Frankfurt as a centre for medical conferences. +As Prof. Ulf Müller-Ladner asserts: "We are regularly involved in organising national and international medical conventions, sometimes with more than 15,000 participants. From this experience, I can safely say that Frankfurt is in the Champions League of international congress destinations. The support provided by the well coordinated team of the City of Frankfurt and Messe Frankfurt shows the professionalism of the partners, as could be seen to great effect when the Rheumatology Congress was held in Frankfurt in 2016. As well as Frankfurt's unrivalled location in the centre of Europe with its own major airport, its locational advantages include the motorway junction and Europe-wide Intercity Express hub." Messe Frankfurt, photographer: Pietro Sutera +Background information on Messe Frankfurt Messe Frankfurt is the world's largest trade fair, congress and event organiser with its own exhibition grounds. With more than 2,500* employees at some 30 locations, the company generates annual sales of around €661* million. Thanks to its far-reaching ties with the relevant sectors and to its international sales network, the Group looks after the business interests of its customers effectively. A comprehensive range of services – both onsite and online – ensures that customers worldwide enjoy consistently high quality and flexibility when planning, organising and running their events. The wide range of services includes renting exhibition grounds, trade fair construction and marketing, personnel and food services. With its headquarters in Frankfurt am Main, the company is owned by the City of Frankfurt (60 percent) and the State of Hesse (40 percent). * preliminary numbers 2017 +Background information on the Frankfurt Convention Bureau The Frankfurt Convention Bureau is a business unit belonging to the Frankfurt Tourist+Congress Board. Its staff are specialised in offering comprehensive advice and a wide variety of services for planning and realising congresses, conferences, seminars, incentives and other types of special events in Frankfurt and the Rhine-Main region. An experienced team of industry experts is ready to support event organisers from beginning to end, whether the task at hand is promoting a congress, finding a suitable location for an evening event or securing reduced-price public transport tickets for conference and congress participants. One of the Convention Bureau's key business areas is its free room reservation service, which arranges special room allotments for events of every size and variety. The service basically consists of the Frankfurt Convention Bureau pre-booking guest-rooms at hotels of diverse categories, both in Frankfurt and the surrounding region, which are then booked by congress and conference participants individually \ No newline at end of file diff --git a/input/test/Test3217.txt b/input/test/Test3217.txt new file mode 100644 index 0000000..6dc56ed --- /dev/null +++ b/input/test/Test3217.txt @@ -0,0 +1 @@ +This is a Gigajob job posting for: Sales Assistant Manager/Executive (#1,077,803,923) Job offer #1,077,803,923 in Singapore Job Responsibilities : Formulate and develop sales tactics strategies, and procedures for effective implementation of approved policies. Conduct sales and promotional programmes, market development and planning activities. Provide positive leadership and maintain a high level of moral within the group, while managing all resources within expenses to revenue guidelines. Ensure sales personnel achieve market share objectives, sales and profit goals and objectives. Prepare annual sales forecast, budgets and sales programmes. Supervise, control and motivate sales personnel so to ensure performances objectives are realized. Liaise with Finance Department on the collection of debts. Provide quality service to obtain activities within the assigned accounts and their locations. Explore raw businesses in the are by aggressive marketing strategy. Job Requirements : Minimum Diploma in Business Administration or Marketing/Sales. At least three (3) years of working experience in similar capacity. Candidate with age 30-40 years old. Have experience support Japanese Customer. Willing to travel overseas & domestic. Skill Required : Must be able to speak & write in Japanese and Chinese. Good communication and presentation skills To read and write a report. Know how to fill and record data. Planning and holding a meeting. Have an analytical and innovative mind. Negotiation skills \ No newline at end of file diff --git a/input/test/Test3218.txt b/input/test/Test3218.txt new file mode 100644 index 0000000..b7f4941 --- /dev/null +++ b/input/test/Test3218.txt @@ -0,0 +1,16 @@ +Marc Shoffman On August 16, 2018 +INVESTORS are cautious about putting money into property, a survey has found, despite separate research showing that the sector has been a solid investment over the last 50 years. +A poll of 1,000 investors commissioned by Rathbone Investment Management found more than a third of those with between £1,000 and £100,000 no longer view property as a good investment, due to recent tax and regulatory changes in the buy-to-let sector. +"Recent changes to the tax and regulatory treatment of buy-to-let has caused investors to take a step back and assess the viability of these investments," Robert Hughes-Penney, investment director at Rathbones, said. +"Whilst it's understandable that property, and in particular residential property, has been a popular investment in the past, it's now making less and less sense. Not only are the returns now being impacted by an increased rate of tax, but they can also prove high risk investments due to a lack of diversification. +"Property investments require a large amount of capital to be held in one single asset and landlords will often hold a number of properties within one region. +"Investors who are looking to invest in property, should make sure to assess their risk appetite, look at all alternative options and make sure this property is held within a well-diversified portfolio of investments." +Read more: FCA home finance proposals are a "vindication" for P2P property space +However, separate research from peer-to-peer lender British Pearl found that returns from property consistently hold up to scrutiny. +Its research revealed that investors have made a profit from buy-to-let properties 83 per cent of the time over any five-year period during the past half-century. +The only periods in which house prices fell were during some of the UK's most challenging economic downturns. They included 1989, 1990, 1991 — while Britain was grappling with the recession of the early 1990s — as well as 2007 and 2008. +Read more: Navigating through the P2P property maze +The sharpest fall in house prices occurred between 2007 and 2012 when average UK values slumped by 7.9 per cent, British Pearl said. +"This research shows investors who play their cards right and hold their nerve in the midst of economic or political upheaval are still likely to come out on top," James Newbery, investment manager at British Pearl, said. +"History shows us that investors who are prepared to weather storms rather than run for cover are still able to make strong returns at times from investments that present a very limited risk of loss. +"While our analysis shows housing has been a solid investment over time, we know that returns can be bolstered with careful property selection, identifying regional trends and areas of rental yield strength. \ No newline at end of file diff --git a/input/test/Test3219.txt b/input/test/Test3219.txt new file mode 100644 index 0000000..3241d9c --- /dev/null +++ b/input/test/Test3219.txt @@ -0,0 +1,13 @@ +0 +Lahore: Pakistan cricket banned former Test opener Nasir Jamshed for ten years on Friday on multiple charges of spot fixing, wrapping up a 16-month investigation into a wide-ranging scandal that rocked the Pakistan Super League. +Jamshed, 28, is the sixth player to be banned following the scandal that tainted the T20 tournament in only its second year, and was described by cricket authorities as its lynchpin. +"Today's decision against Jamshed wraps up the fixing saga and the tribunal has banned him for ten years on multiple charges," said Pakistan Cricket Board (PCB) legal adviser Taffazul Rizvi in footage shared by the PCB on Twitter. File image of Nasir Jamshed. Reuters +Spot-fixing refers to illegal activity in a sport where a specific part of a game is fixed, unlike match-fixing, where the whole result is fixed. +Jamshed was first banned for 12 months in December last year after he was found guilty of non-cooperation with the tribunal investigating allegations of spot-fixing. +This year, he faced five further charges related to fixing, all of which were proven said Rizvi, who said it was "a matter of sadness that another player has spoiled his career." +Swashbuckling opener Sharjeel Khan, Khalid Latif, Mohammad Irfan, Mohammad Nawaz, and Nasir Jamshed have also been given bans of varying lengths. +Regarded as a talented left-hander, Jamshed played two Tests, 48 one-day and 18 T20Is for Pakistan. He hit three consecutive ODI hundreds against India in 2012. +His career nosedived during the 2015 World Cup where he was found overweight and mocked at during fielding, managing just five runs in three matches. +Jamshed and his lawyer Hasan Warraich had rejected the charges. +Rizvi said Jamshed will not be allowed to hold any office even after the ban expires. +"His name will be put on the list of avoided people," he said. Updated Date: Aug 17, 2018 03:17 P \ No newline at end of file diff --git a/input/test/Test322.txt b/input/test/Test322.txt new file mode 100644 index 0000000..a04cfd4 --- /dev/null +++ b/input/test/Test322.txt @@ -0,0 +1,25 @@ +DUBLIN- The "Continuous Integration Tools Market by Deployment Mode (On-premises & Cloud), Organization Size, Vertical (BFSI, Telecommunications, Media & Entertainment, Retail & eCommerce, Healthcare, Manufacturing, Education) & Region - Global Forecast to 2023" report has been added to ResearchAndMarkets.com's offering. +The market for continuous integration tools is expected to grow from USD 483.7 million in 2018 to USD 1,139.3 million by 2023, at a Compound Annual Growth Rate (CAGR) of 18.7% during the forecast period. +The automation of software development process to quickly release software application is a major growth factor for the CI tools market. As the time-to-market (TTM) is accelerated, organizations are focusing on quick release of software updates to the market. Thus, CI tools can help organizations enhance developer productivity. +The traditional integration method is expected to pose a challenge for the growth of CI tools market. Organizations have long been using traditional method to integrate the code at source. Also, it is difficult to convince developers to adopt CI, due to their habitual style of working by other means. Organizations with set processes, tools, and skills to run tasks will resist changes that challenge the existing practices. These factors may act as a barrier in the adoption of CI tools in the software development practices. +Based on the organization size, the continuous integration tools market is segmented into small and medium-sized enterprises (SMEs) and large enterprises. The adoption of CI tools is expected to grow among SMEs, as SMEs have started realizing the benefits of deploying CI tools to achieve customer satisfaction and gain a competitive advantage. The huge traction of CI tools among the SMEs is expected to help their businesses in scaling up and growing faster. +Key Topics Covered +1 Introduction +2 Research Methodology +3 Executive Summary +4 Premium Insights +5 Market Overview and Industry Trends +6 Continuous Integration Tools Market, By Deployment Mode +7 Continuous Integration Tools Market, By Organization Size +8 Continuous Integration Tools Market, By Vertical +9 Continuous Integration Tools Market, By Region +10 Competitive Landscape +11 Company Profiles +IBM Atlassian Red Hat CA Technologies Puppet Cloudbees AWS Microsoft Oracle Micro Focus Circleci Jetbrains Shippable Electric Cloud Smartbear vSoft Technologies Autorabit Appveyor Drone.io Rendered Text Bitrise Nevercode Travis Ci PHPCI Buildkite For more information about this report visit https://www.researchandmarkets.com/research/j7zqn8/1_1billion?w=4 +Contacts ResearchAndMarkets.com +Laura Wood, Senior Manager +press@researchandmarkets.com +For E.S.T Office Hours Call 1-917-300-0470 +For U.S./CAN Toll Free Call 1-800-526-8630 +For GMT Office Hours Call +353-1-416-8900 +Related Topics: Software Design and Developmen \ No newline at end of file diff --git a/input/test/Test3220.txt b/input/test/Test3220.txt new file mode 100644 index 0000000..df1575e --- /dev/null +++ b/input/test/Test3220.txt @@ -0,0 +1,6 @@ +Tweet +Roku Inc (NASDAQ:ROKU) CEO Anthony J. Wood sold 370,486 shares of the firm's stock in a transaction dated Tuesday, August 14th. The stock was sold at an average price of $57.10, for a total value of $21,154,750.60. The transaction was disclosed in a document filed with the SEC, which can be accessed through the SEC website . +Shares of ROKU stock opened at $57.05 on Friday. The company has a market cap of $5.78 billion and a price-to-earnings ratio of -25.47. Roku Inc has a 12-month low of $15.75 and a 12-month high of $60.65. Get Roku alerts: +Several analysts recently commented on ROKU shares. BidaskClub raised Roku from a "hold" rating to a "buy" rating in a report on Saturday, June 16th. Zacks Investment Research raised Roku from a "hold" rating to a "buy" rating and set a $40.00 target price on the stock in a report on Tuesday, May 22nd. Needham & Company LLC reaffirmed a "buy" rating and set a $60.00 target price (up from $50.00) on shares of Roku in a report on Monday, July 23rd. Morgan Stanley raised Roku from an "underweight" rating to an "equal weight" rating and set a $32.00 target price on the stock in a report on Tuesday, May 29th. Finally, ValuEngine raised Roku from a "sell" rating to a "hold" rating in a report on Saturday, June 2nd. Eight equities research analysts have rated the stock with a hold rating, seven have assigned a buy rating and one has given a strong buy rating to the company's stock. The company currently has an average rating of "Buy" and a consensus target price of $50.68. Hedge funds have recently modified their holdings of the business. SevenBridge Financial Group LLC purchased a new position in Roku during the second quarter worth approximately $158,000. Thompson Davis & CO. Inc. boosted its position in Roku by 280.3% during the first quarter. Thompson Davis & CO. Inc. now owns 3,803 shares of the company's stock worth $118,000 after purchasing an additional 2,803 shares in the last quarter. BNP Paribas Arbitrage SA purchased a new position in Roku during the first quarter worth approximately $156,000. Gabelli Funds LLC purchased a new position in Roku during the second quarter worth approximately $213,000. Finally, Cynosure Advisors LLC purchased a new position in Roku during the second quarter worth approximately $217,000. Institutional investors own 18.16% of the company's stock. +Roku Company Profile +Roku, Inc operates a TV streaming platform. The company operates in two segments, Player and Platform. Its platform allows users to search, discover, and access approximately 500,000 movies and TV episodes, as well as live sports, music, news, and others. As of December 31, 2017, the company had 19.3 million active accounts \ No newline at end of file diff --git a/input/test/Test3221.txt b/input/test/Test3221.txt new file mode 100644 index 0000000..47bb756 --- /dev/null +++ b/input/test/Test3221.txt @@ -0,0 +1,18 @@ +Home / News / AP Moller-Maersk to list Maersk Drilling AP Moller-Maersk to list Maersk Drilling 35 mins ago News A.P. Møller – Mærsk A/S (A.P. Moller – Maersk) has decided to pursue a separate listing of Maersk Drilling Holding A/S (Maersk Drilling) on Nasdaq Copenhagen A/S in 2019. +Having evaluated the different options for Maersk Drilling, A.P. Moller – Maersk has concluded that listing Maersk Drilling as a standalone company presents the most optimal and long-term prospects for its shareholders, offering them the possibility to participate in the value creation opportunity of a globally leading pure play offshore drilling company with long-term development prospects. +The process has been initiated to ensure that Maersk Drilling is operationally and organisationally ready for a listing in 2019. As part of the preparation, debt financing of USD 1.5bn from a consortium of international banks has been secured for Maersk Drilling to ensure a strong capital structure after a listing. Further details for a listing will be announced at a later stage. Separation of the oil & oil related businesses +The decision on the future of Maersk Drilling marks a milestone in the business transformation of A.P. Moller – Maersk towards becoming an integrated transport & logistics company as announced on 22 September 2016. +The target was set to find new viable solutions for the oil and oil related businesses within 24 months. During the past two years solutions for Maersk Oil and Maersk Tankers have been found and today the plan to list Maersk Drilling is announced. +For Maersk Supply Service, the pursuit of a solution will continue. However due to challenging markets, the timing for defining a solution is difficult to predict. +Chairman of the A.P. Moller – Maersk Board of Directors, Jim Hageman Snabe says: +"The Maersk Drilling team has done a remarkable job operating the business at a time of high uncertainty and is well positioned to become a successful company on Nasdaq Copenhagen. The announcement of the intention to list Maersk Drilling completes the decision process on the structural solutions for the major oil and oil related businesses. Yet another important step in delivering on the strategy." Capital structure and proceeds from the oil & oil related businesses +A.P. Moller – Maersk remains committed to maintaining its investment grade rating which is demonstrated by increased capital discipline over the last two years combined with maintaining a high financial flexibility. +Net cash proceeds to A.P. Moller-Maersk from separation of Maersk Oil, Maersk Tankers and now expected Maersk Drilling is around USD 5bn. Maersk Drilling's separate financing is expected to release cash proceeds of around USD 1.2bn to A.P. Moller – Maersk. +In addition, A.P. Moller-Maersk sold Total S.A. shares for an aggregated amount of around USD 1.2bn during July 2018. This represents the increase in value since signing of the sale of Maersk Oil in August 2017. A.P. Moller – Maersk retains 78.3 million shares in Total S.A. with a current aggregated value of around USD 5bn. +Subject to maintaining investment grade rating it is now expected that: Maersk Drilling will be demerged via a listing in 2019 with distribution of Maersk Drilling shares to A.P. Moller – Maersk's shareholders Following the demerger of Maersk Drilling a material part of the remaining Total S.A. shares will be distributed to A.P. Moller – Maersk's shareholders in cash dividends, share buy-backs or as a distribution of the Total S.A shares directly +Growing, digitizing and integrating across transport and logistics +The overall transport and logistics business has grown significantly over the last two years – both organically and inorganically through the acquisition of Hamburg Süd. A turnover close to USD 40bn is expected for 2018, equaling an increase of almost 50 percent since 2016. The non-Ocean business is as planned growing organically at a higher pace than the Ocean business. +Synergies are being realised as expected and the business is on track to deliver around USD 1bn by end 2019 from integration of Hamburg Süd and increased collaboration across the transport and logistics business. +"With the decision made on Maersk Drilling, A.P. Moller – Maersk can stay focused on transitioning into an integrated transport and logistics company and developing solutions to meet our customers end-to-end supply chain management needs. New value adding services as well as customer experience are improving continuously based on digital solutions. We will continue to grow revenue with a specific focus on non-Ocean revenue and at the same time improve our current unsatisfactory level of profitability," says CEO of A.P. Moller – Maersk, Søren Skou. +Chairman of the A.P. Moller – Maersk Board of Directors, Jim Hageman Snabe continues: +"The Board initiated the fundamental business transformation of A.P. Moller – Maersk almost two years ago. This is a massive undertaking touching all parts of our company globally and I would like to thank the management for progressing on many strategic efforts in parallel." Source: Maers \ No newline at end of file diff --git a/input/test/Test3222.txt b/input/test/Test3222.txt new file mode 100644 index 0000000..d5447dc --- /dev/null +++ b/input/test/Test3222.txt @@ -0,0 +1,2 @@ +12 days left! +A rapidly growing software and application provider to a niche industry.Based on the Surrey to London boarder, this company is keen to hire an Application Support Developer. You would be working to analyse and troubleshoot issues raised to the support desk, as well as designing, developing and delivering code to streamline support operations.They are an Adobe Silver partner and offer a professional, collaborative and friendly environment, where hard work and innovation produce great software. Your main responsibilities in this role will be to:- Analyse, troubleshoot and resolve support issues- Design, develop and deliver application functionality- Implement solutions according to best coding practices- Ensure test coverage is metEssential Skills:- A 2.1 equivalent or above degree- Understanding of relational databases, ideally SQL- Ideally experience with C#.net and JavaScript or similarDesired Skills \ No newline at end of file diff --git a/input/test/Test3223.txt b/input/test/Test3223.txt new file mode 100644 index 0000000..1649901 --- /dev/null +++ b/input/test/Test3223.txt @@ -0,0 +1 @@ +Turkish lira recovery at risk after Donald Trump threatens sanctions Caitlin Morrison Reblog The Turkish lira has recovered some of its recent losses against the dollar this week, but analysts warned the currency is in for a bumpy ride as the US threatened to impose sanctions on Turkey. The lira rose to 5.8 per dollar, a significant improvement from its record low of 7.23 per dollar, aided by a $15bn (£12bn) investment by Qatar. However, analysts warned that sanction threats could mean more volatility in the lira lies ahead. The US and Turkey are currently locked in a diplomatic dispute over the detention of American pastor Andrew Brunson , who is accused of playing a role in a failed coup in Ankara two years ago. On Thursday, the US Treasury secretary Steven Mnuchin told President Trump that sanctions were ready to be put in place if Mr Brunson was not freed. Mr Trump later said in a tweet that the US would "pay nothing for the release of an innocent man" adding that the US is "cutting back on Turkey". Turkey has taken advantage of the United States for many years. They are now holding our wonderful Christian Pastor, who I must now ask to represent our Country as a great patriot hostage. We will pay nothing for the release of an innocent man, but we are cutting back on Turkey! — Donald J. Trump (@realDonaldTrump) August 16, 2018 "While the lira has scope to claw back more losses, gains may be capped by the ongoing uncertainty," warned Lukman Otunuga, research analyst at FXTM. Meanwhile, Per Hammarlund, chief emerging markets strategist at SEB, said the rebound in the lira is expected to be temporary because "the basic reasons for... weakness are still in place". "The selloff will resume in the absence of a major shift in economic policy-making in Turkey," he said. "Turkish finance minister Berat Albayrak continues to reassure investors that Turkey will address its structural problems, but at this stage crisis measures, including sharply higher policy rates, a tightening of fiscal policy and support to troubled sectors such as construction, retail and banking will be key. In sum, the economy is set to slow down sharply." Mr Hammarlund added: "Unless the government introduces an austerity programme within the next weeks, an event such as sharply higher inflation (likely) or a large fine on Halkbank for violating US sanctions on Iran (possible) could trigger a full-blown balance of payments crisis, followed by a banking crisis. "So far, the government has shown few signs of being willing to change course, either on economic policy or in its relations with the US. The lira is in for a bumpy ride. \ No newline at end of file diff --git a/input/test/Test3224.txt b/input/test/Test3224.txt new file mode 100644 index 0000000..0cac7af --- /dev/null +++ b/input/test/Test3224.txt @@ -0,0 +1,11 @@ +Social media stars investigated for not labelling commercial posts Competition and Markets Authority (CMA) is investigating celebrities and social media influencers for failing to disclose brand deals, as influencer marketing becomes more popular way of brands reaching audiences. +The investigation will look at concerns social media stars are not properly declaring and labelling when they are paid to endorse products. +It is also worried followers may place trust in a product endorsed by a star and may think it is their own personal view. Online endorsements from celebrities and influencers can help brands reach target audiences and boost sales. +Media influencers like Kylie Jenner, Selena Gomez, and footballer Cristiano Ronaldo can earn hundreds of thousands of pounds for an endorsement. There is no suggestion that any of these celebrities are involved in any wrongdoing or are being investigated. Jenner commands $1m (£760k) per Instagram post, according to UK social media marketing firm Hopper HQ. +George Lusty, the CMA's senior director for consumer protections, said: "Social media stars can have a big influence on what their followers do and buy. If people see clothes, cosmetics, a car, or a holiday being plugged by someone they admire, they might be swayed into buying it. +"So, it's really important they are clearly told whether a celebrity is promoting a product because they have bought it themselves, or because they have been paid or thanked in some way by the brand." +The CMA said it has seen examples of posts which appear to promote or endorse products without clearly stating if the post has been paid for. +Analysis +Yuval Ben-Itzhak, CEO of social media marketing firm Socialbakers, highlights how brands MUST become more transparent and authentic in order to earn the trust of customers. +"As we see the platforms working hard to make sure that they are free of digital pollution and more transparent for the user, we are also seeing the same trend happening in the world of influencer marketing," Ben-Itzhak said. "Influencer marketing on Instagram is now one of the fastest growing marketing trends and as such it is increasingly under the spotlight. +"More and more responsibility is falling on brands to make sure they are selecting their influencer partners wisely and that they are being transparent about which influencer posts have been paid for. This transparency is key because customers are placing increasingly significant value on authenticity. If brands want to build and retain customer trust, they need to be transparent with their audiences about the posts they are paying for and the influencers they are working with. \ No newline at end of file diff --git a/input/test/Test3225.txt b/input/test/Test3225.txt new file mode 100644 index 0000000..f1e5538 --- /dev/null +++ b/input/test/Test3225.txt @@ -0,0 +1,3 @@ +By IC Writers +It's a curious time to be an investor, or an investment writer for that matter. Many familiar assumptions are under scrutiny because of fiscal policy initiatives undertaken in the wake of the global financial crisis. Those initiatives, labelled "the greatest monetary experiment in the history of the world" by Jacob Rothschild, have been accompanied by tightening regulation in a host of industries. The challenge for investors is in determining where their influence gives way to normal market fundamentals. To continue reading, subscribe today +and enjoy unlimited access to the following: Tips of the Week Weekly features on big investment themes Trading idea \ No newline at end of file diff --git a/input/test/Test3226.txt b/input/test/Test3226.txt new file mode 100644 index 0000000..7d5881d --- /dev/null +++ b/input/test/Test3226.txt @@ -0,0 +1,9 @@ +Time running out to strike Brexit deal, warns Danish minister Menu Time running out to strike Brexit deal, warns Danish minister 0 comments The Danish finance minister has echoed warnings that there is a 50% chance of the UK crashing out of the European Union without a deal. +Kristian Jensen said time is running out to strike a deal that is positive for both Britain and the EU, after Latvia's foreign minister claimed the chance of a no-deal Brexit is "50-50". +Earlier this week, Edgars Rinkevics said there was a "very considerable risk" of a no-deal scenario but stressed he remained optimistic an agreement with Britain on its withdrawal from the European Union could be reached. +Mr Jensen, appearing on BBC Radio 4's Today programme, was asked about Mr Rinkevics' remarks. +He said: "I also believe that 50-50 is a very good assessment because time is running out and we need to move really fast if we've got to strike a deal that is positive both for the UK and EU. +"Every forces who wants there to be a good deal needs to put in some effort in the months to come otherwise I'm afraid that time will run out." +He went on to describe Theresa May's Chequers plan as a "realistic proposal for good negotiations". +"We need to go into a lot of details but I think it's a very positive step forward and a necessary step," he told the programme. +Mr Jensen refused to say whether new Foreign Secretary Jeremy Hunt would be easier to work with than Boris Johnson, but said: "I do believe that we had a good co-operation with Boris and I'm sure that we will have good co-operation with Jeremy. \ No newline at end of file diff --git a/input/test/Test3227.txt b/input/test/Test3227.txt new file mode 100644 index 0000000..0d8892f --- /dev/null +++ b/input/test/Test3227.txt @@ -0,0 +1,17 @@ +Emerging-market equities are threatening to drop into bear-market territory, turning one of 2017's strongest equity categories into one of the weakest of 2018. +The MSCI Emerging Markets index has tumbled 19.8% from a peak in January. That drop puts it a hair under the 20% threshold that is generally considered to represent a bear market. +There have been several catalysts for the decline , including the U.S. dollar's 4.7% year-to-date gain. A stronger dollar is a headwind for many EM companies that borrow in the greenback and then have higher costs of paying that back as it strengthens. Friction between the United States and its major trading partners, particularly China, have also weighed on sentiment around emerging markets. +Recently, concerns about Turkey have been key. The country's currency fell to an all-time low against the dollar and its stock market fell sharply. Turkey is under pressure because of high inflation, large levels of debt and a president at odds with the country's central bank. While the Turkish lira has shown some signs of stabilizing lately, having jumped about 10% against the dollar this week, investors continue to fret over the prospect of the country's problems spilling out into other regions. +Don't miss: Another stock market risk: GDP growth is slowing across the globe +"Although we think EM contagion fears may be overdone, there has clearly been some fundamental deterioration in the space," wrote John Lynch, chief investment strategist for LPL Financial. He noted that earnings expectations for emerging-market stocks have been dropping, while forecasts for U.S. stocks have been trending higher. +Courtesy LPL Financial Despite that, Lynch suggested the recent weakness had created a buying opportunity. +"Despite the Turkey situation, EM broadly has many solid fundamentals, including economic growth, favorable demographics, and attractive valuations. We look for an eventual compromise on trade, suggesting the potential for a pivot in EM performance." He added that while the sector would likely remain volatile "as these clouds take time to clear," he thought that "investors who have maintained some exposure to EM will be glad they did." +Richard Turnill, BlackRock's global chief investment strategist, wrote that emerging-market equity valuations "have become disconnected from strong fundamentals, we believe, and offer attractive compensation for risk." +Over the past month, investors have poured $2.4 billion into exchange-traded funds that track the region, making them the second-most popular ETF category over the period, according to FactSet. The group with the highest inflows was large-capitalization U.S. stocks, the biggest ETF category overall, with $742.6 billion in assets, compared with the $154 billion in EM equities. +The iShares Core MSCI Emerging Markets ETF IEMG, +0.66% has received the bulk of those inflows, with some $2.2 billion entering the fund over the past month. The largest EM equity ETF, the Vanguard FTSE Emerging Markets ETF VWO, +0.71% has only seen slight inflows over the past month. +Emerging-market stocks have shed 10.7% over the past three months, and they are on track for a 3.8% decline for the week, per FactSet data. That would represent the index's third straight weekly drop as well as its steepest weekly decline since March. The declines have taken the index to its lowest level in about a year. +To compare, the S&P 500 SPX, +0.79% is up 6.3% thus far this year, and it is up 4.4% over the past three months. +Want news about Asia delivered to your inbox? Subscribe to MarketWatch's free Asia Daily newsletter. Sign up here. +More from MarketWatch Central Banking Briefing: What's Ahead for Rates? Meet the tech-savvy upstarts who think they can finally give Realtors a run for their money Mortgage rates tumble as housing starts to drag down the economy Ryan Vlastelica Ryan Vlastelica is a markets reporter for MarketWatch and is based in New York. Follow him on Twitter @RyanVlastelica. +We Want to Hear from You Join the conversation +Commen \ No newline at end of file diff --git a/input/test/Test3228.txt b/input/test/Test3228.txt new file mode 100644 index 0000000..f47fe58 --- /dev/null +++ b/input/test/Test3228.txt @@ -0,0 +1,2 @@ +DD: BASF SE english 22 +Notification and public disclosure of transactions by persons discharging managerial responsibilities and persons closely associated with them 17.08.2018 / 11:20 The issuer is solely responsible for the content of this announcement. 1. Details of the person discharging managerial responsibilities / person closely associated a) Nam \ No newline at end of file diff --git a/input/test/Test3229.txt b/input/test/Test3229.txt new file mode 100644 index 0000000..df3ebf9 --- /dev/null +++ b/input/test/Test3229.txt @@ -0,0 +1 @@ +This is a Gigajob job posting for: Junior IT Support (#1,077,803,879) Job offer #1,077,803,879 in Singapore Requirements: Candidate must possess at least a Diploma or Degree in IT, Computing and related disciplines. Able to communicate well in English, Chinese and Bahasa Malaysia. Cantonese speaking will be added advantage. Experience in first level customer service for cinema and mobile industry would be an added advantage.Experience in simple Linux & SQL command.Fresh graduates are encouraged Responsibilities: · Provide a single point of contact for the reporting of technical incidents and enquiries. · Perform troubleshooting and analysis on incoming issues. · Prioritise support requests based on impact & urgency to customer business and in & line with company's SLA responsetimes · Keep the customer informed of resolution & workaround progress during the incident lifecycle. · Escalate and liaise internally & externally to key personnel where problem is out of operation scope. · To perform sanity test on running systems. · Maintain operations documentations & knowledge base. The Company Golden Dynamic Enterprises (M) Sdn Bhd Job Detail \ No newline at end of file diff --git a/input/test/Test323.txt b/input/test/Test323.txt new file mode 100644 index 0000000..87e3f27 --- /dev/null +++ b/input/test/Test323.txt @@ -0,0 +1,8 @@ +Bayliss said he isn't worried about Kohli's fitness issues. (Photo: AFP) Nottingham: He might be recovering from a back injury, but Virat Kohli could become more dangerous as a player when the India skipper turns up for his team in the third cricket Test starting here on Saturday, feels England coach Trevor Bayliss. +Kohli did not take the field on the fourth day of the second Test because of a back injury. However, he batted in the second innings even though he looked in discomfort. +Bayliss said he isn't worried about Kohli's fitness issues. +"It could mean he's more of a dangerous player. Through history there are a lot of players who have played with an injury and scored runs and taken wickets," Bayliss said. +"I don't know if that focuses the mind more but I have just seen him take some slip catches without any problems, so I'm sure he'll be playing. That won't change our approach to the way we play him." +Bayliss hoped the conditions at Trent Bridge would be similar to Lord's. +"I haven't been out there but normally there is a bit of swing around. We're looking forward to it being the same as Lord's. That would be nice," he added. +end-o \ No newline at end of file diff --git a/input/test/Test3230.txt b/input/test/Test3230.txt new file mode 100644 index 0000000..f6f8570 --- /dev/null +++ b/input/test/Test3230.txt @@ -0,0 +1 @@ +This is a Gigajob job posting for: Junior Business Assistant (#1,077,803,888) Job offer #1,077,803,888 in Singapore To assist the Business Development Team on the sales and marketing strategy and contribute to the planning, co-ordination and delivery of Business Development activity. Responsibilities: - Provide day-to-day support to the BD Manager on various BD and marketing initiatives. - Assist in the coordination and distribution of marketing tools, including client invitation, alerts, newsletter and corporategifts - Event set-up, attendance and management, including sourcing meetings beforehand and following up afterwards - Provide sales administration, maintain and update various internal tracking documents and systems - Provide translation from Chinese to English and vice versa (Priority) - Coordinate with presales activities ie preparing demo and presentation, follow up with quotation and contracts - Coordinate with the creation of marketing materials for various social media platform and website Requirements: - University graduate with 1 year experience in relevant business / marketing context - Excellent command of both written and spoken English andChinese - Responsible, well organized, with a can do attitude - Good command of PC software (e.g. MS Office) and typing skills (Chinese & English word processing) (Priority) The Company LEMON SKY ANIMATION SDN BHD Job Detail \ No newline at end of file diff --git a/input/test/Test3231.txt b/input/test/Test3231.txt new file mode 100644 index 0000000..2c715f2 --- /dev/null +++ b/input/test/Test3231.txt @@ -0,0 +1,6 @@ +By The Trader +Reuters reported yesterday that internet shopping giant Amazon is rumoured to be thinking of launching its own insurance comparison web-site. The aim is not only to compete with the likes of Moneysupermarket and confused.com, but to leverage the personal data collected. It would probably start with extensions to manufacturer warranties. +UK July retail sales data published yesterday saw the expected increase in food and drink consumption thanks to football's World Cup and the warm weather. Overall sales on the month increased by 0.7 per cent, reversing June's 0.5 per cent slump; non-food items rose by just 0.3 per cent and footfall on the high street fell. +DAX 30 +A pathetic attempt at a bounce yesterday has kept the MACD steadily bearish. A weekly close below 12000 should add downside momentum until month-end. +SHORT TERM TRADER: Short at 12635; stop above 12930. Target 12200 \ No newline at end of file diff --git a/input/test/Test3232.txt b/input/test/Test3232.txt new file mode 100644 index 0000000..7c08e2f --- /dev/null +++ b/input/test/Test3232.txt @@ -0,0 +1,6 @@ +Tweet +Roku Inc (NASDAQ:ROKU) CEO Anthony J. Wood sold 370,486 shares of the firm's stock in a transaction on Tuesday, August 14th. The stock was sold at an average price of $57.10, for a total value of $21,154,750.60. The transaction was disclosed in a document filed with the SEC, which is available through the SEC website . +ROKU stock opened at $57.05 on Friday. The firm has a market cap of $5.78 billion and a price-to-earnings ratio of -25.47. Roku Inc has a 52-week low of $15.75 and a 52-week high of $60.65. Get Roku alerts: +Hedge funds and other institutional investors have recently modified their holdings of the company. Thompson Davis & CO. Inc. grew its stake in shares of Roku by 280.3% in the first quarter. Thompson Davis & CO. Inc. now owns 3,803 shares of the company's stock valued at $118,000 after buying an additional 2,803 shares in the last quarter. BNP Paribas Arbitrage SA acquired a new stake in shares of Roku in the first quarter valued at $156,000. SevenBridge Financial Group LLC acquired a new stake in shares of Roku in the second quarter valued at $158,000. Wealthcare Advisory Partners LLC grew its stake in shares of Roku by 5,900.0% in the first quarter. Wealthcare Advisory Partners LLC now owns 6,000 shares of the company's stock valued at $187,000 after buying an additional 5,900 shares in the last quarter. Finally, Prime Capital Investment Advisors LLC acquired a new stake in shares of Roku in the first quarter valued at $202,000. 18.16% of the stock is owned by institutional investors and hedge funds. Several research firms have issued reports on ROKU. DA Davidson raised their target price on Roku to $44.00 and gave the stock a "neutral" rating in a research note on Friday, August 10th. BidaskClub cut Roku from a "buy" rating to a "hold" rating in a research note on Tuesday, June 26th. Citigroup raised their target price on Roku from $40.00 to $50.00 and gave the stock a "neutral" rating in a research note on Thursday, August 9th. Loop Capital raised their target price on Roku to $43.00 and gave the stock a "hold" rating in a research note on Monday, August 6th. Finally, KeyCorp raised their target price on Roku from $54.00 to $67.00 and gave the stock an "overweight" rating in a research note on Thursday, August 9th. Eight investment analysts have rated the stock with a hold rating, seven have issued a buy rating and one has assigned a strong buy rating to the company. Roku presently has an average rating of "Buy" and a consensus price target of $50.68. +Roku Company Profile +Roku, Inc operates a TV streaming platform. The company operates in two segments, Player and Platform. Its platform allows users to search, discover, and access approximately 500,000 movies and TV episodes, as well as live sports, music, news, and others. As of December 31, 2017, the company had 19.3 million active accounts. Receive News & Ratings for Roku Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Roku and related companies with MarketBeat.com's FREE daily email newsletter . Comment on this Pos \ No newline at end of file diff --git a/input/test/Test3233.txt b/input/test/Test3233.txt new file mode 100644 index 0000000..05d140f --- /dev/null +++ b/input/test/Test3233.txt @@ -0,0 +1 @@ +Medical Electronics Market Trend to 2024 Profiling - Phillips, Siemens AG, GE Healthcare, Maxim Integrated, Carestream Health, Allengers Medical Press release from: marketstudyreport.com PR Agency: marketstudyreport.com Medical Electronics Industry, Medical Electronics Market share, Medical Electronics Sales The report is a comprehensive exploration of global Medical Electronics market offering growth rates, size of the industry, competitive landscape information, factors to the contributing growth of the global Medical Electronics market and more. Medical Electronics Market is set to exceed USD 148 billion by 2024; according to a new research report. Increasing number of healthcare practitioners and rising number of community healthcare centers along with increasing adoption of better technologies for diagnosis and treatment will propel medical electronics market demand. Increasing technological advancement will drive medical electronics market growth over the forecast period. Furthermore, growing disposable income levels in developing economies along with introduction of innovative products will surge industry expansion. Request a sample of this premium Medical Electronics market Research Report @ www.marketstudyreport.com/request-a-sample/616484/ Favorable regulatory policies for expansion of medical electronics industry and healthy reimbursement environment will propel business growth. However, high-cost associated with the medical electronics will impede industry expansion. Surgical robots are widely used by surgeon for medical procedures ranging from bladder reconstruction to open heart surgeries. Lucrative return on investment and ability to save considerable time compared to conventional methods will fuel increasing surgical robots demand over the forecast period. Respiratory care devices will witness significant revenue growth owing to increasing geriatric population and increasing prevalence of COPD, Asthma and other respiratory diseases. Technological advances aimed at developing more efficient and cost effective respiratory care devices will further propel the market growth. Hospitals are adopting innovative medical electronic devices to provide improved healthcare facilities to the patients. Rising healthcare cost and growing disposable income levels will spur business growth over the forecast years. Request a discount on standard prices of this premium Medical Electronics market Research Report at www.marketstudyreport.com/check-for-discount/616484/ U.S. medical electronics market will witness significant growth owing to favorable regulatory scenario and presence of leading regional business players. Growing disposable income and rising adoption of technologically advanced products will stimulate business growth over the forecast period. Domestic medical devices companies such as Siemens, Baxter General Electric, and Philips dominates the Russian medical electronics market. Favorable business environment and increasing adoption of technologically advanced products will fuel industry expansion over the forecast years. Some of the prominent players in medical electronics industry include Phillips, Siemens AG, GE Healthcare, Maxim Integrated, Carestream Health, Allengers Medical. Industry players adopt strategies like new product development and collaborations with domestic players to strengthen their industry presence and expand their product portfolio. More Report At: www.openpr.com/news/archive/144590/marketstudyreport-com... \ No newline at end of file diff --git a/input/test/Test3234.txt b/input/test/Test3234.txt new file mode 100644 index 0000000..834941b --- /dev/null +++ b/input/test/Test3234.txt @@ -0,0 +1,2 @@ +German regulator doubtful over legal basis to impose national roaming 11:53 CET | News Germany's Federal Network Agency (BNetzA) has expressed doubts over the necessity of new regulations to support the launch of a fourth German mobile network, reported Golem.de. The regulator has "considerable legal concerns" over the proposed national mobile roaming conditions that a new entrant like United Internet would need to enter the German mobile market, wrote Golem. Thank you for visiting Telecompaper +We hope you've enjoyed your free articles. Sign up below to get access to the rest of this article and all the telecom news you need. Register free and gain access to even more articles from Telecompaper. Register here Subscribe and get unlimited access to Telecompaper's full coverage, with a customised choice of news, commentary, research and alerts \ No newline at end of file diff --git a/input/test/Test3235.txt b/input/test/Test3235.txt new file mode 100644 index 0000000..ec2a8a3 --- /dev/null +++ b/input/test/Test3235.txt @@ -0,0 +1,14 @@ +The Guardian Bunge committee presses government to refund sugar importers With the bill for 15% import guarantee fees on industrial sugar imports now at the 35bn/- mark, the onus is now on the state to reimburse importers who fulfilled the requirements +THE government has an obligation to refund a total of 35 billion/- in import guarantee fees to all industrial sugar importers who have submitted their audited financial reports for the past two years, a parliamentary committee asserted yesterday. +The 15 per cent guarantee fee on industrial sugar imports was introduced a couple of years ago in the wake of reports that some unscrupulous importers were repackaging the product and marketing it as ordinary sugar for households consumption after it entered the country. +But now it turns out that although the importer is entitled to a full fee reimbursement after submitting an audited report to prove that the sugar was indeed used for industrial production purposes, the government has yet to fulfil its end of the deal even after most of the importers submitted their reports as required. +This is according to the chairman of the Parliamentary Committee on Industry, Trade and Environment, Suleiman Sadiq, who was speaking to journalists yesterday after the committee completed an inspection tour of the Said Salim Bakhresa beverage industrial complex in Mwandege, Coast Region. +Said Sadiq: "(The import guarantee fee) was a welcome idea from the government, but we expected them to return the money to the compliant importers as required by law because this was part of their overall costs incurred." +The Bunge committee chairman was responding to claims by Said Salim Bakhresa Group of Companies (SSB) officials that the government's delay in refunding them over the last two years despite full compliance of the requirements has placed SSB operations in jeopardy. +"We depend on this money to keep our business in liquidity," SSB's group corporate affairs director Hussein Sufian Ally told the committee members. +The deputy minister for Trade and Industries, Stella Manyanya, said the ministry will work on the issue raised and strive to find an amicable solution to any hitches. +"We, as a government, are there to ensure that the laws that we enact correspond to our main agenda, which is industrialisation. This is why we listen to what industrial investors are saying," Manyanya stated. +President Magufuli personally gave 10,000 hectares of land to SSB after the company's owner, one of the country's most prominent business and industrial moguls, stated interest to establish a sugar producing factory. +SSB has said it will officially start producing sugar by July 2020 after the finalization of the plant construction process near Bagamoyo. +After initially announcing a total ban on sugar imports by private companies to protect local industries in February 2016, President Magufuli later declared a crackdown on traders who he accused of hiding sugar in their warehouses to create an artificial shortage. +Thousands of tonnes of sugar were impounded during the operation which saw the Magufuli government assume full control of the sugar importation trade \ No newline at end of file diff --git a/input/test/Test3236.txt b/input/test/Test3236.txt new file mode 100644 index 0000000..da858ef --- /dev/null +++ b/input/test/Test3236.txt @@ -0,0 +1,3 @@ +Oncogenes and Tumor Suppressors Elevated miR-182-5p Associates with Renal Cancer Cell Mitotic Arrest through Diminished MALAT-1 Expression Priyanka Kulkarni , Pritha Dasgupta , Nadeem S. Bhat , Varahram Shahryari , Marisa Shiina , Yutaka Hashimoto , Shahana Majid , Guoren Deng , Sharanjot Saini , Z. Laura Tabatabai , Soichiro Yamamura , Yuichiro Tanaka and Rajvir Dahiya Priyanka Kulkarni Department of Urology, Veterans Affairs Medical Center, San Francisco, California. University of California San Francisco, San Francisco, California. Pritha Dasgupta Department of Urology, Veterans Affairs Medical Center, San Francisco, California. University of California San Francisco, San Francisco, California. Varahram Shahryari Department of Urology, Veterans Affairs Medical Center, San Francisco, California. University of California San Francisco, San Francisco, California. Marisa Shiina Department of Urology, Veterans Affairs Medical Center, San Francisco, California. University of California San Francisco, San Francisco, California. Yutaka Hashimoto Department of Urology, Veterans Affairs Medical Center, San Francisco, California. University of California San Francisco, San Francisco, California. Shahana Majid Department of Urology, Veterans Affairs Medical Center, San Francisco, California. University of California San Francisco, San Francisco, California. Guoren Deng Department of Urology, Veterans Affairs Medical Center, San Francisco, California. University of California San Francisco, San Francisco, California. Sharanjot Saini Department of Urology, Veterans Affairs Medical Center, San Francisco, California. University of California San Francisco, San Francisco, California. Z. Laura Tabatabai Department of Urology, Veterans Affairs Medical Center, San Francisco, California. University of California San Francisco, San Francisco, California. Soichiro Yamamura Department of Urology, Veterans Affairs Medical Center, San Francisco, California. University of California San Francisco, San Francisco, California. Yuichiro Tanaka Department of Urology, Veterans Affairs Medical Center, San Francisco, California. University of California San Francisco, San Francisco, California. Rajvir Dahiya Department of Urology, Veterans Affairs Medical Center, San Francisco, California. University of California San Francisco, San Francisco, California. PDF Abstract The molecular heterogeneity of clear cell renal carcinoma (ccRCC) makes prediction of disease progression and therapeutic response difficult. Thus, this report investigates the functional significance, mechanisms of action, and clinical utility of miR-182-5p and metastasis-associated lung adenocarcinoma transcript 1 ( MALAT1/NEAT2 ), a long noncoding RNA (lncRNA), in the regulation of kidney cancer using human kidney cancer tissues as well as in vitro and in vivo model systems. Profiling of miR-182-5p and MALAT-1 in human renal cancer cells and clinical specimens was done by quantitative real-time PCR (qPCR). The biological significance was determined by series of in vitro and in vivo experiments. The interaction between miR-182-5p and MALAT-1 was investigated using luciferase reporter assays. In addition, the effects of miR-182-5p overexpression and MALAT-1 downregulation on cell-cycle progression were assessed in ccRCC cells. The data indicate that miR-182-5p is downregulated in ccRCC; the mechanism being CpG hypermethylation as observed from 5-Aza CdR treatment that decreased promoter methylation and expression of key methylation regulatory genes like DNMT1, DNMT3a , and DNMT3b . Overexpression of miR-182-5p–inhibited cell proliferation, colony formation, apoptosis, and led to G 2 –M-phase cell-cycle arrest by directly targeting MALAT-1 . Downregulation of MALAT-1 led to upregulation of p53, downregulation of CDC20, AURKA, drivers of the cell-cycle mitotic phase. Transient knockdown of MALAT-1 mimicked the effects of miR-182-5p overexpression. Finally, overexpression of miR-182-5p decreased tumor growth in mice, compared with controls; thus, demonstrating its antitumor effect in vivo . Implications: This is the first study that offers new insight into role of miR-182-5p/ MALAT-1 interaction on inhibition of ccRCC progression. Mol Cancer Res; 1–11. ©2018 AACR. Footnotes Note: Supplementary data for this article are available at Molecular Cancer Research Online (http://mcr.aacrjournals.org/). Received December 14, 2017. Revision received May 3, 2018. Accepted July 3, 2018. Published first July 23, 2018. ©2018 Log in using your username and password Username * Forgot your user name or password? Purchase Short Term Access +Pay Per Article - You may access this article (from the computer you are currently using) for 1 day for US$35.00 +Regain Access - You can regain access to a recent Pay per Article purchase if your access period has not yet expired \ No newline at end of file diff --git a/input/test/Test3237.txt b/input/test/Test3237.txt new file mode 100644 index 0000000..378692a --- /dev/null +++ b/input/test/Test3237.txt @@ -0,0 +1,3 @@ +Home / Knowledge / News / 17 Courtesy: Bluesign The bi-annual Bluesign conference beginning October 18 will open highlighting the challenges of transformation and the importance of transparency in connecting to the industry. The two-day conference is the gathering of all the bluesign system partners and broader community to exchange ideas and network with like-minded participants. +The conference will offer plenty of opportunities for match making and networking with other attendants and sharing business ideas. Traceability and the need for transformation will be addressed during the brand session that will show the new directions taken by a number of brands. A high level discussion will explore finance in sustainability and additional topics important for a CEO's agenda proving the business case of sustainability to re-design today +The international event will also explore non-textile case studies to provide insight beyond the industry in order to gather new ideas and support common ones. (RR \ No newline at end of file diff --git a/input/test/Test3238.txt b/input/test/Test3238.txt new file mode 100644 index 0000000..4372121 --- /dev/null +++ b/input/test/Test3238.txt @@ -0,0 +1,2 @@ +RSS Low Speed Electric Vehicles Market Growing at a CAGR of 9.0% and Will Reach 9520 Million USD by 2025 A closer look at the overall Low Speed Electric Vehicles business scenario presented through self-explanatory charts, tables, and graphics images add greater value to the study. +New York, NY -- ( SBWIRE ) -- 08/17/2018 -- The major players covered in this report are Textron, Yamaha, Polaris, Renault, Garia, Ingersoll Rand, CiEcar Electric Vehicles, Star EV, Melex, Columbia, Yogomo, Dojo, Shifeng, Byvin, Lichi, Baoya, Fulu, Tangjun, Xinyuzhou, GreenWheel EV, Incalu, Kandi, APACHE, Eagle, Taiqi The latest report on the Low Speed Electric Vehicles market closely surveys, examines and offers vital statistics on the Low Speed Electric Vehicles market for the forecast period 2018 - 2025. This market intelligence assessment report weighs up on the potential region that reserves greater opportunities for this industry. Importantly, subject matter experts have taken into account every critical aspect right from the market size, share, and growth to the dramatic shift in the consumer behaviour and their growing spending capacity. The industry assessment study depicts a perfectly clear picture of both the past and the future trends to offer the stakeholders, business owners, and marketing executives an opportunity to zero in on an effective marketing strategy and boost sales. Request for free sample report in PDF format available @ https://www.marketexpertz.com/sample-enquiry-form/12802 Global consumption of low speed electric vehicles surged in the past two years with the good sales of scooters in China market. Global low speed electric vehicles are expected to sales 1.5 million units in 2021 and more than 80% will appear in China market, which exhibits a promising trend of the industry. For the products types, lithium ion batteries based low speed electric vehicles are more favored in USA, Europe and Japan, while lead-acid batteries based products take a large market share in China. Attracted by the market profits, more and more companies have entered into low speed electric vehicles industry, the competition between manufacturers at home and abroad is fierce for the time being. For the major players of low speed electric vehicles industry in global market, Textron and Yamaha are the leaders. For another, China suppliers such as Yogomo, Dojo and Shifeng have obvious large sales market share. Briefly speaking, in the nest short years, low speed electric vehicles industry is still a highly energetic field. It will come true that low speed electric vehicles market holds a CAGR over 10% in the next five years. Price and performance will be the attractive point for consumers. For the fierce competition, consolidation of low speed electric vehicles industry is expected to appear. The global Low Speed Electric Vehicles market is valued at 4790 million US$ in 2017 and will reach 9520 million US$ by the end of 2025, growing at a CAGR of 9.0% during 2018-2025. Ask for discount @ https://www.marketexpertz.com/discount-enquiry-form/12802 On the basis of product, this report displays the production, revenue, price, market share and growth rate of each type, primarily split into: - Lithium-Ion Battery Low Speed Electric Vehicle - Lead-Acid Battery Low Speed Electric Vehicle Researcher's visibility engagement approach when evaluating data such as key driving forces, threats, challenges, opportunities empowers product owners to meet their strategic goals through accelerated returns. The intelligent market survey that blends in both new and old study techniques brings to light more information pertaining to various product types, applications, end-use and important industry definition. The research on the Low Speed Electric Vehicles market further validates other prime factors including investment feasibility, production capability, product pricing, production volume, demand and supply, import and export status to help business evangelists make the multi-dimensional marketing strategy more robust. Comprehensive data on the current and future business environment is showcased through self-explanatory infographics, charts, and tables and can be integrated with any business presentation. On the basis on the end users/applications, this report focuses on the status and outlook for major applications/end users, sales volume, market share and growth rate for each application, including: - Personal Us \ No newline at end of file diff --git a/input/test/Test3239.txt b/input/test/Test3239.txt new file mode 100644 index 0000000..d5c0b2b --- /dev/null +++ b/input/test/Test3239.txt @@ -0,0 +1,8 @@ +Chinese multinational invests $5 million in Israeli fintech firm August 17 2018 +Fosun and Fosun Hani Securities Limited have announced a strategic investment of $5 million into Israeli fintech company The Floor. +This marks Fosun's second fintech investment in the State of Israel, and Fosun will join the Board of Directors of The Floor. The Floor is headquartered at the Tel Aviv Stock Exchange (TASE) and operates a branch in Hong Kong. +Founded in 2016, The Floor's long term vision is to bring Israeli technologies to Asia and connect with local players. Recently, it established a branch in Hong Kong. In May 2018, The Floor announced its strategic partnership with TASE to jointly establish a blockchain securities lending platform. +Guo Guangchang, Chairman of Fosun International Limited said, "We are pleased to have The Floor to join the Fosun Family. As a family-focused multinational company rooted in China and with profound industrial operations capabilities, Fosun's mission is to create global ecosystems in 'health, happiness and wealth' through technology and innovation. The Floor will assist Fosun to radiate Israeli fintech companies and introduce advanced technology and industries to Fosun's platform, and fulfil our mission of providing high-quality services and products for family customers around the world." +Yao Wenping, Vice President of Fosun International Limited, Chairman of Technology and Financial Group said, "The Technology and Financial Group, serving as one of the key driving forces of Fosun's wealth ecosystem, has been actively scouting for leading fintech companies globally. The investment in The Floor can accelerate the implementation of the group's key investment projects. In addition, The Floor can also inject new vitality into the technology and financial group as well as to Fosun's wealth ecosystem." +Charles Xie, Co-CEO of Fosun Hani said, "Fosun Hani has an experienced and professional finance team, while The Floor has many top-tier fintech companies on its platform. The cooperation between the two companies can empower each other in the financial and technology aspects. Furthermore, The Floor can be effectively integrated into Fosun's global happiness ecosystem with a view of providing our customers with tailor-made financial services and products." +Avi Cohen, Co-Founder and CEO of The Floor said, "Introducing Fosun as a strategic investor of The Floor is an important step towards our vision of improving the financial industry. As a start-up serving tier-1 multinational banks, our aim is to partner with global players like Fosun to promote our platform and expand our business scale. The Floor is shaping future technologies across fintech verticals and we believe that Fosun will lead us to the fast track to becoming a market leader." SHARE O \ No newline at end of file diff --git a/input/test/Test324.txt b/input/test/Test324.txt new file mode 100644 index 0000000..49c7db0 --- /dev/null +++ b/input/test/Test324.txt @@ -0,0 +1,25 @@ +17 August 2018 How are different sectors getting ready for smart cities? Smart cities are providing various sectors with new opportunities, and not just those associated with tech. The smart city revolution shall affect all business sectors, and they have to be ready for it. +With enhanced street infrastructure, 5G and IoT implemented into office spaces, smart cities are set to transform the entire business world as we know it, with changes being different depending on the sector, and businesses of all sizes must be ready for it. +Smart cities involve smart buildings. These will feature 5G implementation and smart devices that can bring the best out of businesses, allowing for as efficient a workflow as possible. +All sectors must be willing to invest in the best smart technology they can afford for their workplace, lest they get left behind by the competition. Automobiles +Automated, driverless cars operated using sensors are getting closer to becoming a reality, with electric-powered cars already available. +>See also: UK Government sets 2021 driverless car goal +Also about to be launched onto the market is the Volkswagen MOIA, a ride-sharing mobility startup that bridges the gap between buses, taxis and shuttle vans. It runs on electricity, and aims to decrease the need for cars on the road. +It is set to be launched at the end of the year. Healthcare +One smart city development that has come out of the healthcare sector is telemedicine kiosks, in which health care providers bring medical advice to the patient, rather than patients going to doctors. +Registered GP's operating from these kiosks, which are situated in public places, can deal with patients in person, or via a video call on a mobile device. These cost less to maintain than a regular GP, due to not needing a large workforce of medical professionals and being situated in areas where electricity will already be implemented. +Another smart healthcare development is the rise in mobile applications. The NHS is an example of a medical body that's about to develop its own app, which will allow patients to arrange appointments, access medical information, and access to FitBit and Apple's Health app. +>See also: How could telehealth improve healthcare across the world? Real Estate +The infrastructure within smart buildings does not stop at office blocks and industrial premises. Smart homes involve smart devices such as phones, TV's and energy meters all being connected to one Internet network. +This allows the homeowner to control their lighting, heating, TV's and entertainment systems, as well as access utility data, all from one connected location. +Homeowners must, however, bear in mind the matter of security when it comes to these networks. Because all devices are connected to one hub, this can make it easier for cyber attacks to affect multiple devices at once. +>See also: Can smart home devices and technology keep people safe? Retail +Not usually thought of as the smartest sector around, self-service machines aside, many firms within the retail sector have begun using automated software to analyse customer behaviour. +>See also: How can consumer behaviour be used to strengthen insight? +Following the lead of Facebook, Amazon and YouTube, online websites already offer recommendations to customers based on what they have previously looked at or bought. +Additionally, around the shops themselves, there could be cameras that gather data relating to how many customers stop by at a certain product, and for how long, as well as demographics. +Companies such as Smart Retail already offer these services, so it may only be a matter of time until these practices are commonplace in smart city shops across the world. Utilities +A key development within the utilities sector is the implementation of smart meters in homes. These gauge and send energy data to the utility company automatically, and calculate how much money the user owes the company in energy bills. +This means that users do not need to manually measure how much energy they have used, and they can save energy and money as a result of knowing exactly what they are using each day. +>See also: How technology is revolutionising the energy sector +Nominations are now open for the Women in IT Awards Ireland and Women in IT Awards Silicon Valley . Nominate yourself, a colleague or someone in your network now! The Women in IT Awards Series – organised by Information Age – aims to tackle this issue and redress the gender imbalance, by showcasing the achievements of women in the sector and identifying new role model \ No newline at end of file diff --git a/input/test/Test3240.txt b/input/test/Test3240.txt new file mode 100644 index 0000000..ebf8015 --- /dev/null +++ b/input/test/Test3240.txt @@ -0,0 +1,10 @@ +Remembering Atal Bihari Vajpayee: His allies in the government +Devastated by former Prime Minister Atal Bihari Vajpayee 's death, Asia's nightingale Lata Mangeshkar who shared a very close bonding with him, said: "He was like my father. He called me Beti. I called him Dadda. I feel I've lost my father all over again. +"When I saw the glow on his face, his persuasive oratorical powers and his love for the arts, I was always reminded of my father (the legendary musician-stage actor Pandit Dinanath Mangeshkar). When I was a child many national leaders and politicians would visit my home. Vir Savarkar was one of them. Atalji reminded me of Vir Savarkar. He was a noble soul. No words of praise can do justice to him. Atalji was never short of words. But I am." +Lataji gets pensive about her association with Atalaji. "He was very close to me, and I to him. When we Mangeshkars inaugurated a hospital in Pune in my name, I asked Atalji to do the inauguration. He happily agreed and gave a rousing speech — as usual — where he said he was in a dilemma as he thought naming a hospital after me was not right. There should be a music academy named after Lata Mangeshkar, not a hospital. Now what do I say? That people should fall sick so that this hospital named after my Beti would run?' His speeches were works of art. There is not one orator in Indian politics, or for that matter in India, to match Atalji." +In 2014 Lataji had the rare privilege of doing an entire album of songs devoted to Atalji's poems. +Recalling the "unforgettable" experience, Lataji says: "I still remember the album was officially released in his home in Delhi. We had flown down for the occasion. All the poems in the album we entitled 'Antarnaad' were handpicked by me and my composer Mayuresh Pai. We then flew to Delhi to get his approval. When Atalji saw the poems we had selected he was very happy, specially with 'Geet naya gata hoon', which was among his personal favourites. +"However there was some doubt over another poem 'Thann gayi maut se' which we had selected. Though Atalji himself loved the selection his (adopted) daughter and others close to him felt it was wrong of him to challenge death through poetry. So we decided to drop that poem. When we told Atalji of our decision he was very quiet then he said, if that's what everyone wants, then so be it." +Lataji says she has seldom been more impressed by any other politician. "Atalji hriday se kavi the aur swabhav se sadhu (he was a poet at heart and a saint by nature). He was a visionary and India made rapid progress during his primeministership. I remember how much he did to improve relations with Pakistan. He started the bus service to Pakistan. And he was very keen that I be one of the first passengers in that journey to the other side of the border. He told me that people in Pakistan were as keen to hear me as people in India. But I didn't go. It was always hard to say no to Atalji. He was such a wonderful human being and great statesman." मेरे दद�दा अटलजी �क साध�प�र�ष थे.हिमालय जैसे ऊ�चे थे और गंगा जैसे पवित�र थे। मैंने उनकी क�छ कविता�� जब रेकॉर�ड की थी तब ये �क कविता अल�बम में नहीं थी। वो कविता मैं आज उनकी याद को अर�पण करती हू�. https://t.co/aAeWakqsX7 +— Lata Mangeshkar (@mangeshkarlata) August 17, 2018 +Lataji feels the nation has lost more than Bharat Ratna. "Dadda was man with a vision. He could see the future. His speeches were works of art. When he spoke, the nation listened. I still have his speeches on my mobile phone. I can listen to them for hours. In his going India has been orphaned. But then, if he was in so much pain it would've been selfish of us to hold him back. He is now relieved of all pain probably regaling the gods with his oration." Must Watc \ No newline at end of file diff --git a/input/test/Test3241.txt b/input/test/Test3241.txt new file mode 100644 index 0000000..90c0ef8 --- /dev/null +++ b/input/test/Test3241.txt @@ -0,0 +1,9 @@ +Tweet +Emergent Biosolutions Inc (NYSE:EBS) Chairman Fuad El-Hibri sold 36,318 shares of the stock in a transaction on Tuesday, August 14th. The stock was sold at an average price of $55.98, for a total value of $2,033,081.64. The transaction was disclosed in a document filed with the SEC, which is available at this link . +Fuad El-Hibri also recently made the following trade(s): Get Emergent Biosolutions alerts: On Thursday, July 12th, Fuad El-Hibri sold 15,000 shares of Emergent Biosolutions stock. The stock was sold at an average price of $54.50, for a total value of $817,500.00. On Monday, July 9th, Fuad El-Hibri sold 15,000 shares of Emergent Biosolutions stock. The stock was sold at an average price of $53.61, for a total value of $804,150.00. +Shares of NYSE:EBS opened at $59.03 on Friday. Emergent Biosolutions Inc has a twelve month low of $34.56 and a twelve month high of $60.00. The firm has a market capitalization of $2.75 billion, a PE ratio of 30.87, a price-to-earnings-growth ratio of 1.18 and a beta of 1.20. The company has a debt-to-equity ratio of 0.01, a current ratio of 5.59 and a quick ratio of 4.15. +Emergent Biosolutions (NYSE:EBS) last announced its earnings results on Thursday, August 2nd. The biopharmaceutical company reported $1.07 earnings per share for the quarter, beating the Zacks' consensus estimate of $0.88 by $0.19. Emergent Biosolutions had a return on equity of 15.09% and a net margin of 16.55%. The company had revenue of $220.20 million during the quarter, compared to analyst estimates of $208.94 million. During the same period last year, the company posted $0.13 earnings per share. The firm's quarterly revenue was up 118.5% compared to the same quarter last year. equities analysts anticipate that Emergent Biosolutions Inc will post 2.33 earnings per share for the current year. +A number of brokerages have recently weighed in on EBS. Wells Fargo & Co set a $61.00 target price on Emergent Biosolutions and gave the company a "hold" rating in a research note on Friday, August 10th. Chardan Capital raised their target price on Emergent Biosolutions from $53.00 to $57.00 and gave the company a "buy" rating in a research note on Friday, August 3rd. Zacks Investment Research upgraded Emergent Biosolutions from a "hold" rating to a "buy" rating and set a $60.00 target price for the company in a research note on Tuesday, July 10th. Cantor Fitzgerald restated an "overweight" rating on shares of Emergent Biosolutions in a research note on Thursday, June 14th. Finally, Argus began coverage on Emergent Biosolutions in a research note on Wednesday, June 13th. They issued a "buy" rating and a $62.00 target price for the company. Two research analysts have rated the stock with a hold rating and seven have issued a buy rating to the stock. Emergent Biosolutions presently has a consensus rating of "Buy" and a consensus price target of $59.57. +Several large investors have recently made changes to their positions in EBS. Stratos Wealth Partners LTD. bought a new position in Emergent Biosolutions in the first quarter valued at about $134,000. PNC Financial Services Group Inc. boosted its holdings in Emergent Biosolutions by 108.6% in the first quarter. PNC Financial Services Group Inc. now owns 2,847 shares of the biopharmaceutical company's stock valued at $149,000 after acquiring an additional 1,482 shares during the last quarter. SG Americas Securities LLC bought a new position in Emergent Biosolutions in the first quarter valued at about $171,000. Financial Gravity Wealth Inc. bought a new position in Emergent Biosolutions in the first quarter valued at about $190,000. Finally, Sei Investments Co. boosted its holdings in Emergent Biosolutions by 5,992.1% in the first quarter. Sei Investments Co. now owns 3,838 shares of the biopharmaceutical company's stock valued at $202,000 after acquiring an additional 3,775 shares during the last quarter. Institutional investors own 82.72% of the company's stock. +About Emergent Biosolutions +Emergent BioSolutions Inc focuses on the development, manufacture, and commercialization of medical countermeasures that address public health threats. Its products address public health threats primarily chemical, biological, radiological, nuclear, and explosive-related threats, as well as infectious diseases \ No newline at end of file diff --git a/input/test/Test3242.txt b/input/test/Test3242.txt new file mode 100644 index 0000000..89b49d2 --- /dev/null +++ b/input/test/Test3242.txt @@ -0,0 +1,8 @@ +Refunds up to 30 days before event Event description Description +ServSafe® Food Protection Manager One to One Certification - ServSafe® Training Programs are the most current and comprehensive food, beverage and operation training programs in the industry. +The ServSafe® program is developed by the National Restaurant Association with the help of foodservice industry experts who face the same risks you do every day. Your concerns are our concerns. +Our years of experience and inside knowledge of the foodservice industry are at the core of our courses, exams, and materials. We can prepare you to handle food sanitation risks because we have direct experience with it. We also have reliable materials, flexible options, and expert food safety educators. +ServSafe® training and certification are recognized by more federal, state and local jurisdictions than any other food safety certification. Three areas of training are available: ServSafe® Food Protection Manager, ServSafe® Food Handler & ServSafe Alcohol®. +ServSafe® Food Protection Manager Proctored Computer Exam Must supply own computer (TABLETS CAN BE USED BUT NOT SUGGESTED) to connect to WiFi. You have not passed previous exams (Must bring letter showing you did not pass if the state requires training hours. Please verify regulatory requirements before exam registration.) Completed self-study using the ServSafe® Manager Book or Online Course , 6th Edition w/ 2013 FDA Food Code You know if you pass or fail that day. Score & Certificate is available 24 hours online at ServSafe.com . Print directly from ServSafe.com or order a printed certificate from ServSafe.com for $10.00. +ServSafe® Manager Online Course & Proctored Computer Exam ServSafe Manager Online Course will be assigned with 24 hours of purchase. You will receive an email from ServSafe.com on instructions on how to activate the course. All purchases of the ServSafe Manager Online Course & Proctored Computer Exam are final. Prior to purchasing, please review the technical system requirements to ensure this program will work with your computer configuration. Once you begin the course, you will have 90 days to complete it, at which time the course will be deactivated. Please complete the course including the online post-test. You must finish and print out completion certificate before meeting with ServSafe® Certified Instructor and Registered Proctor. Must supply your own computer for the exam (TABLETS CAN BE USED FOR THE EXAM ONLY BUT NOT SUGGESTED) to connect to WiFi. You know if you pass or fail that day. Score & Certificate is available 24 hours online at ServSafe.com . Print directly from ServSafe.com or order a printed certificate from ServSafe.com for $10.00. +ServSafe® Manager One to One Tutor Sessions This is a two (2) hour tutor session to help you prepare for the ServSafe® Food Protection Manager Exam. You are in control of this session ask the ServSafe® Certified Instructor and Registered Proctor whatever you want to help you achieve your ServSafe® Food Protection Manager certification. This session does not guarantee you will pass the exam since we are not in control of what you answer but will help you prepare whether you have not passed the exam previously, rectifying or just need that one to one session after completing the self-study or online course \ No newline at end of file diff --git a/input/test/Test3243.txt b/input/test/Test3243.txt new file mode 100644 index 0000000..eb57e90 --- /dev/null +++ b/input/test/Test3243.txt @@ -0,0 +1,14 @@ +In the decade since the collapse of Lehman Brothers, regulators around the world have taken steps which, they argue, have greatly strengthened the resilience of the financial system. Buoyant asset prices and rising bank shares suggest that investors largely believe them. Unfortunately, the effectiveness of these measures remains uncertain. That will only become clear in a real downturn, rather than a simulated stress test. +The focus on raising collateral requirements exemplifies the problem. +Collateral has long been used to secure borrowing. In derivative transactions, collateral is lodged to secure the current amount owed by a party. The method is used bilaterally between banks and between banks and their clients. It's also used on a multilateral basis; for example, a significant proportion of derivative transactions are now routed through so-called Central Counter Parties, which use collateralisation to secure performance. +Since 2008, regulators have placed increasing emphasis on collateralisation to reduce risk, for instance by allowing banks to hold less regulatory capital when engaging in properly collateralised transactions. In a crisis, however, a host of factors will affect whether collateral will work as intended. +Originally limited to cash and government securities (though even these are no longer entirely risk-free), the range of securities accepted as collateral has expanded to riskier securities. In part, this reflects a shortage of high-quality securities, especially government bonds, because of central bank purchases. Some of these types of collateral have volatile prices, which reduces their utility as security. +While this is addressed by attributing lower value to them (known as a haircut), such adjustments may turn out to be incorrect. The correlation between the risk sought to be covered and the value of the collateral is critical. If the underlying risk increases at the same time as the value of the collateral decreases, the benefit of holding that collateral obviously shrinks. +Collateralisation also relies on models which aren't foolproof. The underlying exposure as well as the value of the collateral must both be determined in a process that isn't always scientific. As the world discovered in 2008, it's hard to value less-liquid securities and derivatives, and there's a not-negligible risk of manipulation of valuations. Models that use historical volatility to gauge the level of initial collateral required may prove inadequate in periods of stress. This is even truer in the case of portfolios involving a number of transactions, where past correlations used to calculate the overall exposure may not hold in future. +Relying so much on collateral assumes it can be sold off easily in case of default. Declines in trading volumes for many assets mean that creditors can't take such levels of liquidity for granted. +There are operational and legal risks as well. The process assumes mark-to-market calculations are accurate, collateral is paid and received on time, collateral is monitored and control over the cash or securities is always maintained. Given the high volume of transactions across multiple time zones, operational accuracy and integrity is difficult to ensure. The legal validity of these arrangements, which involve a complex mix of domestic and international laws, isn't assured. Cross-border enforcement may be difficult, with national courts failing to enforce foreign judgements. +Finally, collateralisation may alter the behaviour of market participants, creating new systemic risks. +The use of collateral shifts the emphasis away from the creditworthiness of a borrower or counterparty. Parties who would normally be ineligible to borrow or trade, if judged purely on their financial strength, might be able to enter into transactions if they can produce enough collateral. The rapid growth in debt levels, volume of derivative contracts and investment vehicles since 2008 has relied greatly on the fact that collateral has expanded the range of market participants. +Banks have an incentive to lower collateral levels in order to increase transaction volumes. This increases leverage but also risk. Banks have also used collateral to increase liquidity and leverage directly. So-called rehypothecation — where collateral received by a bank is then pledged to support other transactions — allows for an exponential expansion in leverage. Restricting such practices, on the other hand, would precipitate a rapid contraction in liquidity. +Collateral creates channels through which instability can be transmitted in a crisis, increasing the risk of contagion. In periods of stress, market participants will all seek more collateral or need to sell pledged securities. This will increase volatility, potentially fatally. At the same time, limited disclosure of collateral provisions and potential liquidity claims makes it difficult to assess the financial position of counterparties. +The goal of collateral — to reduce the risk of a financial crisis — is noble. In practice, collateral simply creates different risks. What regulators really need to do is address more fundamental problems: an overreliance on credit and leverage, an excessively large banking system, and unnecessary complexity and interconnectedness in the financial system itself. Ten years after the last crisis, those issues remain as unresolved as ever \ No newline at end of file diff --git a/input/test/Test3244.txt b/input/test/Test3244.txt new file mode 100644 index 0000000..abaae2e --- /dev/null +++ b/input/test/Test3244.txt @@ -0,0 +1,6 @@ +James Arthur has become head of Grant Thornton's cyber security consulting practice. Arthur brings over 20 years' experience delivering cyber security projects to a wide range of government and military clients in the UK and overseas. Most recently, he led a range of national scale cyber projects including designing and implementing national cyber defences in his role as technical director for the Middle East at BAE systems. The firm has also appointed Adrian Bennett as an audit partner in its Cambridge office. During his professional career spanning 20 years, Bennett has worked with a wide range of businesses and with a PhD in organic chemistry, has built particular expertise in supporting life science, pharmaceutical and technology companies, from start-ups to those listed on AIM and the main market. +Phil Hartley and Phillippa Britchford have both joined Mitchell Charlesworth as tax managers. Hartley is a chartered accountant and chartered tax adviser with more than eight years' experience of dealing with owner-managed businesses and providing tax advice on a wide range of issues. In particular, he specialises in owner-managed business tax planning, corporation tax planning and research and development tax relief claims. He joins the firm from Haleys Business Advisers. Britchford has returned to Mitchell Charlesworth after having spent ten years working for other accountancy firms in Cheshire. When previously working at the firm she completed accounts and audits. She has spent the time since leaving the practice developing her knowledge of personal tax and returns to look after personal tax clients, especially those with residency issues. +Smith & Williamson has appointed Paul de la Salle as an associate director in its sports, media and entertainment team. He joins the London office from Arena Wealth Partners, where he spent nearly five years advising sports, media and entertainment professionals on a range of financial issues including banking, financial planning, FX, home finance, investment, pensions and tax. His previous experience included 11 years at Barclays Wealth Management where, latterly, he headed up the football team and specialised in providing expert private banking services. +RSM has appointed Rob Gordon as a risk assurance partner to lead its financial services internal audit and assurance offering in London and the South East. Gordon joins RSM from Grant Thornton, where he was a managing director responsible for the provision of fully outsourced and co-sourced services for various banking, securities and asset and private wealth management clients. This included providing assurance over key business, operations, technology, regulation and compliance matters. During his 11 years at Grant Thornton, Gordon led its retail banking, investment banking, asset management and private wealth sectors within its financial services business risk services. He has previously worked at KPMG, Citi, Gulf International Bank and Merrill Lynch. +PTL , professional trustee and governance services provider, has appointed Karein Davie as a client director in its Birmingham office. Davie joins the company after seven years with PwC as a senior manager in the Midlands pensions team, with previous roles at both Hymans Robertson and Mercer. Davie is also a qualified actuary and a member of the Institute and Faculty of Actuaries. +Thomas Coombs has appointed Richard Wolk as senior tax manager. Wolk has previously worked with owner-managed businesses, landlords, consultants, doctors and solicitors on a wide range of complex matters, including company restructurings, property taxation, R&D tax relief and remuneration planning. His previous appointment before joining Thomas Coombs saw him acting as a consultant to other accountancy firms, where he offered his specialist expertise to other professionals \ No newline at end of file diff --git a/input/test/Test3245.txt b/input/test/Test3245.txt new file mode 100644 index 0000000..64e5db8 --- /dev/null +++ b/input/test/Test3245.txt @@ -0,0 +1,14 @@ +Chris Waller has his group 1 winning three-year-olds from last season – D'argento and Unforgotten – taking on Winx on Saturday, but it might a four-year-old away from the Randwick limelight who has the potential to join the stable's stars at the highest level. +A touch of arrogance: Kaonic streets the opposition on his return to racing last month. +Photo: AAP Kaonic was considered in the same class as his stellar stablemates, as was the emerging Paret, but Waller's philosophy has been to give them time, and it could be about to pay dividends. +"Their ability gets them only so far but, until they fully mature, they don't get to their top level," Waller said. "We don't have a problem waiting for them to be ready. +"Kaonic has matured into a lovely man instead of being a stressful colt. I think that is because we didn't gas him and throw him in impossible situations." +After two spring wins, Kaonic was held back from a Melbourne preparation last year and then, although unplaced in the Randwick Guineas and Rosehill Guineas, he was not stressed by too much racing as a three-year-old. +Advertisement Loading He returned in July by charging along the fence to score impressively, and Waller is ready to climb the grades to the top level with him and Paret, who has won a couple of races since resuming. +"It was disappointing when Paret and Kaonic didn't come up in the autumn, but we have learnt not to panic. We just pulled up stumps and gave them a good long break" Waller said. +"You see the benefit of it now. Paret has gone to another level, and Kaonic is heading in the same direction. +"Saturday is another test for him, but if you let them mature this is what you get. I think he and Paret have bigger things in front of them. +"Paret is probably a little sharper than Kaonic, but they are on the same path toward races like Epsom. +"I don't know if Paret will get a strong mile, and I see Kaonic as more an 1800m to 2000m type in time." +Kaonic has been heavily supported as he steps up 1400m at Randwick and has been $3.80 to $3.20 at Beteasy. Waller is keeping his options open with the four-year-old, but the Epsom is the likely target if he keeps improving as expected. +"He has got a bit of arrogance back after that impressive win first-up and he is in for a good prep," Waller said. "The 1400m is probably a bit short for him second-up, but he is doing every right. \ No newline at end of file diff --git a/input/test/Test3246.txt b/input/test/Test3246.txt new file mode 100644 index 0000000..43b42c2 --- /dev/null +++ b/input/test/Test3246.txt @@ -0,0 +1,4 @@ +8 police officers dismissed for various offences in Lagos 8 police officers dismissed for various offences in Lagos Nigeria Police 8 police officers dismissed for various offences in Lagos, police officers dismissed in lagos, +The Lagos state police command has dismissed eight officers over very serious offences as six others were demoted. +Commissioner of Police in Lagos State, Mr Imohimi Edgal, made this known as he also said that 108 officers were disciplined for various offences from January to July, 2018 in the Lagos State Command. He made the disclosure at a Stakeholders' Forum on "Police Accountability and Presentation of Advocacy Materials at the command's headquarters, Ikeja. The police chief said that 58 other officers recorded major entries, six officers reprimanded, 28 officers got warning motors,four officers had extra fatigue, while five others were discharged for lack of evidences against them. "The days of police officers receiving slaps on the wrist for offences are gone. When you perform excellently well, you will receive a CP's Commendation Letter. "I am not happy punishing any officer, but that does not mean we should overlook unprofessional conducts. When I resumed as CP,Lagos, I discovered that the public had lost confidence in the police. "I set up a Citizen Complaint Hot Centre with 10 mobile phone lines through which people can complain about the wrongs of our men. I have received many complaints. "However, there is no way I would know all that my men are doing if nobody complained," he said. +READ:Married Ghanian pastor accused of impregnating a church member in Toronto Edgal called on people in Lagos to continue to assist the police with information and other assistance, stressing that the 28,000 officers and men in Lagos were inadequate to police the state. According to him, community policing in the state is working as it had reduced crimes by 35 per cent. Date added \ No newline at end of file diff --git a/input/test/Test3247.txt b/input/test/Test3247.txt new file mode 100644 index 0000000..4af383d --- /dev/null +++ b/input/test/Test3247.txt @@ -0,0 +1,8 @@ +Search for: Air Knife Market Global Research 2018- Vortron, EXAIR, Meech International and Vortec +Global Air Knife Market research report insight provides the crucial projections of the market. It also serves a Air Knife correct calculation regarding the futuristic development depending on the past data and present situation of Air Knife industry status. The report analyses the Air Knife principals, participants, Air Knife geological areas, product type, and Air Knife end-users applications. The worldwide Air Knife industry report provides necessary and auxiliary data which is represents as Air Knife pie-charts, tables, systematic overview, and product diagrams. The Air Knife report is introduced adequately, that includes fundamental patois, vital review, understandings, and Air Knife certain aspects according to commiseration and cognizance. +Global Air Knife industry Report insistence on the overall data relevant to the Air Knife market. It includes most of the Air Knife queries related to the market value, environmental analysis, Air Knife advanced techniques, latest developments, Air Knife business strategies and current trends. While preparing the Air Knife report various aspects like market dynamics, stats, prospects and worldwide Air Knife market volume are taken into consideration. The global Air Knife market report evaluates an detailed analysis of the thorough data. Our experts ensure Air Knife report readers including the Air Knife manufacturers, investors find it simple and easy to understand the ongoing scenario of the Air Knife industry. +To Access PDF Sample Report, Click Here: https://market.biz/report/global-air-knife-market-icrw/134248/#request-sample +Global Air Knife contains important points to offer a cumulative database of Air Knife industry like supply-demand ratio, Air Knife market frequency, dominant players of Air Knife market, driving factors, restraints, and challenges. The world Air Knife market report highlighted on the market revenue, sales, Air Knife production and manufacturing cost, that defines the competing point in gaining the idea of the Air Knife market share. Together with CAGR value over the forecast period 2018 to 2023, Air Knife financial problems and economical background over the globe. This Air Knife market report has performed SWOT analysis on the Air Knife leading manufacturing companies to accomplish their strength, opportunities, weaknesses, and risks. Segmentation of Global Air Knife Market Manufacturer AiRTX, Paxton, EXAIR, Meech International, Simco, Streamtek, Secomak, Vortron, ACI and Vortec Types Stainless Steel Air Knife and Aluminum Air Knife Applications Electronics, Food Processing & Packaging and Industrial Application Regions Europe, Japan, India, South East Asia, China and USA +In a chapter-wise format inclusive of statistics and graphical representation, the Air Knife report explains the current market dynamics and the distinctive factors likely to affect the Air Knife market over the forecast period. The research draws attention to correct past Air Knife information and how the market has developed in the past few years to gain the present demography. Leading Air Knife players operating in the market are profiled broadly in the report. The shares of Air Knife top competitors are analyzed respectively to check the competitive landscape and measure the complete size of the global Air Knife market. The worldwide Air Knife industry was valued at US$ XX Mn in 2018 and is witnessed to hit US$ XX Mn between 2018 to 2023 with significant CAGR of XX%. +To Enquire About This Comprehensive Report, Click Here: https://market.biz/report/global-air-knife-market-icrw/134248/#inquiry Important Points Of The Air Knife Industry Report: —Air Knife market report highlighted on the points related to historic, current and future prospects related to growth, sales volume, and Air Knife market share globally. —Air Knife Product specification, the report scope , and Air Knife market upcoming trends. —It provides all the key factors related to the Air Knife market growth, such as drivers, constraints, opportunities, and risks in the competitive Air Knife market. —Air Knife market reports offers an complete description of the emerging and current Air Knife market players. +The Air Knife market accomplish the future outlook of the market growth by comparing the previous and present data gathered by research analyst, through primary and secondary discoveries \ No newline at end of file diff --git a/input/test/Test3248.txt b/input/test/Test3248.txt new file mode 100644 index 0000000..469e14a --- /dev/null +++ b/input/test/Test3248.txt @@ -0,0 +1 @@ +Delphine Sophie Courvoisier 1 , 2 1 Quality of Care Service , University Hospitals of Geneva , Geneva , Switzerland 2 Department of General Internal Medicine, Rehabilitation and Geriatrics , University of Geneva , Geneva , Switzerland 3 Swiss NCCR 'LIVES: Overcoming Vulnerability: Life Course Perspectives' , University of Geneva , Geneva , Switzerland 4 Institute of Sociological Research , University of Geneva , Geneva , Switzerland 5 Department of Psychology , University of Geneva , Geneva , Switzerland 6 Division of General Internal Medicine , University Hospitals of Geneva , Geneva , Switzerland 7 Division of Clinical Epidemiology , University Hospitals of Geneva , Geneva , Switzerland 8 Department of Health Research Methods, Evidence, and Impact, Faculty of Health Sciences , McMaster University , Hamilton , Ontario , Canada Correspondence to Dr Boris Cheval, Quality of Care Division, Geneva University Hospitals, Geneva 1206, Switzerland; boris.cheval{at}unige.ch Abstract Objective To determine whether there are reciprocal relations between care-related regret and insomnia severity among healthcare professionals, and whether the use of different coping strategies influences these associations. Methods This is a multicentre international cohort study of 151 healthcare professionals working in acute care hospitals and clinics (87.4% female; mean age=30.4±8.0 years, 27.2% physicians, 48.3% nurses and 24.5% other professions) between 2014 and 2017. Weekly measures of regret intensity, number of regrets, and use of coping strategies (Regret Coping Scale) and sleep problems (Insomnia Severity Index) were assessed using a web survey. Results The associations between regret and insomnia severity were bidirectional. In a given week, regret intensity (b regret intensity→sleep =0.26, 95% credible interval (CI) (0.14 to 0.40)) and number of regrets (b number of regrets→sleep =0.43, 95% CI (0.07 to 0.53)) were significantly associated with increased insomnia severity the following week. Conversely, insomnia severity in a given week was significantly associated with higher regret intensity (b sleep→regret intensity =0.14, 95% CI (0.11 to 0.30)) and more regrets (b sleep→number of regrets =0.04, 95% CI (0.02 to 0.06)) the week after. The effects of regret on insomnia severity were much stronger than those in the opposite direction. The use of coping strategies, especially if they were maladaptive, modified the strength of these cross-lagged associations. Conclusions The present study showed that care-related regret and sleep problems are closely intertwined among healthcare professionals. Given the high prevalence of these issues, our findings call for the implementation of interventions that are specifically designed to help healthcare professionals to reduce their use of maladaptive coping strategies. emotional burde \ No newline at end of file diff --git a/input/test/Test3249.txt b/input/test/Test3249.txt new file mode 100644 index 0000000..923a152 --- /dev/null +++ b/input/test/Test3249.txt @@ -0,0 +1,13 @@ +Facebook +The Low migration ink market: Global Industry Analysis, Size, Share, Growth, Trends, and Forecasts 2018–2024 report assembles the fundamental summary of the global Low migration ink market industry. The research report represents a comprehensive presumption of the market and encloses imperative future estimations, industry-authenticated figures, and facts of the global market. It predicts inclinations and augmentation statistics with emphasis on abilities & technologies, markets & industries along with the variable market trends. It reveals fact and across-the-board consideration over the Global Low migration ink market. +Request Free Sample Report @ www.zionmarketresearch.com/sample/low-migration-ink-market +The global Low migration ink market report highlights growth factors of the main segments and sub-segments including market growth, drivers, projections, and framework of the present conditions of the market. It presents protective and pre-planned management of the market along with embracing classification, definition, chain structure, and applications. The report uses SWOT analysis for research of the Global Low migration ink market. +In-depth research of the Low migration ink market market is carried out to estimate the market. It engaged the cost, utilization, rate, import, price, gross margin, production, share and supply of the market. The research analysis uses various elements of the Low migration ink market market to evaluate the entire growth of the dominating players including their future scope. It demonstrates the positive effects standards raising revenue of the Global Low migration ink market. +Inquiry more about this report @ www.zionmarketresearch.com/inquiry/low-migration-ink-market +The countries like America, Japan, China, North America, the Middle East, Africa, and Europe are involved in the Global Low migration ink market research report. The report highlights dominating players in the global market along with their highest share, growth, contact details, and sales. It displays the statistics of the Global Low migration ink market in the form of graphical representation. +The market report estimates the significant facts and figures for the Low migration ink market market. It offers a realistic orientation of the market that works as a useful guide for marketing, sales, analysts, executives, and consultants of the industry. It offers all the functional data in the form of tables making it convenient for the players in the market. The Global Low migration ink market research report covers the crucial data regarding the all competitors ruling the Global Low migration ink market. +Browse detail report @ www.zionmarketresearch.com/report/low-migration-ink-market +Reasons to purchase this report: +This exhaustive research covers all the important information pertaining to the Low migration ink market that a reader wants to know. Zion Market Research employs the combination of secondary research followed by extensive primary research. Under secondary research, we refer to prominent paid as well as open access data sources including product literature, company annual reports, government publications, press releases, industry association's magazines and other relevant sources for data collection. Other prominent secondary sources include STATISTA, trade journals, trade associations, statistical data from government websites, etc. +For this study, Zion Market Research has conducted all-encompassing primary research with key industry participants to collect first had data. Moreover, in-depth interviews with key opinion leaders also assisted in validation of findings from secondary research and to understand key trends in the Food Antioxidants industry. Primary research makes up the major source of data collection and validation. +Key assumptions considered for this report: Average Selling Price (ASP) has been considered to determine market values All values for market size considered in US Dollar (USD) All volumes for market size & Share The competition landscape also features the SWOT analysis of the selected companie \ No newline at end of file diff --git a/input/test/Test325.txt b/input/test/Test325.txt new file mode 100644 index 0000000..a83c848 --- /dev/null +++ b/input/test/Test325.txt @@ -0,0 +1,17 @@ +Vulnerable web apps: An organisation's weak point? The majority of successful network penetration tests in 2017, broke in via vulnerable web apps Kaspersky's report found that the web applications of government bodies were the most insecure, with high-risk vulnerabilities found in every application +According to annual security tests conducted by Kaspersky Lab, 73% of successful perimeter breaches were achieved via vulnerable web applications. The most dangerous attacks are specifically planned in relation to the vulnerabilities of a particular organisation. And each organisation's IT infrastructure is unique. +Kaspersky's report found that the web applications of government bodies were the most insecure, with high-risk vulnerabilities found in every application. By contrast, e-commerce applications are better protected from possible external interference. +>Read more on The common security vulnerabilities of mobile devices +"Our research has shown that vulnerable web applications can provide gateways into corporate networks. There are many security measures that can be implemented to guard against this nature of attack – half of these breaches could have been prevented by restricting access to management interfaces. We encourage IT security specialists to identify the vulnerabilities their organisations have and focus on strengthening them," said David Emm, principal security researcher at Kaspersky Lab. Low levels of protection +The results of the 2017 research revealed that the level of protection against external cyber attacks was low or extremely low, for 43% of analysed companies. Based on the results of the survey, it is clear the issue of security should be a top business consideration for the boardroom , and a top technology consideration for CTOs and CISOs. +In 29% of external penetration test projects, Kaspersky Lab experts successfully gained the highest privileges in the entire IT infrastructure, including administrative-level access to the most important business systems, servers, network equipment and employee workstations. Internal networks are more vulnerable +The information security situation in companies' internal networks was even worse, according to the report. The level of protection against internal attackers was identified as low or extremely low for 93% of all analysed companies. +The highest privileges in the internal network were obtained in 86% of the analysed companies; and for 42% of them it took only two attack steps to achieve this. Breaching the highest privileges allows the attackers to take complete control over the whole network, including business critical systems. Update your software! +The impact of the WannaCry ransomware attack on the NHS , and other organisations across the world, was caused – in part – by obsolete software. Even when software patches are released, companies are slow to update their current systems. +>Read more on Does software quality equal software security? +In the report, this obsolete software was identified on the network perimeter of 86% of the analysed companies, and in the internal networks of 80% of companies. This suggests a poor implementation of basic IT security processes, which leaves the enterprise as an easy targets for attackers. Security tips +In order to mitigate the threats posed by cyber attackers, and enhance internal cyber security practice, CTOs should follow these guidelines: +• Pay special attention to web application security, timely updates of vulnerable software, password protection and firewall rules. +• Run regular security assessments for IT-infrastructure (including applications). +• Ensure that information security incidents are detected as early as possible. Timely detection of threat actor activities at the early stages of an attack, and a prompt response, may help prevent or substantially mitigate the damage caused. +• Mature organisations where well-established processes are in place for security assessment, vulnerability management and detection of information security incidents, may want to consider running Red Teaming-type tests. Such tests help check how well infrastructures are protected against highly skilled attackers operating with maximum stealth, as well as help train the information security service to identify attacks and react to them in real-world conditions \ No newline at end of file diff --git a/input/test/Test3250.txt b/input/test/Test3250.txt new file mode 100644 index 0000000..dfb10d9 --- /dev/null +++ b/input/test/Test3250.txt @@ -0,0 +1,21 @@ +in Book Review — by Chaman Lal — August 17, 2018 +अवध का किसान विद�रोह , स�भाष चन�द�र क�शवाहा ,२०१८, राजकमल प�रकाशन दिल�ली, प�रष�ठ 328, मूल�य 299/ र�प� +This is Subhash Kuhwaha's second book " Awadh ka kisan vidroh " on history of people's movements, he earned laurels with his first book on Chauri Chaura and now he has come up with peasant revolts in Awadh region during 20th century in British colonial period. In the beginning author has spoken about common understanding about peasants that 'good peasants are of docile nature'! Poor peasants also lack unity. Awadh peasant revolts also made Jawaharlal Nehru realise the reality of poor peasantry. There was spontaneous revolt of peasants in all districts of Awadh region during 1920-22. The leaders of revolt were Baba Ramchander, Chhote Ramchander, Dev Narain Dwidey, Rehmat Ali, Madari Pasi and others. Subhash Kushwaha opines that revaluation of Awadh peasant revolt is necessary so he undertook this task. He thinks that though Baba Ramchandder led the revolt, the role of Suraj Prasad or Chhota Ramchnder and Madari Pasi has been neglected. He has referred to few other studies of peasant struggles-D N Dhangere, Kapil Kumar and Sushil Srivastva's works in English and Mahender Pratap work-Peasant movement in UP- in Hindi are referred. Book contains nine appendices which include the details of sale of eight girls between 5 to 12 years by their father or brothers in 200 to five hundred rupees to landlords in first appendix. In second appendix details of war fund given to British for world war by landlords is noted. Third appendix carries the 22 pledges of Baba Ramchander for peasants. Fourth appendix has noted the rules of Pratapgrah Kisan Sabha. Fifth appendix carries list of 65 people who gave evidence in favour of Pratap editor Ganesh Shankar Vidyarthi, which included Nehrus and Malviya. Sixth appendix is depiction of firing at Munshiganj Bridge. Appendix seven carries the list of 21 persons listed killed in firing at Munshiganj memorial. Appendix eight carries the official list of wounded people in Munshiganj firing and appendix nine carries the list of six dead in firing. The last six appendices are related to one incident of firing in Munshiganj. Bibliography is provided by the author. +The book is well organised into eleven chapters. The first chapter focusses upon British land revenue system evolved from 22nd March 1793 after East India company had occupied most of India after 1757 Plassey war. There is reference to Jat revolts in Agra and Dhaulpur area in 1669 and 1672. Second chapter focusses upon peasant and workers revolts during British Indian period. This is a general survey of revolts at all India level like Chuad revolt during 1767-1777 of lower classes, 1770-77 Chero revolt, 1772 Sanyasi-fakir revolt led by Manju Shah. Mostly these revolts were against higher rate of land tax, which continued continuously in 1817-25, 1831, 1843, 1846 and had bigger revolt during 1855-56 of Santhals. There was forced sowing of Neel, which led to revolt during 1859-60. By 1920 end, British had laid down 35000 miles Rail lines, fourth largest in the whole world. 1917 was the year of Champarn peasant movement, which gave Gandhi a boost in Indian politics. Around 1920 there were peasant, worker revolts and alongside communal riots. With the impact of 1917 Soviet Bolshevik revolution, there were 110 strikes, participated by 25 lakh workers. By 1921, 48 labour unions had come up in Bombay. In 1921 there was Moplah revolt in south India, which took hundreds of lives. There was Bardoli peasant satygrah in Gujarat in 1927 led by Vallabh Bhai Patel. With Swami Sehjanand Saraswati appearing on scene there were number of peasant organisations coming up after 1930. In 1932, there was revolt led by Titu Mir in Barasat, there was Tebhaga and Telangana massive peasant revolts before and after partition in 1947. +In this general context, author has planned to study Awadh peasant revolt of 1920-22 which include Madari Pasi led Eka movement, which became news even for London newspapers. +Third chapter of book is focussed on peasant revolts in United Province (UP) prior to 1947. It gives background of Awadh which became part of UP in 1856. Awadh feudal lords were so dehumanised that in seven droughts, 15 lakh people were killed, these happened n 1877, 1878, 1889, 1892, 1897 and 1900. All kinds of oppression was there on peasants, they were subjected to Begaar, Nazrul +Fourth chapter draws attention to awakening among Awadh peasants and formation of peasant bodies. In 1917, initiative was taken by Jhinguri Singh and Mahadev Singh in Pratapgarh district to form Kisan Sabha. Baba Ramchander whose real name was Shridhar Balwant Jodhpurkar was born on 28th March 1863 in Maharashtra, he was a Dakshini Brahmin and left home in childhood and came to Ujjain. He went to Fiji in 1905 at the age of 42 years as Girmitia and returned in 1916. He was in touch with CF Andrews, close friend of Mahatma Gandhi. In 1917 there was peasant association formed in Allahabad also which led to formation of UP peasant association under the leadership of P D Tandon. In Kanpur also Kisan Sabha was led by Ganesh Shankar Vidyarthi in 1919. Baba Ramchander reached these areas in 1920 and got organised more kisan sabhas leading to formation of centralised Awadh Kisan Sabha in October 1920. There was a massive convention of peasants on 20-21 December 1920 at Faizabad with 80 thousand to one lakh peasants participating, where Ramchander put forward 14 point demand charter. Baba Ramchander was taken to Anand Bhavan at Allahabad and Motilal Nehru was made President of UP Kisan Sabha. +The next five chapters focus upon peasant revolts in five major districts of Awadh-Pratapgarh, Rai Braille, Faizabad, Sultanpur and Hardoi. +In fifth chapter-Peasant revolt of Pratapgarh, author gives the socio-economic data of 1901 census as out of 9 lakh population, largest population of one lakh were Kurmis, Brahmins and Rajputs were at no. two and three respectively. Awadh peasant revolt began from Pratapgarh where a mass of people got even Baba Ramchander freed from jail. Largest number of peasant organisations 20-25, here were made of lower castes by Jhinguri Singh. The impact of Baba Ramchnader returned from Fiji was at its peak during 1920-21, who was Ramkatha sayer. By June 1920, there were fifty branches of Kisan Sabhas. There were eight anti-feudal pledges which included -No to land tax, No to free labour, No to mutual clashes, Help others, no fear from police to stop oppression and trust in God. As per author's interpretation these were very weak pledges. Pandit Nehru and Gauri Shankar visited this place in September 1920, when there was 38 hour revolt on 10-11th September. There was massive gathering of sixty thousand peasants of lower castes. Here the displacement was most cruel, agitation was against this. There was Mehta committee formed to enquire. V N Mehta was liberal Deputy Commissioner of Pratapgarh. +Sixth chapter focusses upon peasant revolt in Rai Braille, Out of 10 lakh population of district, 90% were Hindus and Rai Braille city had population of 18 thousands. Here there was extreme exploitation of lower class peasants and it led to spontaneous revolt in 1921. First violent incident occurred on 2nd February 1921. Peasants attacked Fursatganj and Munshiganj bazar. There was crowd of 8-10 thousand people. Six peasants were killed and 24 were arrested. On Munshiganj Bridge, crowed swelled from three to ten thousand, Pandit Nehru reached there despite notice to return. He addressed 3-4 thousand peasants. A feudal Veerpal Singh incited the people by firing. There was fifteen rounds of firing. Even British papers carried the news of firing. 600 peasants were arrested, situation could be controlled by 11-12th January only. Pratap edited by Ganesh Shankar Vidyarthi was subjected to trial, which was defended by Hindi novelist Vrindavan Lal Verma. Moti Lal/Jawaharlal Nehru and Madan Mohan Malviya appeared as witnesses in favour of Vidyarthi ji. There were revolts in more areas as well. +Seventh chapter is focussed on Faizabad peasant revolt. Faizabad remained capital of Awadh during 1760-80. In 1921, city population was as high as eighty thousands. As per US newspaper report army was sent to quell ten thousand revolting peasants here in February 1921. It was mainly lower and untouchable castes revolt against Brahmin landlords. Revolt was led by young revolutionaries-Devnarain Pandey, Kedarnath and Suraj Prasad or Chhota Ramchander. Chhota Ramchander wished to set up parallel government. The leaders did not like each other and Congress party did not like all the leaders, who were trying to follow Bolshevik principles to organise landless hungry peasants. Abu Zafar, a cruel landlord was getting forcible poppy cultivation from peasants. London newspapers published revolts in 37 villages of the area during January 1921. There was revolt in Baskhari, 77 kilometres from Faizabad. Alopi Brahmin was a cruel landlord, on 27th January 1921, 30-40 thousand peasants gathered in Gohanna to protest. Nehru addressed the gathering in five hour long meeting. There was spirit of Hindu-Muslim unity during protest. Suraj Prasad or Chhota Ramchander was landless peasant of revolutionary nature. On his arrest there was revolt in Gosainganj railway station. There was firing on five thousand peasant gathering, no report of death but number of wounded was very high. Ahmad Khaleel was peasant leader in Akbarpur area in 1922 peasant revolt +Eighth chapter focusses upon Sultanpur. On 14th November 1920 was Kisan Sabha of Sultanpur, which got peasants from Lucknow and Gonda. There were far reaching consequences of Awadh peasant revolt which erupted due to feudal oppression patronised by colonial power. +Ninth chapter focusses upon an important Eka movement led by Madari Pasi in Hardoi district. There were Eka meetings in villages through distribution of supari. Quran Sharif and Gita-both Muslim and Hindu scriptures were kept together. Daily Mail of London described this movement in March 1922 as 'dangerous'. There are fewer facts available about Madari Pasi, who had turned into legend. Madari was born around 1860 in village Mohankheda, tehsil Sandila. He died at the age of 70 years in 1930, there are stories of Madari meeting Bhagat Singh, but not supported by facts. There is no arrest or trial shown in British records, though Kamtanath has depicted his popularity in his epic novel Kalkatha There were more heroes of peasant revolt which was crushed by army by 1922. +Tenth chapter has focussed on creation of Gandhi myth, which was created after 1917 Champaran peasant movement. Gandhi joined 25th November 1920 ten thousand peasant meeting with Baba Ramchander. Baba Ramchander arrest on 10th February 1921 was in Gandhi presence. Swami Sehjanand Saraswati the undisputed peasant leader was disillusioned by Gandhi approach towards peasant issues. +Author highlights the fact that 70 Moplah prisoners were choked to death in goods train compartment, in this movement 3266 peasants died. +Author also refers to Dr. Manilal, who played important role in Fiji and Mauritius Indians and who was close to CF Andrews. +In the last chapter-In conclusion, author refers to Baba Ramchander's release from jail in 1923 and his love for Congress. He faced charges of misappropriation f funds in 1924. He tried to get involved with peasant issues in 1929 again. In 1930, Jawaharlal Nehru became Congress President, but Congress avoided taking up peasant issues. Finally All India Kisan Sabha came into existence on 11th April 1936 in Sehjanand Saraswati leadership with CPI patronisation. Around same time came into existence PWA and AISF. Baba Ramchander again went to jail during 1930, 1941 and 1942. He died in 1950. +Subhash Chander Kushwaha has organised his research in chronological order using research methodology without being himself an academician or professional researcher. This book is continuation of his earlier work-Chauri Chaura which was based on 1922 incidents, this book focusses more on 1920-21 incidents, but he time span is more or less same. This study again underlines the fact that peasant movements and issues have been neglected by academicians as well as left activists. Peasantry which is the core of social change remains a periphery of left jargon despite the fact that since the ushering of British colonial regime, peasants had suffered maximum oppression and they had revolted, but in a scattered form, there had been no well organised all India level peasant revolt or movements. In west Bengal CPM could rule for 34 years just on the strength of Operation Burga, a major land reform, as was done earlier in Kerala, which still pays the left parties there. Suppressing peasant revolt in Singur and Nandigram caused the nemesis of left movement in West Bengal, which has by now slipped so much that they are losing all mass base in the state and even in adjoining Tripura. +Author has underlined the specific aspect of Faizabad's landless peasant struggle. Awadh peasant struggle should be studied in link with Tebhaga, Telangana and Pepsu's Mujara-landless peasant movement of 1948 led by Red Party, which was also crushed by army. +It is worthwhile study of peasant movement of Awadh. +Chaman Lal , Former President JNU Teachers Association(JNUTA) Fellow(Senator), Panjab University Chandigarh Former Visiting Professor in Hindi-The University of the West Indies, Trinidad&Tobago Other mail prof.chaman@outlook.com/prof_chaman@yahoo.co \ No newline at end of file diff --git a/input/test/Test3251.txt b/input/test/Test3251.txt new file mode 100644 index 0000000..07e1a03 --- /dev/null +++ b/input/test/Test3251.txt @@ -0,0 +1,13 @@ +Facebook +The Anti-Reflective Coatings Market is Set for a Rapid Growth and is Expected to Reach USD 5.71 Billion by 2022 report assembles the fundamental summary of the global Anti-Reflective Coatings Market industry. The research report represents a comprehensive presumption of the market and encloses imperative future estimations, industry-authenticated figures, and facts of the global market. It predicts inclinations and augmentation statistics with emphasis on abilities & technologies, markets & industries along with the variable market trends. It reveals fact and across-the-board consideration over the Global Anti-Reflective Coatings Market. +Request Free Sample Report @ www.zionmarketresearch.com/sample/anti-reflective-coatings-market +The global Anti-Reflective Coatings Market report highlights growth factors of the main segments and sub-segments including market growth, drivers, projections, and framework of the present conditions of the market. It presents protective and pre-planned management of the market along with embracing classification, definition, chain structure, and applications. The report uses SWOT analysis for research of the Global Anti-Reflective Coatings Market. +In-depth research of the Anti-Reflective Coatings Market market is carried out to estimate the market. It engaged the cost, utilization, rate, import, price, gross margin, production, share and supply of the market. The research analysis uses various elements of the Anti-Reflective Coatings Market market to evaluate the entire growth of the dominating players including their future scope. It demonstrates the positive effects standards raising revenue of the Global Anti-Reflective Coatings Market. +Inquiry more about this report @ www.zionmarketresearch.com/inquiry/anti-reflective-coatings-market +The countries like America, Japan, China, North America, the Middle East, Africa, and Europe are involved in the Global Anti-Reflective Coatings Market research report. The report highlights dominating players in the global market along with their highest share, growth, contact details, and sales. It displays the statistics of the Global Anti-Reflective Coatings Market in the form of graphical representation. +The market report estimates the significant facts and figures for the Anti-Reflective Coatings Market market. It offers a realistic orientation of the market that works as a useful guide for marketing, sales, analysts, executives, and consultants of the industry. It offers all the functional data in the form of tables making it convenient for the players in the market. The Global Anti-Reflective Coatings Market research report covers the crucial data regarding the all competitors ruling the Global Anti-Reflective Coatings Market. +Browse detail report @ www.zionmarketresearch.com/report/anti-reflective-coatings-market +Reasons to purchase this report: +This exhaustive research covers all the important information pertaining to the Anti-Reflective Coatings Market that a reader wants to know. Zion Market Research employs the combination of secondary research followed by extensive primary research. Under secondary research, we refer to prominent paid as well as open access data sources including product literature, company annual reports, government publications, press releases, industry association's magazines and other relevant sources for data collection. Other prominent secondary sources include STATISTA, trade journals, trade associations, statistical data from government websites, etc. +For this study, Zion Market Research has conducted all-encompassing primary research with key industry participants to collect first had data. Moreover, in-depth interviews with key opinion leaders also assisted in validation of findings from secondary research and to understand key trends in the Food Antioxidants industry. Primary research makes up the major source of data collection and validation. +Key assumptions considered for this report: Average Selling Price (ASP) has been considered to determine market values All values for market size considered in US Dollar (USD) All volumes for market size & Share The competition landscape also features the SWOT analysis of the selected companie \ No newline at end of file diff --git a/input/test/Test3252.txt b/input/test/Test3252.txt new file mode 100644 index 0000000..f756a20 --- /dev/null +++ b/input/test/Test3252.txt @@ -0,0 +1 @@ +Follow "In the stock game, winning means reaching a higher price." However, striking the right chord each time needs a fair amount of luck. No matter how disciplined and systematic investors are, equity market volatility will always manage to get the better of them. While a few lucky ones rake in the moolah, others fall victim to ad hoc strategies. One could resort to commonly used techniques to find beaten down stocks that have the potential to recover faster than others. However, even such investment choices bear the risk of disappointment. Particularly, one could fall into the value trap if the hidden weaknesses in a selected stock are not identified. So, wouldn't it be a safer strategy to look for stocks that are winners currently and have the potential to gain further? Sounds a good idea? Here is how to execute it: One should primarily target stocks that have recently been on a bullish run. Actually, stocks seeing price strength recently have a high chance of carrying the momentum forward. If a stock is continuously on an uptrend, there must be a solid reason or else it would have probably crashed. So, looking at stocks that are capable of beating the benchmark that they have set for themselves seems rational. However, recent price strength alone cannot create the magic. Therefore, you need to set other relevant parameters to create a successful investment strategy. Here's how you should create the screen to shortlist the current as well as the potential winners. Screening Parameters: Percentage Change in Price (4 Weeks) greater than zero: This criterion shows that the stock has moved higher in the last four weeks. Percentage Change Price (12 Weeks) greater than 10: This indicates that the stock has seen momentum over the last three months. This lowers the risk of choosing stocks that may have drawn attention due to the overwhelming performance of the overall market in a very short period. Zacks Rank 1: No matter whether market conditions are good or bad, stocks with a Zacks Rank #1 (Strong Buy) have a proven history of outperformance. You can see the complete list of today's Zacks #1 Rank stocks here . Average Broker Rating 1: This indicates that brokers are also highly hopeful about the stock's future performance. Current Price greater than 5: The stocks must all be trading at a minimum of $5. Current Price/ 52-Week High-Low Range more than 85%: This criterion filters stocks that are trading near their respective 52-week highs. It indicates that these are strong enough in terms of price. Here are six of the 15 stocks that made it through this screen: Nomad Foods Ltd. (NYSE: NOMD ) manufactures and distributes frozen foods primarily in the United Kingdom, Italy, Germany, Sweden, France and Norway. Last quarter, the company delivered a positive earnings surprise of 3.9%. Gray Television Inc. (NYSE: GTN ) is a communications company headquartered in Atlanta, GA, and currently operates 15 CBS-affiliated television stations, seven NBC-affiliated television stations, seven ABC-affiliated television stations and four daily newspapers. Last quarter, the company delivered a positive earnings surprise of 128.6%. Federal Signal Corporation (NYSE: FSS ) is a manufacturer and worldwide supplier of safety, signaling and communications equipment, hazardous area lighting, fire rescue products, street sweeping and vacuum loader vehicles, parking control equipment, custom on-premise signage, carbide cutting tools, precision punches and related die components. Last quarter, the company delivered a positive earnings surprise of 16.7%. POSCO (NYSE: PKX ) , formerly known as Pohang Iron & Steel Company Ltd., manufactures hot and cold rolled steel products, heavy plate and other steel products for the construction and shipbuilding industries. Braskem SA (NYSE: BAK ) is the largest petrochemical operation in Latin America and is one of the five largest private companies in Brazil. With industrial facilities located in Alagoas, Bahia, São Paulo and Rio Grande do Sul, Braskem produces primary base petrochemicals such as ethylene, propylene, benzene, caprolactam, DMT and termoplastic resins (polypropylene, polyethylene, PVC and PET) gas and GLP. KB Financial Group Inc. (NYSE: KB ) is a commercial bank in Korea. On the asset side, the company provides credit and related financial services to individuals and small and medium-sized enterprises and, to a lesser extent, to large corporate customers. On the deposit side, it provides a range of deposit products and related services to individuals and enterprises of all sizes. Get the rest of the stocks on the list and start putting this and other ideas to the test. It can all be done with the Research Wizard stock picking and backtesting software. The Research Wizard is a great place to begin. It's easy to use. Everything is in plain language. And it's very intuitive. Start your Research Wizard trial today. And the next time you read an economic report, open up the Research Wizard, plug your finds in, and see what gems come out. Click here to sign up for a free trial to the Research Wizard today . Disclosure: Officers, directors and/or employees of Zacks Investment Research may own or have sold short securities and/or hold long and/or short positions in options that are mentioned in this material. An affiliated investment advisory firm may own or have sold short securities and/or hold long and/or short positions in options that are mentioned in this material. Disclosure: Performance information for Zacks' portfolios and strategies are available at: https://www.zacks.com/performance . Zacks Restaurant Recommendations: In addition to dining at these special places, you can feast on their stock shares. A Zacks Special Report spotlights 5 recent IPOs to watch plus 2 stocks that offer immediate promise in a booming sector. Download it free  \ No newline at end of file diff --git a/input/test/Test3253.txt b/input/test/Test3253.txt new file mode 100644 index 0000000..a13b789 --- /dev/null +++ b/input/test/Test3253.txt @@ -0,0 +1,30 @@ +close Video Google reportedly strengthens its Communist China ties Google shut down its Chinese search engine in 2010. But new reports say Google is building a brand new, censored search engine that will allow it to re-enter the Chinese market, where it will be actively abetting the Communist police state. Last year, Google opened a major artificial intelligence research center in China. #Tucker +Google employees have written a letter to company management expressing their displeasure with the tech giant's proposed search engine for China, which would see certain search results be censored at the Chinese government's request. Employees have demanded that the company be more transparent about its decisions, and the letter also calls the project's ethics into question. +The letter, obtained by BuzzFeed News , states that the Mountain View, Calif.-based search giant needs to have more transparency about how it operates and relay that to its employees. "Our industry has entered a new era of ethical responsibility: the choices we make matter on a global scale," the letter states, specifically referencing the Chinese search engine project, codenamed Dragonfly. +The letter continues: +"Yet most of us only learned about project Dragonfly through news reports in early August. Dragonfly is reported to be an effort to provide search and personalized mobile news to China, in compliance with Chinese government censorship and surveillance requirements. Eight year ago, after Google Pulled censored websearch out of China, Sergey Brin explained the decision, saying: 'In some aspects of [government] policy, particularly with respect to censorship, with respect to surveillance of dissidents, I see some earmarks of totalitarianism.' Dragonfly and Google's return to China raise urgent moral and ethical issues, the substance of which we are discussing elsewhere." +REPORT REVEALS GOOGLE IS TRACKING YOU IF YOU LIKE IT OR NOT +The letter has been signed by approximately 1,000 people at the company, according to The New York Times , which first reported the dissent. +In addition, the letter also asks management to satisfy four conditions regarding ethics and transparency: +1. An ethics review structure that includes rank and file employee representatives +2. The appointment of ombudspeople with meaningful employee input into their selection +3. A clear plan for transparency sufficient to enable Googlers an individual ethical choice about what they work on; and +4. The publication of "ethical test cases"; an ethical assessment of Dragonfly, Maven, and Airgap GCP with respect to the AI principles; and regular, official, internally visible communication and assessments regarding any new areas of substantial ethical concern. +Fox News has reached out to Google with a request for comment on this story. +HOW TO FIND AND DELETE WHERE GOOGLE KNOWS YOU'VE BEEN +Google's rocky history in China Rumors of the Chinese-based search engine have circulated over the past few weeks after The Intercept reported that it had seen leaked documents, suggesting the Sundar Pichai-led Google was planning to re-enter China, nearly 8 years after leaving the country. +The search engine, which would be app-based, would remove items that contain certain words or phrases and would apply to image search, suggested search features and automatic spell check. It would also "blacklist sensitive queries" so no results are shown when a person looks for a specific word or phrase, The Intercept added. +The app will also identify topics and websites that are blocked by China's Great Firewall, according to the documents. According to the documents seen by The Intercept, examples that will be censored include British broadcaster BBC and Wikipedia. +In 2010, Google famously announced it was leaving China, specifically mentioning China's censoring tactics as a reason for pulling out of the country. +GOOGLE IS FINED $5B BY EU IN ANDROID ANTITRUST CASE +Negative reaction to Dragonfly As rumors of the China-based search engine have trickled out in the press, reaction on social media has been negative, with many calling the company's infamous "Don't be evil" motto into question. +"It's quite ridiculous that in the 21st century one of the most powerful countries in the world denies its citizens access to common knowledge," one user wrote. "If Google cares about its reputation (at the very least) then it should definitely reconsider project Dragonfly." +It's quite ridiculous that in the 21st century one of the most powerful countries in the world denies its citizens access to common knowledge. If Google cares about its reputation (at the very least) then it should definitely reconsider project Dragonfly. https://t.co/8NVghaFTxs +— Daria Leshchenko (@dariajollyswell) August 7, 2018 Another person, a self-described "Silicon Valley refugee," simply said that Project Dragonfly is EVIL‼� +Project Dragonfly is EVIL‼� +— zerepmot (@zerepmot) August 8, 2018 Earlier this year, Google dropped "Don't be evil" from its official code of conduct. +The Intercept notes that only a "few hundred" employees at the company know about the project. According to its most recent quarterly report , Alphabet (Google's parent company), employed 89,058 people as of June 30. +Earlier this year company employees also protested Google's work with the U.S. military, known as Project Maven, a controversial program that uses artificial intelligence to improve drone targeting. +Several employees even resigned in protest at the company's work, with a number of employees writing a letter to Pichai that the company "should not be in the business of war." +According to media reports, Google will not seek another contract when the current Project Maven contract expires in 2019. +Fox News' Christopher Carbone and James Rogers contributed to this report. Follow Chris Ciaccia on Twitter @Chris_Ciacci \ No newline at end of file diff --git a/input/test/Test3254.txt b/input/test/Test3254.txt new file mode 100644 index 0000000..f3355b6 --- /dev/null +++ b/input/test/Test3254.txt @@ -0,0 +1,6 @@ +Tweet +Intra-Cellular Therapies (NASDAQ: ITCI) has recently received a number of price target changes and ratings updates: 8/3/2018 – Intra-Cellular Therapies had its "buy" rating reaffirmed by analysts at Royal Bank of Canada. They now have a $35.00 price target on the stock. 8/3/2018 – Intra-Cellular Therapies was upgraded by analysts at ValuEngine from a "hold" rating to a "buy" rating. 8/2/2018 – Intra-Cellular Therapies had its "buy" rating reaffirmed by analysts at Cantor Fitzgerald. They now have a $28.00 price target on the stock. They wrote, ": We reiterate the Overweight rating and $28 PT for ITCI stock. We believe intense market focus on lumateperone in schizophrenia as the primary value driver could dissipate somewhat with evidence that pipeline assets/ indications could bear fruit. By the time the schizophrenia indication may be viewed as viable, we believe it could embody a far smaller commercial opportunity relative to the aggregate potential of the pharmacophore and ITI-214 in other indications."" 8/2/2018 – Intra-Cellular Therapies was given a new $31.00 price target on by analysts at Canaccord Genuity. They now have a "buy" rating on the stock. 7/23/2018 – Intra-Cellular Therapies had its "buy" rating reaffirmed by analysts at Cantor Fitzgerald. They now have a $28.00 price target on the stock. They wrote, ": We reiterate our Overweight rating and $28 PT for ITCI stock. We believe investors should be optimistic about lumateperone's future, but we recognize that skepticism persists about its approvability as a treatment for schizophrenia. We note that the drug candidate is also being tested in bipolar depression and agitation related to dementia. Overlooked, given the intense focus on lumateperone, may be ITCI's phosphodiesterase (PDE) enzyme platform. As clinical evidence emerges from ITCI's PDE inhibitor portfolio, we believe alternative sources of share value creation should come into focus."" 7/6/2018 – Intra-Cellular Therapies was upgraded by analysts at BidaskClub from a "sell" rating to a "hold" rating. 6/27/2018 – Intra-Cellular Therapies was downgraded by analysts at ValuEngine from a "buy" rating to a "hold" rating. 6/22/2018 – Intra-Cellular Therapies was downgraded by analysts at BidaskClub from a "hold" rating to a "sell" rating. +ITCI opened at $19.57 on Friday. Intra-Cellular Therapies Inc has a 1 year low of $10.82 and a 1 year high of $25.82. The firm has a market capitalization of $1.16 billion, a P/E ratio of -9.23 and a beta of 0.81. Get Intra-Cellular Therapies Inc alerts: +Intra-Cellular Therapies (NASDAQ:ITCI) last posted its earnings results on Thursday, August 2nd. The biopharmaceutical company reported ($0.68) earnings per share (EPS) for the quarter, beating the consensus estimate of ($0.76) by $0.08. Intra-Cellular Therapies had a negative net margin of 39,745.53% and a negative return on equity of 31.73%. research analysts anticipate that Intra-Cellular Therapies Inc will post -3.2 earnings per share for the current year. +A number of hedge funds and other institutional investors have recently modified their holdings of ITCI. NumerixS Investment Technologies Inc purchased a new stake in Intra-Cellular Therapies in the 2nd quarter worth $167,000. Cubist Systematic Strategies LLC increased its holdings in Intra-Cellular Therapies by 53.0% in the 2nd quarter. Cubist Systematic Strategies LLC now owns 9,641 shares of the biopharmaceutical company's stock worth $170,000 after acquiring an additional 3,339 shares in the last quarter. Atlantic Trust Group LLC purchased a new stake in Intra-Cellular Therapies in the 1st quarter worth $215,000. Raymond James & Associates purchased a new stake in Intra-Cellular Therapies in the 4th quarter worth $237,000. Finally, MetLife Investment Advisors LLC purchased a new stake in Intra-Cellular Therapies in the 4th quarter worth $246,000. 71.56% of the stock is owned by institutional investors. +Intra-Cellular Therapies, Inc, a biopharmaceutical company, engages in developing novel drugs for the treatment of neuropsychiatric and neurodegenerative diseases. The company is developing its lead drug candidate, lumateperone, known as ITI-007, for the treatment of schizophrenia, bipolar disorder, behavioral disturbances in patients with dementia, and other neuropsychiatric and neurological disorders \ No newline at end of file diff --git a/input/test/Test3255.txt b/input/test/Test3255.txt new file mode 100644 index 0000000..d034cd1 --- /dev/null +++ b/input/test/Test3255.txt @@ -0,0 +1,7 @@ +Tweet +Bowling Portfolio Management LLC bought a new position in Hancock Holding (NASDAQ:HBHC) in the 2nd quarter, according to its most recent disclosure with the Securities & Exchange Commission. The firm bought 16,302 shares of the financial services provider's stock, valued at approximately $760,000. +A number of other hedge funds have also recently modified their holdings of the stock. Cahaba Wealth Management Inc. acquired a new position in Hancock during the second quarter worth $298,000. WINTON GROUP Ltd acquired a new position in Hancock during the first quarter worth $401,000. Cookson Peirce & Co. Inc. acquired a new position in Hancock during the first quarter worth $489,000. Xact Kapitalforvaltning AB raised its stake in Hancock by 38.6% during the first quarter. Xact Kapitalforvaltning AB now owns 10,774 shares of the financial services provider's stock worth $557,000 after acquiring an additional 3,000 shares in the last quarter. Finally, Ramsey Quantitative Systems raised its stake in Hancock by 155.5% during the second quarter. Ramsey Quantitative Systems now owns 12,711 shares of the financial services provider's stock worth $593,000 after acquiring an additional 7,736 shares in the last quarter. 75.66% of the stock is owned by hedge funds and other institutional investors. Get Hancock alerts: +Hancock stock opened at $51.65 on Friday. The company has a debt-to-equity ratio of 0.10, a current ratio of 0.81 and a quick ratio of 0.80. Hancock Holding has a 52-week low of $41.05 and a 52-week high of $56.40. The firm has a market cap of $4.41 billion, a price-to-earnings ratio of 17.69, a P/E/G ratio of 1.68 and a beta of 1.04. +HBHC has been the subject of several recent analyst reports. SunTrust Banks dropped their price objective on Hancock to $54.00 and set a "hold" rating for the company in a research note on Thursday, April 19th. Keefe, Bruyette & Woods reiterated a "buy" rating and set a $60.00 price objective on shares of Hancock in a research note on Thursday, April 19th. Five research analysts have rated the stock with a hold rating and four have assigned a buy rating to the company's stock. The company has an average rating of "Hold" and a consensus target price of $56.86. +Hancock Company Profile +Hancock Holding Company operates as the bank holding company for Whitney Bank that provides a range of community banking services to commercial, small business, and retail customers. The company offers various deposit products, including noninterest-bearing demand deposits, interest-bearing transaction accounts, savings accounts, money market deposit accounts, and time deposit accounts \ No newline at end of file diff --git a/input/test/Test3256.txt b/input/test/Test3256.txt new file mode 100644 index 0000000..c950369 --- /dev/null +++ b/input/test/Test3256.txt @@ -0,0 +1,37 @@ +0 36 +KUTUPALONG REFUGEE CAMP, Bangladesh (Reuters) – Mohib Bullah is not your typical human rights investigator. He chews betel and he lives in a rickety hut made of plastic and bamboo. Sometimes, he can be found standing in a line for rations at the Rohingya refugee camp where he lives in Bangladesh. +Mohib Bullah, a member of Arakan Rohingya Society for Peace and Human Rights, writes after collecting data about victims of a military crackdown in Myanmar, at Kutupalong camp in Cox's Bazar, Bangladesh, April 21, 2018. REUTERS/Mohammad Ponir Hossain +Yet Mohib Bullah is among a group of refugees who have achieved something that aid groups, foreign governments and journalists have not. They have painstakingly pieced together, name-by-name, the only record of Rohingya Muslims who were allegedly killed in a brutal crackdown by Myanmar's military. +The bloody assault in the western state of Rakhine drove more than 700,000 of the minority Rohingya people across the border into Bangladesh, and left thousands of dead behind. +Aid agency Médecins Sans Frontières, working in Cox's Bazar at the southern tip of Bangladesh, estimated in the first month of violence, beginning at the end of August 2017, that at least 6,700 Rohingya were killed. But the survey, in what is now the largest refugee camp in the world, was limited to the one month and didn't identify individuals. +The Rohingya list makers pressed on and their final tally put the number killed at more than 10,000. Their lists, which include the toll from a previous bout of violence in October 2016, catalog victims by name, age, father's name, address in Myanmar, and how they were killed. +"When I became a refugee I felt I had to do something," says Mohib Bullah, 43, who believes that the lists will be historical evidence of atrocities that could otherwise be forgotten. +Myanmar government officials did not answer phone calls seeking comment on the Rohingya lists. Late last year, Myanmar's military said that 13 members of the security forces had been killed. It also said it recovered the bodies of 376 Rohingya militants between Aug. 25 and Sept. 5, which is the day the army says its offensive against the militants officially ended. +Rohingya regard themselves as native to Rakhine State. But a 1982 law restricts citizenship for the Rohingya and other minorities not considered members of one of Myanmar's "national races". Rohingya were excluded from Myanmar's last nationwide census in 2014, and many have had their identity documents stripped from them or nullified, blocking them from voting in the landmark 2015 elections. The government refuses even to use the word "Rohingya," instead calling them "Bengali" or "Muslim." +Now in Bangladesh and able to organize without being closely monitored by Myanmar's security forces, the Rohingya have armed themselves with lists of the dead and pictures and video of atrocities recorded on their mobile phones, in a struggle against attempts to erase their history in Myanmar. +The Rohingya accuse the Myanmar army of rapes and killings across northern Rakhine, where scores of villages were burnt to the ground and bulldozed after attacks on security forces by Rohingya insurgents. The United Nations has said Myanmar's military may have committed genocide. +Myanmar says what it calls a "clearance operation" in the state was a legitimate response to terrorist attacks. Mohib Bullah, a member of Arakan Rohingya Society for Peace and Human Rights, helps a boy during data entry on a laptop given by Human Rights Watch in Cox's Bazar, Bangladesh, April 21, 2018. REUTERS/Mohammad Ponir Hossain "NAME BY NAME" +Clad in longyis, traditional Burmese wrap-arounds tied at the waist, and calling themselves the Arakan Rohingya Society for Peace & Human Rights, the list makers say they are all too aware of accusations by the Myanmar authorities and some foreigners that Rohingya refugees invent stories of tragedy to win global support. +But they insist that when listing the dead they err on the side of under-estimation. +Mohib Bullah, who was previously an aid worker, gives as an example the riverside village of Tula Toli in Maungdaw district, where – according to Rohingya who fled – more than 1,000 were killed. "We could only get 750 names, so we went with 750," he said. +"We went family by family, name by name," he added. "Most information came from the affected family, a few dozen cases came from a neighbor, and a few came from people from other villages when we couldn't find the relatives." +In their former lives, the Rohingya list makers were aid workers, teachers and religious scholars. Now after escaping to become refugees, they say they are best placed to chronicle the events that took place in northern Rakhine, which is out-of-bounds for foreign media, except on government-organized trips. +"Our people are uneducated and some people may be confused during the interviews and investigations," said Mohammed Rafee, a former administrator in the village of Kyauk Pan Du who has worked on the lists. But taken as a whole, he said, the information collected was "very reliable and credible." SPRAWLING PROJECT +Getting the full picture is difficult in the teeming dirt lanes of the refugee camps. Crowds of people gather to listen – and add their comments – amid booming calls to prayer from makeshift mosques and deafening downpours of rain. Even something as simple as a date can prompt an argument. +What began tentatively in the courtyard of a mosque after Friday prayers one day last November became a sprawling project that drew in dozens of people and lasted months. +The project has its flaws. The handwritten lists were compiled by volunteers, photocopied, and passed from person to person. The list makers asked questions in Rohingya about villages whose official names were Burmese, and then recorded the information in English. The result was a jumble of names: for example, there were about 30 different spellings for the village of Tula Toli. +Wrapped in newspaper pages and stored on a shelf in the backroom of a clinic, the lists that Reuters reviewed were labeled as beginning in October 2016, the date of a previous exodus of Rohingya from Rakhine. There were also a handful of entries dated 2015 and 2012. And while most of the dates were European-style, with the day first and then the month, some were American-style, the other way around. So it wasn't possible to be sure if an entry was, say, May 9 or September 5. +It is also unclear how many versions of the lists there are. During interviews with Reuters, Rohingya refugees sometimes produced crumpled, handwritten or photocopied papers from shirt pockets or folds of their longyis. +The list makers say they have given summaries of their findings, along with repatriation demands, to most foreign delegations, including those from the United Nations Fact-Finding Mission, who have visited the refugee camps. Slideshow (3 Images) A LEGACY FOR SURVIVORS +The list makers became more organized as weeks of labor rolled into months. They took over three huts and held meetings, bringing in a table, plastic chairs, a laptop and a large banner carrying the group's name. +The MSF survey was carried out to determine how many people might need medical care, so the number of people killed and injured mattered, and the identity of those killed was not the focus. It is nothing like the mini-genealogy with many individual details that was produced by the Rohingya. +Mohib Bullah and some of his friends say they drew up the lists as evidence of crimes against humanity they hope will eventually be used by the International Criminal Court, but others simply hope that the endeavor will return them to the homes they lost in Myanmar. +"If I stay here a long time my children will wear jeans. I want them to wear longyi. I do not want to lose my traditions. I do not want to lose my culture," said Mohammed Zubair, one of the list makers. "We made the documents to give to the U.N. We want justice so we can go back to Myanmar." +Matt Wells, a senior crisis advisor for Amnesty International, said he has seen refugees in some conflict-ridden African countries make similar lists of the dead and arrested but the Rohingya undertaking was more systematic. "I think that's explained by the fact that basically the entire displaced population is in one confined location," he said. +Wells said he believes the lists will have value for investigators into possible crimes against humanity. +"In villages where we've documented military attacks in detail, the lists we've seen line up with witness testimonies and other information," he said. +Spokespeople at the ICC's registry and prosecutors' offices, which are closed for summer recess, did not immediately provide comment in response to phone calls and emails from Reuters. +The U.S. State Department also documented alleged atrocities against Rohingya in an investigation that could be used to prosecute Myanmar's military for crimes against humanity, U.S. officials have told Reuters. For that and the MSF survey only a small number of the refugees were interviewed, according to a person who worked on the State Department survey and based on published MSF methodology. +MSF did not respond to requests for comment on the Rohingya lists. The U.S. State Department declined to share details of its survey and said it wouldn't speculate on how findings from any organization might be used. +For Mohammed Suleman, a shopkeeper from Tula Toli, the Rohingya lists are a legacy for his five-year-old daughter. He collapsed, sobbing, as he described how she cries every day for her mother, who was killed along with four other daughters. +"One day she will grow up. She may be educated and want to know what happened and when. At that time I may also have died," he said. "If it is written in a document, and kept safely, she will know what happened to her family." Additional reporting by Shoon Naing and Poppy Elena McPherson in YANGON and Toby Sterling in AMSTERDAM; Editing by John Chalmers and Martin Howell Our Standards: The Thomson Reuters Trust Principles. 2018-08-17 04:52:2 \ No newline at end of file diff --git a/input/test/Test3257.txt b/input/test/Test3257.txt new file mode 100644 index 0000000..4fd552a --- /dev/null +++ b/input/test/Test3257.txt @@ -0,0 +1,9 @@ +RRB Group D admit card 2018: Exam in September, call letters expected by August-end +RRB ALP 2018 admit card: The Railway Recruitment Board (RRB) has issued the call letter for Assistant Loco Pilot and Technician recruitment August 21 examination. The call letters for August 20 exam were also released yesterday, on August 16. The computer-based examination is being conducted in three shifts. Once released, all those candidates who will be appearing for the exams can download the admit card through the official website, indianrailways.gov.in. No call letter will be sent through e-mail. +The duration of the exam will be 60 minutes and the same will be conducted in 15 languages. There will be a total of 75 multiple-choice questions and one-third marks will be deducted for every wrong answer. Around 1.5 crore candidates applied for nearly one lakh jobs, the notification of which was released in March. The examination was initially scheduled to be conducted in the month of March and April. RRB ALP admit card 2018: Steps to download +Step 1: Visit the official website mentioned above +Step 2: Click on the link 'Download Admit Card' +Step 3: Enter the registration number, roll number +Step 4: Call letter will appear on the screen +Step 5: Download it, and take a print out for further reference. Qualifying marks +The candidate needs to secure a minimum score of 42 marks in each of the test batteries to qualify. This is applicable to all candidates and no relaxation is permissible. For all latest Govt Jobs 2018 , Railway Jobs , Bank Jobs and SSC Jobs log on to IndianExpress.com. We bring you fastest and relevant notifications on Bank, Railways and Govt Jobs. Stay Connected. Must Watc \ No newline at end of file diff --git a/input/test/Test3258.txt b/input/test/Test3258.txt new file mode 100644 index 0000000..9d544b2 --- /dev/null +++ b/input/test/Test3258.txt @@ -0,0 +1 @@ +This week's picks include Netflix death row documentary series I Am a Killer \ No newline at end of file diff --git a/input/test/Test3259.txt b/input/test/Test3259.txt new file mode 100644 index 0000000..b8aa59a --- /dev/null +++ b/input/test/Test3259.txt @@ -0,0 +1,9 @@ +Tweet +CIBC Private Wealth Group LLC lessened its stake in Genuine Parts (NYSE:GPC) by 11.0% in the second quarter, according to the company in its most recent disclosure with the Securities and Exchange Commission. The fund owned 14,090 shares of the specialty retailer's stock after selling 1,750 shares during the period. CIBC Private Wealth Group LLC's holdings in Genuine Parts were worth $1,293,000 at the end of the most recent reporting period. +Several other large investors also recently modified their holdings of the stock. Montag A & Associates Inc. increased its stake in shares of Genuine Parts by 1.2% in the first quarter. Montag A & Associates Inc. now owns 46,963 shares of the specialty retailer's stock worth $4,219,000 after buying an additional 560 shares during the last quarter. Farmers & Merchants Investments Inc. increased its stake in shares of Genuine Parts by 1.1% in the second quarter. Farmers & Merchants Investments Inc. now owns 52,611 shares of the specialty retailer's stock worth $4,829,000 after buying an additional 570 shares during the last quarter. WINTON GROUP Ltd increased its stake in shares of Genuine Parts by 16.6% in the first quarter. WINTON GROUP Ltd now owns 4,165 shares of the specialty retailer's stock worth $374,000 after buying an additional 592 shares during the last quarter. Advisor Partners LLC increased its stake in shares of Genuine Parts by 10.4% in the second quarter. Advisor Partners LLC now owns 6,277 shares of the specialty retailer's stock worth $576,000 after buying an additional 592 shares during the last quarter. Finally, Creative Financial Designs Inc. ADV increased its stake in shares of Genuine Parts by 50.3% in the second quarter. Creative Financial Designs Inc. ADV now owns 1,828 shares of the specialty retailer's stock worth $168,000 after buying an additional 612 shares during the last quarter. Institutional investors and hedge funds own 74.08% of the company's stock. Get Genuine Parts alerts: +GPC has been the subject of a number of research analyst reports. Zacks Investment Research upgraded shares of Genuine Parts from a "sell" rating to a "hold" rating in a research note on Monday, June 11th. Royal Bank of Canada dropped their price target on shares of Genuine Parts to $94.00 and set a "market perform" rating for the company in a research note on Friday, April 20th. Finally, Wedbush lifted their price target on shares of Genuine Parts from $93.00 to $100.00 and gave the stock a "neutral" rating in a research note on Friday, July 20th. One investment analyst has rated the stock with a sell rating, seven have given a hold rating and one has issued a buy rating to the company. Genuine Parts currently has a consensus rating of "Hold" and a consensus target price of $101.50. +Genuine Parts stock opened at $98.46 on Friday. The firm has a market capitalization of $14.39 billion, a price-to-earnings ratio of 21.22, a price-to-earnings-growth ratio of 2.61 and a beta of 1.20. The company has a debt-to-equity ratio of 0.70, a current ratio of 1.33 and a quick ratio of 0.71. Genuine Parts has a 12 month low of $81.21 and a 12 month high of $107.75. +Genuine Parts (NYSE:GPC) last released its quarterly earnings data on Thursday, July 19th. The specialty retailer reported $1.59 EPS for the quarter, topping analysts' consensus estimates of $1.58 by $0.01. The firm had revenue of $4.82 billion during the quarter, compared to the consensus estimate of $4.69 billion. Genuine Parts had a net margin of 3.78% and a return on equity of 21.62%. The firm's revenue was up 17.6% on a year-over-year basis. During the same quarter in the previous year, the company posted $1.29 earnings per share. analysts anticipate that Genuine Parts will post 5.66 earnings per share for the current fiscal year. +In other Genuine Parts news, insider James R. Neill sold 512 shares of Genuine Parts stock in a transaction on Thursday, July 26th. The shares were sold at an average price of $97.94, for a total value of $50,145.28. Following the completion of the transaction, the insider now owns 5,661 shares of the company's stock, valued at $554,438.34. The transaction was disclosed in a filing with the SEC, which is accessible through the SEC website . Insiders own 3.10% of the company's stock. +Genuine Parts Company Profile +Genuine Parts Company distributes automotive replacement and industrial parts, electrical and electronic materials, and business products in the United States, Canada, Mexico, Australasia, France, the United Kingdom, Germany, and Poland. The company distributes automotive replacement parts for imported vehicles, trucks, SUVs, buses, motorcycles, recreational vehicles, farm vehicles, small engines, farm equipment, and heavy duty equipment through 57 NAPA automotive parts distribution centers and 1,100 NAPA AUTO PARTS stores \ No newline at end of file diff --git a/input/test/Test326.txt b/input/test/Test326.txt new file mode 100644 index 0000000..e9cf3a0 --- /dev/null +++ b/input/test/Test326.txt @@ -0,0 +1,15 @@ +Smokers better off quitting, even with weight gain: Study Smokers better off quitting, even with weight gain: Study AP New York, Aug 17 FILE - In this June 22, 2012 file photo, a smoker extinguishes a cigarette in an ash tray in Sacramento, Calif. If you quit smoking and gain weight, it may seem like you're trading one set of health problems for another. But a new U.S. study released on Wednesday, Aug. 15, 2018 finds you're still better off in the long run. (AP Photo/Rich Pedroncelli, File) +If you quit smoking and gain weight, it may seem like you're trading one set of health problems for another. But a new U.S. study finds you're still better off in the long run. +Compared with smokers, even the quitters who gained the most weight had at least a 50 percent lower risk of dying prematurely from heart disease and other causes, the Harvard-led study found. +The study is impressive in its size and scope and should put to rest any myth that there are prohibitive weight-related health consequences to quitting cigarettes, said Dr. William Dietz, a public health expert at George Washington University. +"The paper makes pretty clear that your health improves, even if you gain weight," said Dietz, who was not involved in the research. "I don't think we knew that with the assurance that this paper provides." +The New England Journal of Medicine published the study Wednesday. The journal also published a Swedish study that found quitting smoking seems to be the best thing diabetics can do to cut their risk of dying prematurely. +The nicotine in cigarettes can suppress appetite and boost metabolism. Many smokers who quit and don't step up their exercise find they eat more and gain weight — typically less than 10 pounds (4.5 kilograms), but in some cases three times that much. +A lot of weight gain is a cause of the most common form of diabetes, a disease in which blood sugar levels are higher than normal. Diabetes can lead to problems including blindness, nerve damage, heart and kidney disease and poor blood flow to the legs and feet. +In the U.S. study, researchers tracked more than 170,000 men and women over roughly 20 years, looking at what they said in health questionnaires given every two years. +The people enrolled in the studies were all health professionals, and did not mirror current smokers in the general population, who are disproportionately low-income, less-educated and more likely to smoke heavily. +The researchers checked which study participants quit smoking and followed whether they gained weight and developed diabetes, heart disease or other conditions. +Quitters saw their risk of diabetes increase by 22 percent in the six years after they kicked the habit. An editorial in the journal characterized it as "a mild elevation" in the diabetes risk. +Studies previously showed that people who quit have an elevated risk of developing diabetes, said Dr. Qi Sun, one the study's authors. He is a researcher at the Harvard-affiliated Brigham and Women's Hospital. +But that risk doesn't endure, and it never leads to a higher premature death rate than what smokers face, he said. +"Regardless of the amount of weight gain, quitters always have a lower risk of dying" prematurely, Sun said. 01:47:37 Share \ No newline at end of file diff --git a/input/test/Test3260.txt b/input/test/Test3260.txt new file mode 100644 index 0000000..73ef078 --- /dev/null +++ b/input/test/Test3260.txt @@ -0,0 +1,30 @@ +Notification and public disclosure of transactions by persons discharging managerial responsibilities and persons closely associated with them +17.08.2018 / 11:20 +The issuer is solely responsible for the content of this announcement. +1. Details of the person discharging managerial responsibilities / person closely associated +a) Name +Title: First name: Sanjeev Last name(s): Gandhi +2. Reason for the notification +a) Position / status +Position: Member of the managing body +b) Initial notification +3. Details of the issuer, emission allowance market participant, auction platform, auctioneer or auction monitor +a) Name +BASF SE +b) LEI +529900PM64WH8AF1E917 +4. Details of the transaction(s) +a) Description of the financial instrument, type of instrument, identification code +Type: Share ISIN: DE000BASF111 +b) Nature of the transaction +Acquisition +c) Price(s) and volume(s) +Price(s) Volume(s) 76.77 EUR 38615.31 EUR 76.78 EUR 76549.66 EUR +d) Aggregated information +Price Aggregated volume 76.78 EUR 115164.97 EUR +e) Date of the transaction +2018-08-16; UTC+2 +f) Place of the transaction +Name: XETRA MIC: XETR +17.08.2018 The DGAP Distribution Services include Regulatory Announcements, Financial/Corporate News and Press Releases. +Archive at www.dgap.d \ No newline at end of file diff --git a/input/test/Test3261.txt b/input/test/Test3261.txt new file mode 100644 index 0000000..bdcd7d8 --- /dev/null +++ b/input/test/Test3261.txt @@ -0,0 +1,11 @@ +Tweet +CIBC Private Wealth Group LLC lifted its holdings in shares of TPG Specialty Lending Inc (NYSE:TSLX) by 7.0% in the second quarter, according to its most recent disclosure with the Securities and Exchange Commission. The fund owned 77,494 shares of the financial services provider's stock after acquiring an additional 5,074 shares during the quarter. CIBC Private Wealth Group LLC owned 0.12% of TPG Specialty Lending worth $1,390,000 at the end of the most recent quarter. +Several other institutional investors and hedge funds have also modified their holdings of the stock. Raymond James & Associates grew its holdings in TPG Specialty Lending by 7.4% during the fourth quarter. Raymond James & Associates now owns 39,735 shares of the financial services provider's stock valued at $787,000 after purchasing an additional 2,734 shares during the period. Eagle Global Advisors LLC grew its holdings in TPG Specialty Lending by 16.3% during the first quarter. Eagle Global Advisors LLC now owns 20,870 shares of the financial services provider's stock valued at $373,000 after purchasing an additional 2,926 shares during the period. TCW Group Inc. grew its holdings in TPG Specialty Lending by 10.5% during the second quarter. TCW Group Inc. now owns 42,200 shares of the financial services provider's stock valued at $757,000 after purchasing an additional 4,000 shares during the period. PNC Financial Services Group Inc. grew its holdings in TPG Specialty Lending by 1,363.9% during the first quarter. PNC Financial Services Group Inc. now owns 6,441 shares of the financial services provider's stock valued at $115,000 after purchasing an additional 6,001 shares during the period. Finally, Principal Financial Group Inc. grew its holdings in TPG Specialty Lending by 13.6% during the first quarter. Principal Financial Group Inc. now owns 53,353 shares of the financial services provider's stock valued at $953,000 after purchasing an additional 6,405 shares during the period. 61.64% of the stock is owned by institutional investors. Get TPG Specialty Lending alerts: +TPG Specialty Lending stock opened at $19.71 on Friday. TPG Specialty Lending Inc has a one year low of $17.00 and a one year high of $21.63. The company has a debt-to-equity ratio of 0.81, a current ratio of 0.55 and a quick ratio of 0.55. The firm has a market capitalization of $1.29 billion, a PE ratio of 9.86, a P/E/G ratio of 4.99 and a beta of 0.66. +TPG Specialty Lending (NYSE:TSLX) last posted its quarterly earnings results on Wednesday, August 1st. The financial services provider reported $0.56 EPS for the quarter, topping the Zacks' consensus estimate of $0.47 by $0.09. TPG Specialty Lending had a return on equity of 12.40% and a net margin of 53.60%. The firm had revenue of $66.40 million during the quarter, compared to analyst estimates of $58.63 million. During the same period last year, the company earned $0.57 earnings per share. analysts anticipate that TPG Specialty Lending Inc will post 1.99 EPS for the current fiscal year. +The business also recently declared a special dividend, which will be paid on Friday, September 28th. Stockholders of record on Friday, August 31st will be issued a $0.08 dividend. This is a positive change from TPG Specialty Lending's previous special dividend of $0.06. This represents a dividend yield of 7.9%. The ex-dividend date is Thursday, August 30th. TPG Specialty Lending's dividend payout ratio (DPR) is presently 78.00%. +A number of equities analysts have recently commented on TSLX shares. Bank of America started coverage on TPG Specialty Lending in a report on Thursday, April 26th. They issued a "buy" rating and a $21.00 price target for the company. National Securities reaffirmed a "buy" rating and issued a $21.00 price target on shares of TPG Specialty Lending in a report on Monday, May 7th. Zacks Investment Research raised TPG Specialty Lending from a "hold" rating to a "buy" rating and set a $21.00 price target for the company in a report on Wednesday, May 9th. TheStreet lowered TPG Specialty Lending from a "b" rating to a "c+" rating in a report on Friday, May 25th. Finally, ValuEngine lowered TPG Specialty Lending from a "hold" rating to a "sell" rating in a report on Saturday, June 2nd. Two research analysts have rated the stock with a sell rating, one has given a hold rating and seven have issued a buy rating to the company's stock. TPG Specialty Lending currently has an average rating of "Buy" and an average price target of $21.00. +TPG Specialty Lending Profile +TPG Specialty Lending, Inc is a business development company. The fund provides senior secured loans (first-lien, second-lien, and unitranche), mezzanine debt, non-control structured equity, and common equity with a focus on co-investments for organic growth, acquisitions, market or product expansion, restructuring initiatives, recapitalizations, and refinancing. +Further Reading: Outstanding Shares and The Effect on Share Price +Want to see what other hedge funds are holding TSLX? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for TPG Specialty Lending Inc (NYSE:TSLX). Receive News & Ratings for TPG Specialty Lending Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for TPG Specialty Lending and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test3262.txt b/input/test/Test3262.txt new file mode 100644 index 0000000..4e2faaa --- /dev/null +++ b/input/test/Test3262.txt @@ -0,0 +1,6 @@ +Eddie Edwards Becomes Unhinged +Impact Wrestling's YouTube channel posted the following video of Eddie Edwards: +Eddie Edwards continues to devolve into madness, and his wife, Alisha, is seriously concerned for his safety. +RELATED: Joe Hendry Mocks Eli Drake +Joe Hendry mocked Eli Drake last night on Impact Wrestling with a hilarious custom entrance video. +Joe Hendry makes fun of Eli Drake and Cult of Lee with another HILARIOUS custom entrance music video \ No newline at end of file diff --git a/input/test/Test3263.txt b/input/test/Test3263.txt new file mode 100644 index 0000000..076786b --- /dev/null +++ b/input/test/Test3263.txt @@ -0,0 +1,12 @@ +Reebok's first sports bra with Motion Sense Technology goes on sale Published 47 minutes Reebok has released its PureMove Bra with Motion Sense Technology. — Handout via AFP +LOS ANGELES, Aug 17 — Reebok's PureMove Bra goes on sale today, a first-of-its-kind high-tech sports bra which reacts to the body's movement for customised support where it is needed most. +Three years in the making, Reebok's new launch is a response to consumer feedback highlighting the challenges women face in finding their perfect sports bra. +With statistics revealing that one in five women avoid exercise because they don't have the right bra, Reebok set out to develop a new, innovative product which would offer women support, comfort and the confidence to work out. +The result is the Reebok PureMove Bra, featuring the brand's new Motion Sense Technology, a unique fabric technology that adapts and responds according to the body's shape, velocity of breast tissue, and type and force of movement. +By stretching less during high-impact movements, the fabric offers wearers the support they need, where they need it, while providing lighter support and a comfortable fit during lower-intensity activities. +"We could not be prouder to come to market with a product that breaks down barriers in a category that has dissatisfied consumers for far too long, lacking any true technological advancements. Innovation has always been in Reebok's DNA and placing an emphasis on transforming and improving one of the most important fitness garments for women is no exception," said Barbara Ebersberger, VP Performance Apparel at Reebok. +To test the new design and perfect the bra's performance, Reebok teamed up with the University of Delaware to measure the effect of various product samples on breast movement in the lab, using 54 motion sensors to track bounce and support, rather than the industry standard of two to four sensors. +Surprisingly, the bra comprises only seven pieces of fabric which mould to the body for a seamless, second-skin fit, meaning the bra not only performs, but also offers a high level of comfort. +"The minimalist design of the bra may seem deceiving when you first hold it, but you should not confuse this for lack of support or technology. Every single detail is intentional and directly informed by years of our testing and research," said Danielle Witek, Senior Innovation Apparel Designer at Reebok. +The bra will come in a large range of sizes from XS to XL/XXL, to help ensure a more tailored and personal fit, especially for women who find themselves in between standard sports bra sizing. +The Reebok PureMove Bra will be available exclusively on www.reebok.com starting today, priced at US$60 (RM240). The bra will be released worldwide at key retailers from August 30. — AFP-Relaxnews \ No newline at end of file diff --git a/input/test/Test3264.txt b/input/test/Test3264.txt new file mode 100644 index 0000000..034fb01 --- /dev/null +++ b/input/test/Test3264.txt @@ -0,0 +1,13 @@ +Comments Closed Features , Gaming Features +Can't wait to see thesee in action. Check out the official details below. +San Diego, CA – August 16, 2018 – Turtle Beach (NASDAQ: HEAR), a global leader in gaming audio, today revealed plans for expanding the company's portfolio of high-quality, award-winning gaming headsets with a focus on the PC market. Designed in collaboration with leading esports teams, including Astralis, OpTic Gaming, and the Houston Outlaws, Turtle Beach's Atlas line is built for PC gamers and features three different models – the Elite Atlas Pro Performance Gaming Headset, the powerful Atlas Three Amplified PC Gaming Headset, and the Atlas One PC Gaming Headset. Furthering Turtle Beach's commitment to designing headsets for all gamers, each Atlas product offers PC players an innovative set of features, functionality and pricing, starting with the Elite Atlas with a MSRP of $99.95, and the Atlas Three and Atlas One with MSRPs of $79.95 and $49.95, respectively. All three Atlas gaming headsets are available for pre-order at participating retailers starting today and are planned to launch at the end of September 2018. Read below for full details of each Atlas PC gaming headset. +"Turtle Beach is a leading gaming audio brand because we constantly innovate to design high-quality headsets with features that gamers want, so we're clearly excited to extend our portfolio with the Atlas products for PC gamers," said Juergen Stark, CEO, Turtle Beach Corporation. "This expansion is a great move for us because in addition to our already strong performance in console gaming headsets, we'll now have the ability to attract both dedicated and cross-platform PC gamers through our new Atlas lineup." +Turtle Beach has been a consistent market leader in console gaming headsets, currently with 45.5% revenue share year-to-date through June 20181 (per NPD's latest U.S. and Canada console gaming headset update), and has held over 40% market share for the past nine consecutive years, current year-to-date included. However, Turtle Beach is no stranger to the PC market, as the company was a pioneering force through the early days of PC audio, with products including the first midi synthesizers and a variety of PC sound cards in the 1980s and 90s. Since then, the company has evolved with the times, and in 2005 Turtle Beach launched the first ever console gaming headset, setting out to become the leading gaming audio brand it is today, thanks to its continued efforts in innovation, broad product catalog, and strong retail partnerships and distribution channels. During that time, Turtle Beach has created a handful of well-received PC gaming headsets, but the company's core focus has primarily been on the console business, until now. +Stark continued, "When we set out on the path to grow our presence in PC, it included conducting consumer research and working with our partners on key design elements, resulting in what we believe is a great first assortment of PC headsets. Each Atlas headset – whether at the $50, $80, or $100 price point – offers PC gamers the audio performance and comfort Turtle Beach is known for. Moving forward we intend to leverage our technology, innovation, and best practices, to continue leading the console gaming headset business through our Recon, Stealth and Elite products, with equal focus and energy behind our new Atlas line that's built for PC gamers." +"As a player and as a team, it's a privilege to have worked with Turtle Beach in the making of the Elite Atlas and the rest of their new Atlas line," said Nicolai "dev1ce" Reedtz of Astralis. "We tested and provided a lot of feedback and suggestions during the development process in an effort to ensure the Elite Atlas is the best possible headset for PC esports pros, but also for any PC gamers. We're excited to be a part of the whole process and can't wait until gamers can get Turtle Beach's Atlas headsets." +"The continued rise of esports has put tremendous pressure on organizations to deliver exceptionally high audio quality," said Ryan Musselman, SVP of Global Partnerships, Infinite Esports & Entertainment. "Turtle Beach continues to deliver pro-level audio for the competitive gamer, and the Atlas PC headsets provide a reliable lineup of top-tier audio performance for the aspiring, established, and experienced esports athlete." +Additionally, fans attending PAX West and Dreamhack Montreal will have the opportunity to be some of the first gamers in the world to try out the Elite Atlas before it hits retail shelves. PAX West takes place August 31 – September 3, 2018 in Seattle, Washington where Turtle Beach will have a booth where players can go head-to-head playing the latest games using Turtle Beach's latest gear. Dreamhack takes place in Montreal, Canada September 7-9, 2018, and Turtle Beach will be outfitting the show's entire PC Freeplay area with the Elite Atlas where attendees will be able to experience the headset's professional-quality game audio, crystal clear chat, and unmatched comfort. +Full Elite Atlas Pro Performance Gaming Headset Details: The Turtle Beach® Elite Atlas sets a new benchmark for esports audio on PC. For pro-players and hardcore PC gamers alike, the Elite Atlas is built to win with a durable yet sleek metal headband with a suspended pad, ProSpecs™ glasses friendly design, and upgraded magnetic memory foam ear cushions featuring athletic fabric and synthetic leather working together to block out external noise. Audio performance centers around the Elite Atlas' pro-tuned 50mm Nanoclear™ speakers that deliver immersive Windows Sonic for Headphones2 surround sound, and the removable high-sensitivity mic with TruSpeak™ technology for flawless communication with teammates. Finally, the Elite Atlas goes wherever gaming takes you with included 3.5mm and PC-splitter cables that connect to any PC setup. +Full Atlas Three Amplified Gaming Headset Details: The Turtle Beach® Atlas Three PC gaming headset delivers powerful amplified Windows Sonic for Headphones2 surround sound to immerse you in your games, movies, and music. The Atlas Three features large 50mm speakers for game audio and Turtle Beach's high-sensitivity flip-to-mute mic for crystal-clear chat. For added durability and comfort, the Atlas Three dawns a metal-reinforced frame with Turtle Beach's unique ProSpecs™ glasses friendly design, along with a breathable fabric-wrapped headband and memory foam ear cushions. Additionally, the Atlas Three offers Variable Mic Monitoring so you can hear and adjust the volume of your voice inside the headset to avoid shouting at other players, plus audio presets including Vocal Boost, and a rechargeable battery that delivers over 40-hours of gaming per use. +Full Atlas One Gaming Headset Details: The Turtle Beach® Atlas One gaming headset is built for battle, delivering immersive Windows Sonic for Headphones2 surround sound and crystal-clear chat through its high-quality 40mm speakers and high-sensitivity flip-to-mute mic. The Atlas One also features a lightweight design with a metal-reinforced headband and ProSpecs™ glasses friendly synthetic leather-wrapped memory foam ear cushions to provide added durability and unmatched comfort for those all-nighters. +For more information on the latest Turtle Beach products and accessories, visit www.turtlebeach.com and be sure to follow Turtle Beach on Facebook, Twitter and Instagram \ No newline at end of file diff --git a/input/test/Test3265.txt b/input/test/Test3265.txt new file mode 100644 index 0000000..0d2950d --- /dev/null +++ b/input/test/Test3265.txt @@ -0,0 +1,9 @@ + Adam Dyson on Aug 17th, 2018 // No Comments +Royal Bank of Canada reaffirmed their buy rating on shares of DIGITAL RLTY TR/SH (NYSE:DLR) in a research report released on Monday. Royal Bank of Canada currently has a $131.00 price target on the real estate investment trust's stock. +Several other research firms have also recently commented on DLR. Zacks Investment Research raised DIGITAL RLTY TR/SH from a hold rating to a buy rating and set a $130.00 price target for the company in a report on Monday, July 16th. Guggenheim reissued a hold rating and issued a $125.00 price target on shares of DIGITAL RLTY TR/SH in a report on Friday, July 20th. Citigroup raised their price target on DIGITAL RLTY TR/SH from $119.00 to $131.00 and gave the company a buy rating in a report on Monday, July 30th. They noted that the move was a valuation call. Wells Fargo & Co reissued a buy rating on shares of DIGITAL RLTY TR/SH in a report on Friday, July 27th. Finally, Stifel Nicolaus raised their price target on DIGITAL RLTY TR/SH from $128.00 to $130.00 and gave the company a buy rating in a report on Friday, July 27th. Eight analysts have rated the stock with a hold rating and fourteen have assigned a buy rating to the company. The company currently has an average rating of Buy and a consensus target price of $127.17. Get DIGITAL RLTY TR/SH alerts: +DLR opened at $122.37 on Monday. The company has a quick ratio of 0.30, a current ratio of 0.30 and a debt-to-equity ratio of 0.95. The company has a market capitalization of $24.93 billion, a PE ratio of 19.86, a price-to-earnings-growth ratio of 2.66 and a beta of 0.15. DIGITAL RLTY TR/SH has a 12 month low of $96.56 and a 12 month high of $127.23. DIGITAL RLTY TR/SH (NYSE:DLR) last posted its quarterly earnings results on Thursday, July 26th. The real estate investment trust reported $0.32 EPS for the quarter, missing the consensus estimate of $1.61 by ($1.29). The business had revenue of $754.91 million during the quarter, compared to analyst estimates of $759.30 million. DIGITAL RLTY TR/SH had a net margin of 9.79% and a return on equity of 3.02%. The firm's quarterly revenue was up 33.4% compared to the same quarter last year. During the same period in the prior year, the business earned $1.54 earnings per share. research analysts forecast that DIGITAL RLTY TR/SH will post 6.6 EPS for the current fiscal year. +The company also recently disclosed a quarterly dividend, which will be paid on Friday, September 28th. Investors of record on Friday, September 14th will be paid a $1.01 dividend. This represents a $4.04 annualized dividend and a yield of 3.30%. The ex-dividend date is Thursday, September 13th. DIGITAL RLTY TR/SH's payout ratio is currently 65.80%. +In related news, SVP Joshua A. Mills sold 2,500 shares of the firm's stock in a transaction that occurred on Monday, July 2nd. The stock was sold at an average price of $112.50, for a total value of $281,250.00. Following the completion of the transaction, the senior vice president now directly owns 6,666 shares of the company's stock, valued at approximately $749,925. The transaction was disclosed in a document filed with the Securities & Exchange Commission, which is accessible through the SEC website . Also, insider Edward F. Sham sold 10,435 shares of the firm's stock in a transaction that occurred on Friday, July 6th. The shares were sold at an average price of $115.00, for a total value of $1,200,025.00. Following the completion of the transaction, the insider now directly owns 6,207 shares of the company's stock, valued at $713,805. The disclosure for this sale can be found here . Insiders sold a total of 20,435 shares of company stock valued at $2,318,775 over the last ninety days. 0.43% of the stock is currently owned by company insiders. +Hedge funds and other institutional investors have recently added to or reduced their stakes in the stock. Kayne Anderson Capital Advisors LP increased its stake in DIGITAL RLTY TR/SH by 18.3% in the 1st quarter. Kayne Anderson Capital Advisors LP now owns 25,900 shares of the real estate investment trust's stock valued at $2,728,000 after purchasing an additional 4,000 shares in the last quarter. Spinnaker Trust purchased a new position in DIGITAL RLTY TR/SH during the first quarter worth $1,640,000. Oppenheimer Asset Management Inc. increased its position in DIGITAL RLTY TR/SH by 3.2% during the first quarter. Oppenheimer Asset Management Inc. now owns 19,876 shares of the real estate investment trust's stock worth $2,095,000 after buying an additional 618 shares in the last quarter. Duff & Phelps Investment Management Co. increased its position in DIGITAL RLTY TR/SH by 8.7% during the first quarter. Duff & Phelps Investment Management Co. now owns 975,494 shares of the real estate investment trust's stock worth $102,798,000 after buying an additional 77,850 shares in the last quarter. Finally, Honeywell International Inc. increased its position in DIGITAL RLTY TR/SH by 13.3% during the first quarter. Honeywell International Inc. now owns 70,540 shares of the real estate investment trust's stock worth $7,434,000 after buying an additional 8,260 shares in the last quarter. 98.35% of the stock is owned by hedge funds and other institutional investors. +DIGITAL RLTY TR/SH Company Profile +Digital Realty supports the data center, colocation and interconnection strategies of more than 2,300 firms across its secure, network-rich portfolio of data centers located throughout North America, Europe, Asia and Australia. Digital Realty's clients include domestic and international companies of all sizes, ranging from cloud and information technology services, communications and social networking to financial services, manufacturing, energy, healthcare, and consumer products \ No newline at end of file diff --git a/input/test/Test3266.txt b/input/test/Test3266.txt new file mode 100644 index 0000000..590f628 --- /dev/null +++ b/input/test/Test3266.txt @@ -0,0 +1,6 @@ +Remarkable Stocks Buzz: Itau Unibanco Holding SA (NYSE:ITUB), MiMedx Group, Inc. (NASDAQ:MDXG), Mastercard … (journalfinance.net) +Itau Unibanco stock opened at $11.28 on Friday. The company has a quick ratio of 1.35, a current ratio of 1.35 and a debt-to-equity ratio of 1.67. The stock has a market cap of $73.33 billion, a price-to-earnings ratio of 9.89, a PEG ratio of 0.88 and a beta of 1.78. Itau Unibanco has a 52-week low of $9.92 and a 52-week high of $16.98. Itau Unibanco (NYSE:ITUB) last posted its earnings results on Tuesday, July 31st. The bank reported $0.27 earnings per share (EPS) for the quarter, missing analysts' consensus estimates of $0.29 by ($0.02). Itau Unibanco had a net margin of 17.21% and a return on equity of 16.67%. equities analysts forecast that Itau Unibanco will post 1.09 EPS for the current fiscal year. +The company also recently announced a special dividend, which will be paid on Thursday, October 11th. Shareholders of record on Wednesday, September 5th will be paid a dividend of $0.0039 per share. This represents a yield of 0.42%. The ex-dividend date is Tuesday, September 4th. Itau Unibanco's payout ratio is 4.39%. +A number of equities research analysts recently weighed in on ITUB shares. ValuEngine downgraded shares of Itau Unibanco from a "buy" rating to a "hold" rating in a research report on Saturday, May 12th. Zacks Investment Research downgraded shares of Itau Unibanco from a "hold" rating to a "strong sell" rating in a research report on Tuesday, June 19th. Finally, Citigroup raised shares of Itau Unibanco from a "neutral" rating to a "buy" rating in a research report on Tuesday, June 5th. Three research analysts have rated the stock with a sell rating, one has issued a hold rating and three have given a buy rating to the company's stock. The stock currently has a consensus rating of "Hold" and a consensus target price of $16.50. +About Itau Unibanco +Itaú Unibanco Holding SA provides a range of financial products and services to individuals and corporate clients in Brazil and internationally. The company operates in three segments: Retail Banking, Wholesale Banking, and Activities with the Market + Corporation. It accepts demand, savings, and time deposits; and offers payroll, mortgage, personal, vehicle, and corporate loans, as well as very small, small, and middle market loans \ No newline at end of file diff --git a/input/test/Test3267.txt b/input/test/Test3267.txt new file mode 100644 index 0000000..2600d74 --- /dev/null +++ b/input/test/Test3267.txt @@ -0,0 +1,7 @@ +Published 16:49 Written by +ASSOCIATED PRESS +HARTFORD - Preliminary figures show Connecticut lost 1,200 net jobs in July, but a state labor official says job growth still remains strong. +Andy Condon, director of the Department of Labor's Office of Research, said Thursday the decline "does not materially affect the growth we have seen to date." He said the state's three-month average job growth "remains strongly positive." +On a percentage basis, Condon says construction and manufacturing remain the fastest growth sectors in Connecticut's labor market. +The Department of Labor's monthly employment report shows Connecticut's July unemployment remains unchanged from June, at 4.4 percent, seasonally adjusted. It was 4.6 percent a year ago. Nationally, the U.S. jobless rate in July was 3.9 percent. +Connecticut has now recovered 86.1 percent, or 102,600 of the 119,100 jobs lost in the 2008-2010 recession. Discuss Prin \ No newline at end of file diff --git a/input/test/Test3268.txt b/input/test/Test3268.txt new file mode 100644 index 0000000..e99fa41 --- /dev/null +++ b/input/test/Test3268.txt @@ -0,0 +1,6 @@ +Caterpillar peak cycle concerns misplaced, Berenberg analyst says (seekingalpha.com) +Several research firms recently weighed in on CAT. Royal Bank of Canada lifted their price target on Caterpillar to $166.00 and gave the company a "sector perform" rating in a research report on Tuesday, July 31st. Zacks Investment Research lowered Caterpillar from a "strong-buy" rating to a "hold" rating in a research report on Tuesday, June 26th. BMO Capital Markets dropped their price target on Caterpillar from $195.00 to $185.00 and set an "outperform" rating on the stock in a research report on Tuesday, July 31st. They noted that the move was a valuation call. Stifel Nicolaus restated a "hold" rating and set a $174.00 price target (down from $176.00) on shares of Caterpillar in a research report on Monday, May 14th. Finally, Credit Suisse Group restated an "outperform" rating on shares of Caterpillar in a research report on Wednesday, April 25th. Thirteen equities research analysts have rated the stock with a hold rating, fourteen have given a buy rating and one has assigned a strong buy rating to the company. Caterpillar currently has an average rating of "Buy" and an average target price of $170.94. Caterpillar stock opened at $136.26 on Friday. The company has a debt-to-equity ratio of 1.59, a quick ratio of 0.97 and a current ratio of 1.37. Caterpillar has a 12 month low of $112.69 and a 12 month high of $173.24. The firm has a market capitalization of $80.78 billion, a price-to-earnings ratio of 19.81, a P/E/G ratio of 0.89 and a beta of 1.38. +Caterpillar (NYSE:CAT) last released its earnings results on Monday, July 30th. The industrial products company reported $2.97 EPS for the quarter, topping the Thomson Reuters' consensus estimate of $2.73 by $0.24. Caterpillar had a return on equity of 40.60% and a net margin of 6.12%. The business had revenue of $14.01 billion for the quarter, compared to the consensus estimate of $14.09 billion. During the same period in the previous year, the company posted $1.49 earnings per share. The company's revenue for the quarter was up 23.7% compared to the same quarter last year. research analysts predict that Caterpillar will post 11.54 EPS for the current year. +The business also recently announced a quarterly dividend, which will be paid on Monday, August 20th. Shareholders of record on Friday, July 20th will be issued a $0.86 dividend. This represents a $3.44 annualized dividend and a yield of 2.52%. This is an increase from Caterpillar's previous quarterly dividend of $0.78. The ex-dividend date of this dividend is Thursday, July 19th. Caterpillar's payout ratio is 50.00%. +Caterpillar Company Profile +Caterpillar Inc manufactures and sells construction and mining equipment, diesel and natural gas engines, industrial gas turbines, and diesel-electric locomotives for construction, resource, and energy and transportation industries. Its Construction Industries segment offers asphalt pavers, backhoe loaders, compactors, cold planers, compact truck and multi-terrain loaders, forestry excavators, feller bunchers, harvesters, knuckleboom loaders, motorgraders, pipelayers, road reclaimers, site prep tractors, skidders, skid steer loaders, telehandlers, track-type loaders, wheel excavators, and track-type tractors \ No newline at end of file diff --git a/input/test/Test3269.txt b/input/test/Test3269.txt new file mode 100644 index 0000000..b3a6627 --- /dev/null +++ b/input/test/Test3269.txt @@ -0,0 +1 @@ +Business Learn more about hiring developers or posting ads with us This site uses cookies to deliver our services and to show you relevant ads and job listings. By using our site, you acknowledge that you have read and understand our Cookie Policy , Privacy Policy , and our Terms of Service . Your use of Stack Overflow's Products and Services, including the Stack Overflow Network, is subject to these policies and terms. Join us in building a kind, collaborative learning community via our updated Code of Conduct . Join Stack Overflow to learn, share knowledge, and build your career. Email Sign Up Sign Up or sign in with Googl \ No newline at end of file diff --git a/input/test/Test327.txt b/input/test/Test327.txt new file mode 100644 index 0000000..6d774b0 --- /dev/null +++ b/input/test/Test327.txt @@ -0,0 +1,24 @@ +CBS/AP August 17, 2018, 5:26 AM Slain Colorado mother painted rosy picture of married life Email +FREDERICK, Colo. -- Shanann Watts' Facebook page painted a portrait of a happy married life - of a woman dedicated to her husband and their two young children. She called her husband "my ROCK!" and said he was "the best dad us girls could ask for." +But that idyllic image was shattered Wednesday when her husband, 33-year-old Christopher Watts, was arrested on suspicion of killing his family in Colorado . +Police said the mother, who was pregnant, was found dead on property owned by Anadarko Petroleum, one of the state's largest oil and gas drillers, where Christopher Watts worked. Investigators found what they believe are the bodies of 4-year-old Bella and 3-year-old Celeste nearby on Thursday afternoon. +They haven't released any information about a motive or how the three were killed. +Sources told CBS Denver Watts admitted to murdering his family, though law enforcement wouldn't confirm nor deny it. +"As horrible as this outcome is, our role now is to do everything we can to determine exactly what occurred," John Camper, director of the Colorado Bureau of Investigation, said at a news conference in Frederick, a small town on the grassy plains north of Denver, where fast-growing subdivisions intermingle with drilling rigs and oil wells. +Christopher Watts being led out of court on August 16, 2018 after being charged with murdering his pregnant wife, Shanann Watts, and their two young daughters CBS Denver +Prosecutors said at a hearing Thursday they believe the three were killed inside the family's home, reports the Denver Channel. +Watts, who is being held without bail, is expected to be formally charged by Monday with three counts of murder and three counts of tampering with evidence. +Once word of Watt's arrest was released, Anadarko issued a statement saying it was working with law enforcement and Watts was no longer an employee as of Wednesday, CBS Denver says. +The deaths left family and friends searching for answers. +Shanann Watts, 34, was one of the first customers to visit Ashley Bell's tanning salon in nearby Dacona two years ago. The two women quickly became friends, and before long they were texting or calling each other almost daily. Their daughters also played together during salon visits. +Bell said she never detected that anything was amiss with the Watts family. +"I just don't understand it," said Bell, who described Christopher Watts as a loving father. +Shanann Watts was from North Carolina, and her parents' next-door neighbor, Joe Beach, said he saw her recently when she visited the neighborhood of modest homes in Aberdeen. +"We were talking about general things, about how her two girls were doing and how life was out in Colorado. She didn't give me an indication that there was anything wrong. She seemed pretty happy." +But a June 2015 bankruptcy filing captures a picture of a family caught between a promising future and financial strain. +Christopher Watts had gotten a job six months earlier as an operator for Anadarko, and paystubs indicate his annual salary was about $61,500. Shanann Watts was working in a call center at a children's hospital at the time, earning about $18 an hour - more for evenings, weekends or extra shifts she sometimes worked. +The couple had a combined income of $90,000 in 2014. But they also had tens of thousands of dollars in credit card debt, along with some student loans and medical bills - for a total of $70,000 in unsecured claims on top of a sizable mortgage. +They said in the filing that their nearly $3,000 mortgage and $600 in monthly car payments formed the bulk of their $4,900 in monthly expenses. +After his wife and daughters were reported missing and before he was arrested, he stood on his porch and lamented to reporters how much he missed them, saying he longed for the simple things like telling his girls to eat their dinner and gazing at them as they curled up to watch cartoons. +He didn't respond to reporters' questions when he was escorted into the courtroom Thursday. +His attorney, James Merson, with the Colorado State Public Defender's Office, left the hearing without commenting to reporters and did not respond to a voicemail left at his office Thursday by The Associated Press. © 2018 CBS Interactive Inc. All Rights Reserved. This material may not be published, broadcast, rewritten, or redistributed. The Associated Press contributed to this report \ No newline at end of file diff --git a/input/test/Test3270.txt b/input/test/Test3270.txt new file mode 100644 index 0000000..7b8bca5 --- /dev/null +++ b/input/test/Test3270.txt @@ -0,0 +1,4 @@ +Vietnamese Disclaimer +Note: All information on this page is subject to change. The use of this website constitutes acceptance of our user agreement. Please read our privacy policy and legal disclaimer. +Trading foreign exchange on margin carries a high level of risk and may not be suitable for all investors. The high degree of leverage can work against you as well as for you. Before deciding to trade foreign exchange you should carefully consider your investment objectives, level of experience and risk appetite. The possibility exists that you could sustain a loss of some or all of your initial investment and therefore you should not invest money that you cannot afford to lose. You should be aware of all the risks associated with foreign exchange trading and seek advice from an independent financial advisor if you have any doubts. +Opinions expressed at FXStreet are those of the individual authors and do not necessarily represent the opinion of FXStreet or its management. FXStreet has not verified the accuracy or basis-in-fact of any claim or statement made by any independent author: errors and Omissions may occur.Any opinions, news, research, analyses, prices or other information contained on this website, by FXStreet, its employees, partners or contributors, is provided as general market commentary and does not constitute investment advice. FXStreet will not accept liability for any loss or damage, including without limitation to, any loss of profit, which may arise directly or indirectly from use of or reliance on such information \ No newline at end of file diff --git a/input/test/Test3271.txt b/input/test/Test3271.txt new file mode 100644 index 0000000..295c04e --- /dev/null +++ b/input/test/Test3271.txt @@ -0,0 +1,8 @@ +Vegan Coffee At Starbucks? Chain To Test Out Its First Plant-Based Protein Coffee (ibtimes.com) +A number of research analysts recently commented on SBUX shares. Oppenheimer reaffirmed an "outperform" rating on shares of Starbucks in a research report on Friday, April 27th. Wedbush lowered their price objective on shares of Starbucks from $54.00 to $53.00 and set a "neutral" rating on the stock in a research report on Friday, July 27th. JPMorgan Chase & Co. lowered their price objective on shares of Starbucks from $64.00 to $61.00 and set an "overweight" rating on the stock in a research report on Thursday, June 21st. Barclays lowered their price objective on shares of Starbucks to $60.00 in a research report on Wednesday, June 20th. Finally, BidaskClub downgraded shares of Starbucks from a "hold" rating to a "sell" rating in a research report on Wednesday, June 13th. Two investment analysts have rated the stock with a sell rating, fourteen have issued a hold rating and fifteen have issued a buy rating to the company. Starbucks has an average rating of "Hold" and an average price target of $59.75. SBUX stock opened at $53.04 on Friday. The company has a quick ratio of 0.76, a current ratio of 1.01 and a debt-to-equity ratio of 1.54. The company has a market capitalization of $69.49 billion, a price-to-earnings ratio of 25.75, a price-to-earnings-growth ratio of 1.53 and a beta of 0.63. Starbucks has a 12 month low of $47.37 and a 12 month high of $61.94. +Starbucks (NASDAQ:SBUX) last posted its earnings results on Thursday, July 26th. The coffee company reported $0.62 EPS for the quarter, topping the Thomson Reuters' consensus estimate of $0.60 by $0.02. The company had revenue of $6.31 billion during the quarter, compared to the consensus estimate of $6.25 billion. Starbucks had a net margin of 18.87% and a return on equity of 67.11%. The company's revenue for the quarter was up 11.5% compared to the same quarter last year. During the same period in the previous year, the firm posted $0.55 earnings per share. equities research analysts predict that Starbucks will post 2.41 EPS for the current fiscal year. +Starbucks announced that its board has initiated a stock buyback program on Thursday, April 26th that permits the company to buyback 0 shares. This buyback authorization permits the coffee company to repurchase shares of its stock through open market purchases. Shares buyback programs are often an indication that the company's management believes its shares are undervalued. +The company also recently disclosed a quarterly dividend, which will be paid on Friday, August 24th. Investors of record on Thursday, August 9th will be issued a dividend of $0.36 per share. This is an increase from Starbucks's previous quarterly dividend of $0.30. This represents a $1.44 annualized dividend and a dividend yield of 2.71%. The ex-dividend date of this dividend is Wednesday, August 8th. Starbucks's dividend payout ratio is currently 69.90%. +In related news, Director Myron E. Ullman III sold 15,000 shares of the company's stock in a transaction on Friday, August 3rd. The shares were sold at an average price of $52.13, for a total transaction of $781,950.00. Following the completion of the sale, the director now directly owns 29,000 shares of the company's stock, valued at approximately $1,511,770. The transaction was disclosed in a legal filing with the SEC, which is available through this link . 3.48% of the stock is currently owned by corporate insiders. +Starbucks Company Profile +Starbucks Corporation, together with its subsidiaries, operates as a roaster, marketer, and retailer of specialty coffee worldwide. The company operates in four segments: Americas; China/Asia Pacific; Europe, Middle East, and Africa; and Channel Development. Its stores offer coffee and tea beverages, roasted whole bean and ground coffees, single-serve and ready-to-drink coffee and tea products, and food and snacks; and various food products, such as pastries, breakfast sandwiches, and lunch items \ No newline at end of file diff --git a/input/test/Test3272.txt b/input/test/Test3272.txt new file mode 100644 index 0000000..026eae7 --- /dev/null +++ b/input/test/Test3272.txt @@ -0,0 +1,2 @@ +Advanced Search Abstract +Intelligent machine translation (MT) is becoming an important field of research and development as the need for translations grows. Currently, the word reordering problem is one of the most important issues of MT systems. To tackle this problem, we present a source-side reordering method using phrasal dependency trees, which depict dependency relations between contiguous non-syntactic phrases. Reordering elements are automatically learned from a reordered phrasal dependency tree bank and are utilized to produce a source reordering lattice. The lattice finally is decoded by a monotone phrase-based SMT to translate a source sentence. The approach is evaluated on syntactically divergent language pairs, i.e. English→Persian and English→German, using the workshop of machine translation 2007 (WMT07) benchmark. The results demonstrate the superiority of the proposed method in terms of translation quality for both translation tasks. Digital Scholarship in the Humanities © The Author(s) 2018. Published by Oxford University Press on behalf of EADH. All rights reserved. For permissions, please email: journals.permissions@oup.com This article is published and distributed under the terms of the Oxford University Press, Standard Journals Publication Model ( https://academic.oup.com/journals/pages/about_us/legal/notices ) Issue Section \ No newline at end of file diff --git a/input/test/Test3273.txt b/input/test/Test3273.txt new file mode 100644 index 0000000..78ca935 --- /dev/null +++ b/input/test/Test3273.txt @@ -0,0 +1,12 @@ +Moneycontrol News +Flipkart is targetting sales of $1.5-1.7 billion from its Big Billion Days sale, which is around twice what it sold last year, according to a Mint report . +The projection also takes into account sales from Myntra and Jabong, the news daily reported. +The online retailer last year reported sales of over Rs 5,000 crore from the annual event. +Flipkart CEO Kalyan Krishnamurthy has set ambitious targets for his executives in charge of smartphones, large appliances, and clothes, sources told the paper. +Most of Flipkart's business on the Big Billion Days sale comes from smartphones and large appliances. +Moneycontrol could not independently verify the news. +The targets could be revised before the event is held, sources were Quote: d as saying. The event will likely be held in October. +The Big Billion Days sale, usually held around Diwali, is the e-commerce company's most important event of the year, and preparations for it begin months in advance. +The sale will give stiff competition to Amazon India's Great Indian Festive Sale. +Bengaluru-based Flipkart has, over the past two years, beaten Amazon India in Diwali sales. +Amazon is not likely to leave any stone unturned in its attempts to win the major e-commerce battle this time around \ No newline at end of file diff --git a/input/test/Test3274.txt b/input/test/Test3274.txt new file mode 100644 index 0000000..0cca0ca --- /dev/null +++ b/input/test/Test3274.txt @@ -0,0 +1,7 @@ + Jim Brewer on Aug 17th, 2018 // No Comments +Allena Pharmaceuticals Inc (NASDAQ:ALNA) – Equities research analysts at Jefferies Financial Group lowered their Q3 2018 earnings estimates for shares of Allena Pharmaceuticals in a report released on Monday, August 13th. Jefferies Financial Group analyst M. Andrews now forecasts that the company will post earnings of ($0.46) per share for the quarter, down from their prior estimate of ($0.40). Jefferies Financial Group also issued estimates for Allena Pharmaceuticals' Q4 2018 earnings at ($0.48) EPS, FY2018 earnings at ($1.71) EPS, FY2019 earnings at ($1.95) EPS, FY2020 earnings at ($1.88) EPS and FY2021 earnings at ($1.59) EPS. Get Allena Pharmaceuticals alerts: +Other research analysts have also recently issued research reports about the company. B. Riley upped their price target on Allena Pharmaceuticals from $23.50 to $25.00 and gave the company a "buy" rating in a report on Wednesday, August 8th. LADENBURG THALM/SH SH assumed coverage on Allena Pharmaceuticals in a report on Thursday, August 2nd. They issued a "buy" rating and a $23.00 price target on the stock. Zacks Investment Research cut Allena Pharmaceuticals from a "buy" rating to a "hold" rating in a report on Friday, August 10th. Cowen reaffirmed a "buy" rating on shares of Allena Pharmaceuticals in a report on Wednesday, August 8th. Finally, ValuEngine raised shares of Allena Pharmaceuticals from a "sell" rating to a "hold" rating in a research note on Wednesday, May 2nd. Two equities research analysts have rated the stock with a hold rating and seven have assigned a buy rating to the company. The stock currently has an average rating of "Buy" and an average price target of $29.14. NASDAQ ALNA opened at $10.70 on Thursday. The firm has a market capitalization of $223.92 million and a price-to-earnings ratio of -2.23. Allena Pharmaceuticals has a 1 year low of $6.13 and a 1 year high of $17.56. The company has a current ratio of 29.32, a quick ratio of 29.32 and a debt-to-equity ratio of 0.15. +Allena Pharmaceuticals (NASDAQ:ALNA) last posted its quarterly earnings results on Tuesday, August 7th. The company reported ($0.42) earnings per share (EPS) for the quarter, missing the Thomson Reuters' consensus estimate of ($0.40) by ($0.02). +A number of large investors have recently made changes to their positions in the business. Partner Fund Management L.P. raised its stake in Allena Pharmaceuticals by 18.8% during the 2nd quarter. Partner Fund Management L.P. now owns 1,739,805 shares of the company's stock valued at $22,670,000 after purchasing an additional 275,911 shares during the period. BlackRock Inc. raised its stake in Allena Pharmaceuticals by 145.1% during the 2nd quarter. BlackRock Inc. now owns 567,707 shares of the company's stock valued at $7,397,000 after purchasing an additional 336,053 shares during the period. Sphera Funds Management LTD. raised its stake in Allena Pharmaceuticals by 26.2% during the 1st quarter. Sphera Funds Management LTD. now owns 410,199 shares of the company's stock valued at $4,520,000 after purchasing an additional 85,199 shares during the period. Millennium Management LLC raised its stake in Allena Pharmaceuticals by 138.2% during the 2nd quarter. Millennium Management LLC now owns 219,351 shares of the company's stock valued at $2,858,000 after purchasing an additional 127,272 shares during the period. Finally, Goldman Sachs Group Inc. acquired a new stake in Allena Pharmaceuticals during the 4th quarter valued at $499,000. 82.59% of the stock is currently owned by institutional investors. +Allena Pharmaceuticals Company Profile +Allena Pharmaceuticals, Inc, a late-stage clinical biopharmaceutical company, engages in the development and commercialization of oral enzyme therapeutics to treat patients with rare and severe metabolic, and kidney disorders in the United States and internationally. The company's lead product candidate is ALLN-177, an oral enzyme therapeutic for the treatment of enteric hyperoxaluria, a metabolic disorder commonly associated with kidney stones in adults \ No newline at end of file diff --git a/input/test/Test3275.txt b/input/test/Test3275.txt new file mode 100644 index 0000000..0b4366e --- /dev/null +++ b/input/test/Test3275.txt @@ -0,0 +1,10 @@ +Tweet +Greenleaf Trust increased its holdings in shares of Target Co. (NYSE:TGT) by 22.4% during the second quarter, according to its most recent disclosure with the Securities and Exchange Commission. The fund owned 7,277 shares of the retailer's stock after acquiring an additional 1,330 shares during the quarter. Greenleaf Trust's holdings in Target were worth $554,000 at the end of the most recent reporting period. +A number of other institutional investors and hedge funds have also bought and sold shares of the stock. IFP Advisors Inc boosted its holdings in Target by 8.6% in the 2nd quarter. IFP Advisors Inc now owns 23,764 shares of the retailer's stock valued at $1,809,000 after purchasing an additional 1,873 shares during the last quarter. Uncommon Cents Investing LLC boosted its holdings in Target by 2.2% in the 2nd quarter. Uncommon Cents Investing LLC now owns 31,623 shares of the retailer's stock valued at $2,407,000 after purchasing an additional 685 shares during the last quarter. Partnervest Advisory Services LLC acquired a new position in Target in the 2nd quarter valued at about $291,000. FTB Advisors Inc. boosted its holdings in Target by 1.7% in the 2nd quarter. FTB Advisors Inc. now owns 115,784 shares of the retailer's stock valued at $8,812,000 after purchasing an additional 1,987 shares during the last quarter. Finally, Cambridge Financial Group Inc. boosted its holdings in Target by 5.8% in the 2nd quarter. Cambridge Financial Group Inc. now owns 101,643 shares of the retailer's stock valued at $7,737,000 after purchasing an additional 5,607 shares during the last quarter. Hedge funds and other institutional investors own 85.19% of the company's stock. Get Target alerts: +In related news, insider Janna A. Potts sold 5,152 shares of the company's stock in a transaction that occurred on Monday, June 4th. The shares were sold at an average price of $75.00, for a total transaction of $386,400.00. Following the sale, the insider now directly owns 22,304 shares of the company's stock, valued at approximately $1,672,800. The sale was disclosed in a legal filing with the SEC, which is available through this link . Also, insider Laysha Ward sold 43,926 shares of the company's stock in a transaction that occurred on Monday, June 11th. The stock was sold at an average price of $79.33, for a total transaction of $3,484,649.58. Following the sale, the insider now directly owns 90,460 shares in the company, valued at $7,176,191.80. The disclosure for this sale can be found here . 0.19% of the stock is owned by corporate insiders. +Several research firms have weighed in on TGT. Zacks Investment Research upgraded shares of Target from a "hold" rating to a "buy" rating and set a $91.00 target price on the stock in a report on Tuesday, August 7th. Gordon Haskett upgraded shares of Target from a "hold" rating to an "accumulate" rating in a report on Wednesday, July 25th. ValuEngine raised shares of Target from a "hold" rating to a "buy" rating in a research note on Wednesday, July 4th. MKM Partners set a $91.00 price target on shares of Target and gave the company a "buy" rating in a research note on Friday, June 29th. Finally, Susquehanna Bancshares reissued a "positive" rating and issued a $84.00 price target on shares of Target in a research note on Thursday, June 7th. One investment analyst has rated the stock with a sell rating, eleven have given a hold rating, ten have assigned a buy rating and one has given a strong buy rating to the company's stock. The stock currently has a consensus rating of "Hold" and an average target price of $76.88. +Target stock opened at $82.07 on Friday. The company has a market capitalization of $44.10 billion, a PE ratio of 17.42, a P/E/G ratio of 2.94 and a beta of 0.74. Target Co. has a 1 year low of $53.90 and a 1 year high of $83.19. The company has a current ratio of 0.90, a quick ratio of 0.18 and a debt-to-equity ratio of 1.18. +Target (NYSE:TGT) last released its quarterly earnings results on Wednesday, May 23rd. The retailer reported $1.32 earnings per share (EPS) for the quarter, missing analysts' consensus estimates of $1.38 by ($0.06). Target had a net margin of 4.09% and a return on equity of 23.34%. The company had revenue of $16.78 billion during the quarter, compared to analysts' expectations of $16.58 billion. During the same period last year, the firm posted $1.21 earnings per share. Target's revenue was up 3.4% on a year-over-year basis. research analysts forecast that Target Co. will post 5.28 EPS for the current year. +The firm also recently announced a quarterly dividend, which will be paid on Monday, September 10th. Investors of record on Wednesday, August 15th will be paid a dividend of $0.64 per share. This is an increase from Target's previous quarterly dividend of $0.62. This represents a $2.56 annualized dividend and a yield of 3.12%. The ex-dividend date is Tuesday, August 14th. Target's dividend payout ratio is presently 54.35%. +Target Company Profile +Target Corporation operates as a general merchandise retailer in the United States. The company offers beauty and household essentials, including beauty products, personal and baby care products, cleaning products, paper products, and pet supplies; food and beverage products, such as dry grocery, dairy, frozen food, beverage, candy, snacks, deli, bakery, meat, and produce products; and apparel for women, men, boys, girls, toddlers, infants, and newborns, as well as intimate apparel, jewelry, accessories, and shoes \ No newline at end of file diff --git a/input/test/Test3276.txt b/input/test/Test3276.txt new file mode 100644 index 0000000..be35c53 --- /dev/null +++ b/input/test/Test3276.txt @@ -0,0 +1,7 @@ +Tweet +Matinas BioPharma (NYSEAMERICAN:MTNB) had its target price cut by Maxim Group from $3.00 to $2.00 in a research note released on Monday morning. They currently have a buy rating on the stock. +Shares of NYSEAMERICAN MTNB opened at $0.38 on Monday. Matinas BioPharma has a twelve month low of $0.32 and a twelve month high of $1.60. Get Matinas BioPharma alerts: +Matinas BioPharma (NYSEAMERICAN:MTNB) last announced its quarterly earnings data on Friday, August 10th. The company reported ($0.04) earnings per share for the quarter, hitting analysts' consensus estimates of ($0.04). Matinas BioPharma had a negative net margin of 7,558.92% and a negative return on equity of 195.09%. The company had revenue of $0.09 million during the quarter. +Hedge funds and other institutional investors have recently made changes to their positions in the stock. BlackRock Inc. raised its stake in Matinas BioPharma by 3.4% during the 4th quarter. BlackRock Inc. now owns 2,530,508 shares of the company's stock valued at $2,935,000 after buying an additional 84,226 shares during the last quarter. Royal Bank of Canada raised its stake in Matinas BioPharma by 134.5% during the 1st quarter. Royal Bank of Canada now owns 784,154 shares of the company's stock valued at $599,000 after buying an additional 449,761 shares during the last quarter. Paloma Partners Management Co raised its stake in Matinas BioPharma by 1,724.7% during the 2nd quarter. Paloma Partners Management Co now owns 317,499 shares of the company's stock valued at $138,000 after buying an additional 300,099 shares during the last quarter. Finally, Deutsche Bank AG raised its stake in Matinas BioPharma by 184.8% during the 4th quarter. Deutsche Bank AG now owns 148,042 shares of the company's stock valued at $171,000 after buying an additional 96,054 shares during the last quarter. +About Matinas BioPharma +Matinas BioPharma Holdings, Inc, a clinical-stage biopharmaceutical company, focuses on the discovery and development of various product candidates. The company enables the delivery of life-changing medicines using its lipid nano-crystal (LNC) platform technology. Its LNC delivery technology platform utilizes lipid nano-crystals which can encapsulate small molecules, oligonucleotides, vaccines, peptides, proteins and other medicines potentially making them safer, more tolerable, less toxic, and orally bioavailable \ No newline at end of file diff --git a/input/test/Test3277.txt b/input/test/Test3277.txt new file mode 100644 index 0000000..be04712 --- /dev/null +++ b/input/test/Test3277.txt @@ -0,0 +1,13 @@ +World's largest 3D printed reef installed at Summer Island Maldives +Aug 17, 2018 | By Thomas +As an important source of Earth's most diverse ecosystems, coral reefs sustain 25% of the world's marine life. Yet as climate change continues to drive a deadly underwater heatwave, these brilliant calcium carbonate structures are perishing rapidly, along with the countless species they sustain. Since the 1980s, approximately half of the Earth's coral reefs have died, with that number steadily on the rise. Three years ago, scientists observed the third-ever global bleaching of coral reefs, in what has been called the largest coral destruction in history. +But there may be a glimmer of hope: back in 2015, scientists at Monaco's marine-protected Larvatto Bay started using 3D printing to create artificial coral reefs in an effort to restore the area's biodiversity. The latest case involving the use of 3D printing to help promote the growth of a coral reef ecosystem is taking place in the Maldives. +On 11 August, the world's largest 3D printed reef was installed at Summer Island in the Maldives, in what is hoped could be a new technology-driven method to help coral reefs survive a warming climate. +The artificial reef, made from hundreds of ceramic and concrete modules, was submerged at Summer Island's 'Blue Lagoon' – a sandy part of the lagoon, where the resort hopes to create a new coral reef ecosystem. +The project started in Melbourne, Australia, where industrial designer Alex Goad of Reef Design Lab used computing modeling to design reef structures that resembled the coral reefs found naturally in the Maldives. A large 3D printer took 24 hours to print moulds of the reef structures. These moulds were then cast in ceramic, an inert substance similar to the calcium carbonate found in coral reefs. The ceramic moulds were shipped from Australia to the Maldives, and filled with concrete on the beach at Summer Island. +220 ceramic, concrete filled moulds were then slotted together, like a giant LEGO set, to create the new reef. +"This is a science project, it's a research project," said Goad. "3D printing technology helps us to mimic the complexity of natural reef structures, so we can design artificial reefs that closely resemble those found in nature. We hope this will be a more effective way of growing and restoring corals." +The new reef sits in seven meters of water, close to the resort's existing coral nursery. Fragments of coral were taken from the nursery and transplanted onto the 3D printed reef. The team hopes that in a year or two, these corals will colonize the 3D printed reef. +The resort aims to study the 3D printed reef with the help of marine biologists over the coming years, to see if the 3D printing technology proves more successful at growing corals than existing coral propagation methods, such as with steel frames. +Goad said he will make his modular 3D designs open source, so other researchers in the Maldives can benefit from them without having to pay a licence fee. +Summer Island Resort Manager Mari Shareef explains: "Projects like the 3D printed reef are popular among guests, who like that we protect our environment. And it's not only for the guests. Our staff, most of whom are Maldivian, want to protect their environment. Ultimately, we want to help promote a culture of environmental stewardship, not just at Summer Island, but across the Maldives. \ No newline at end of file diff --git a/input/test/Test3278.txt b/input/test/Test3278.txt new file mode 100644 index 0000000..5edd0e2 --- /dev/null +++ b/input/test/Test3278.txt @@ -0,0 +1,7 @@ +Tweet +Catalyst Capital Advisors LLC acquired a new stake in shares of Invesco BulletShares 2019 Corporate Bond ETF (NYSEARCA:BSCJ) in the 2nd quarter, according to the company in its most recent disclosure with the SEC. The institutional investor acquired 10,000 shares of the company's stock, valued at approximately $210,000. +A number of other hedge funds and other institutional investors have also made changes to their positions in BSCJ. Vestpro Financial Partners Inc. dba CPF Texas purchased a new stake in Invesco BulletShares 2019 Corporate Bond ETF during the 2nd quarter valued at about $100,000. Tradewinds Capital Management LLC purchased a new stake in Invesco BulletShares 2019 Corporate Bond ETF during the 2nd quarter valued at about $100,000. Capital Advisors Ltd. LLC purchased a new stake in Invesco BulletShares 2019 Corporate Bond ETF during the 2nd quarter valued at about $113,000. Quad Cities Investment Group LLC purchased a new stake in Invesco BulletShares 2019 Corporate Bond ETF during the 2nd quarter valued at about $170,000. Finally, Barnett & Company Inc. purchased a new stake in Invesco BulletShares 2019 Corporate Bond ETF during the 2nd quarter valued at about $171,000. Get Invesco BulletShares 2019 Corporate Bond ETF alerts: +Shares of NYSEARCA BSCJ opened at $21.05 on Friday. Invesco BulletShares 2019 Corporate Bond ETF has a 12-month low of $20.92 and a 12-month high of $21.29. +The firm also recently disclosed a monthly dividend, which was paid on Tuesday, August 7th. Investors of record on Friday, August 3rd were paid a dividend of $0.0332 per share. This represents a $0.40 annualized dividend and a yield of 1.89%. The ex-dividend date was Thursday, August 2nd. This is a boost from Invesco BulletShares 2019 Corporate Bond ETF's previous monthly dividend of $0.03. +Read More: How to Track your Portfolio in Google Finance +Want to see what other hedge funds are holding BSCJ? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Invesco BulletShares 2019 Corporate Bond ETF (NYSEARCA:BSCJ). Receive News & Ratings for Invesco BulletShares 2019 Corporate Bond ETF Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Invesco BulletShares 2019 Corporate Bond ETF and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test3279.txt b/input/test/Test3279.txt new file mode 100644 index 0000000..76c43a7 --- /dev/null +++ b/input/test/Test3279.txt @@ -0,0 +1,19 @@ +Machine learning has the potential to save thousands of people from skin cancer each year—while putting others at greater risk. +Angela Lashbrook Aug 16, 2018 +Steve Gschmeissner / Getty LaToya Smith was 29 years old when she died from skin cancer. The young doctor had gotten her degree in podiatry from Rosalind Franklin University, in Chicago, just four years prior, and had recently finished a medical mission in Eritrea. But a diagnosis of melanoma in 2010 meant she would work in private practice for only a year before her death. +As a black woman, LaToya reflected a stark imbalance in skin-cancer statistics in America. While fair-skinned people are at the highest risk for contracting skin cancer, the mortality rate for African Americans is considerably higher: Their five-year survival rate is 73 percent, compared with 90 percent for white Americans, according to the American Academy of Dermatology . +As the rates of melanoma for all Americans continue a 30-year climb, dermatologists have begun exploring new technologies to try to reverse this deadly trend—including artificial intelligence. There's been a growing hope in the field that using machine-learning algorithms to diagnose skin cancers and other skin issues could make for more efficient doctor visits and increased, reliable diagnoses. The earliest results are promising—but also potentially dangerous for darker-skinned patients. +Earlier this month, Avery Smith, LaToya's husband and a software engineer in Baltimore, Maryland, co-authored a paper in JAMA Dermatology that warns of the potential racial disparities that could come from relying on machine learning for skin-cancer screenings. Smith's co-author, Adewole Adamson of the University of Texas at Austin, has conducted multiple studies on demographic imbalances in dermatology. "African Americans have the highest mortality rate [for skin cancer], and doctors aren't trained on that particular skin type," Smith told me over the phone. "When I came across the machine-learning software, one of the first things I thought was how it will perform on black people." +Recently, a study that tested machine-learning software in dermatology, conducted by a group of researchers primarily out of Germany, found that "deep-learning convolutional neural networks," or CNN, detected potentially cancerous skin lesions better than the 58 dermatologists included in the study group. The data used for the study come from the International Skin Imaging Collaboration , or ISIC, an open-source repository of skin images to be used by machine-learning algorithms. Given the rise in melanoma cases in the United States, a machine-learning algorithm that assists dermatologists in diagnosing skin cancer earlier could conceivably save thousands of lives each year. +Its deployment, according to Carlos Charles, a New York City–based dermatologist whose practice specializes in treating patients with darker skin tones, does hold the possibility of aiding marginalized people in getting diagnosed at higher rates than they currently do. "You could take this type of tech and it could have a big role in helping marginalized communities who can't get to the dermatologist," he says. "Potentially, if you could combine different forms of telemedicine and machine vision, you could access more people and make more educated diagnoses." +But, he says, the technology "is a long way from prime time." Chief among the prohibitive issues, according to Smith and Adamson, is that the data the CNN relies on come from primarily fair-skinned populations in the United States, Australia, and Europe. If the algorithm is basing most of its knowledge on how skin lesions appear on fair skin, then theoretically, lesions on patients of color are less likely to be diagnosed. "If you don't teach the algorithm with a diverse set of images, then that algorithm won't work out in the public that is diverse," says Adamson. "So there's risk, then, for people with skin of color to fall through the cracks." +As Adamson and Smith's paper points out, racial disparities in artificial intelligence and machine learning are not a new issue. Algorithms have mistaken images of black people for gorillas , misunderstood Asians to be blinking when they weren't, and " judged " only white people to be attractive. An even more dangerous issue, according to the paper, is that decades of clinical research have focused primarily on people with light skin, leaving out marginalized communities whose symptoms may present differently. +The reasons for this exclusion are complex. According to Andrew Alexis, a dermatologist at Mount Sinai, in New York City, and the director of the Skin of Color Center , compounding factors include a lack of medical professionals from marginalized communities, inadequate information about those communities, and socioeconomic barriers to participating in research. "In the absence of a diverse study population that reflects that of the U.S. population, potential safety or efficacy considerations could be missed," he says. +Adamson agrees, elaborating that with inadequate data, machine learning could misdiagnose people of color with nonexistent skin cancers—or miss them entirely. But he understands why the field of dermatology would surge ahead without demographically complete data. "Part of the problem is that people are in such a rush. This happens with any new tech, whether it's a new drug or test. Folks see how it can be useful and they go full steam ahead without thinking of potential clinical consequences. What these folks [in the CNN trial] have done is they've gone after easily accessible data sets. But data sets are inherently biased." +The ideal solution, then, would be to ensure a more equitable demographic participation in clinical trials, and in the case of machine learning, to save photo sets of skin conditions on diverse skin types for the algorithm to "learn" from. Adamson believes that the remedy "is not necessarily easy, but it is simple." +Timo Buhl, a dermatologist at the University Medical Center Göttingen and a co-author of the CNN study, readily admits to the study's demographic data gaps. "Most images in our study were taken of moles and melanomas of white people, which reflects the vast majority of patients here [in Germany]," he says. Buhl adds that he's currently building data sets and running experiments with images from "other parts of the world." The ISIC, too, is looking to expand its archive to include as many skin types as possible, according to Allan C. Halpern, a dermatologist at Memorial Sloan Kettering, in New York City, and a spokesperson for the organization. +Adamson wants dermatologists to begin actively contributing photos of lesions on their patients with darker skin tones to the open-source ISIC. Smith agrees, saying that contributions will be most valuable if they extend beyond the United States and Europe. "You have [dozens of] countries across the world with majority-black populations," he says. "There needs to be more photos taken of their moles." +Improving machine-learning algorithms is far from the only method to ensure that people with darker skin tones are protected against the sun and receive diagnoses earlier, when many cancers are more survivable. According to the Skin Cancer Foundation, 63 percent of African Americans don't wear sunscreen ; both they and many dermatologists are more likely to delay diagnosis and treatment because of the belief that dark skin is adequate protection from the sun's harmful rays. And due to racial disparities in access to health care in America, African Americans are less likely to get treatment in time. +"These organizations are training their machine learning on Caucasian skin, so it ends up providing advancement for the population that has the highest survival rate," Smith says. +"AI isn't bad; quite the opposite," Adamson adds. "I just think it should be inclusive." +We want to hear what you think about this article. Submit a letter to the editor or write to letters@theatlantic.com \ No newline at end of file diff --git a/input/test/Test328.txt b/input/test/Test328.txt new file mode 100644 index 0000000..eace85a --- /dev/null +++ b/input/test/Test328.txt @@ -0,0 +1,17 @@ +A "big stick" will be used to whack energy companies in a bid to force down power prices and win Malcolm Turnbull support for his national energy plan. +The prime minister is looking at stopping big power companies from inflating prices when they sell energy to each other, as well as putting a default price on retailers. +Mr Turnbull got his National Energy Guarantee through the coalition party room on Tuesday with "overwhelming" support, but a small group of MPs want him to make sure prices will drop. +Coalition frontbencher Christopher Pyne said the leadership was listening. +"That's why the prime minister and the cabinet will propose a big stick approach to electricity prices next week, because we want to bring prices down too," Mr Pyne told the Nine Network on Friday. +Finance Minister Mathias Cormann said the government was looking at "immediate" ways to bring power prices down. +"The prime minister is very aware and very conscious of the need to apply cost of living relief in the short term," he told Sky News on Friday. +Deputy Nationals leader Bridget McKenzie said the Australian Competition and Consumer Commission's recommendation for a default retail price offer could cut prices by 35 per cent. +Labor is also considering the recommendation, which has drawn interest from coalition backbenchers. +Queensland LNP member Ted O'Brien told AAP the government needs to come up with a package that includes the guarantee but also has measures to reduce prices and drive investment. +He also wants state governments to write down their inflated poles-and-wires assets, which they are able to get high returns on through power prices. +Mr O'Brien said getting a deal that includes the NEG would give MPs something to agree with, even if they don't agree with all of it. +Former prime minister Tony Abbott wrote an opinion piece for News Corp newspapers laying out his vision for cutting power prices, including dumping the Paris climate targets to which he signed up. +He is one of at least two coalition MPs who promised to vote against the guarantee, but other sceptics said they could be convinced if prices are lowered. +The guarantee forces emissions to be cut by the Paris-mandated 26 per cent, but backbencher George Christensen will only vote for a 17 per cent target, while Labor wants 45 per cent. +WA Liberal MP Andrew Hastie is also among those reserving their right to cross the floor. +Others publicly raising concerns include Eric Abetz, Craig Kelly, Tony Pasin, Barry O'Sullivan, Kevin Andrews, Andrew Gee and Barnaby Joyce \ No newline at end of file diff --git a/input/test/Test3280.txt b/input/test/Test3280.txt new file mode 100644 index 0000000..f190703 --- /dev/null +++ b/input/test/Test3280.txt @@ -0,0 +1,14 @@ +comment Comments BIG DRY: Crop farmer Neil Westcott near Parkes this week. Picture: Dean Lewins +As bushfires burn and farmers struggle to buy hay for livestock, there looks to be no relief on the horizon. +Estimates from the Bureau of Meteorology this week point to drought conditions intensifying and even heading further south across the Victorian border. +The bureau says there is "double the normal chance", or a 50 per cent chance of El Niño forming this year. +"El Niño during spring typically means below average rainfall in eastern and northern Australia while daytime temperatures are typically above average over southern Australia," the bureau said. +The predictions come as hay is being transported from Western Australia to struggling farmers in NSW, and the state government has announced a raft of new emergency drought relief measures. +Bega MP Andrew Constance said he is "concerned about the potential for transport subsidies to result in artificial increases in freight costs, which can distort the market". +However, he said the appointment of former NSW Farmers Association president Derek Schoen as the government's freight watch integrity adviser will "ensure that every dollar of our drought package goes to helping our farmers, rather than boosting the profits of freight companies". +"The state has experienced the driest lead in to winter and spring since 1982 and the forecasts point to a dry run into the end of the year," Mr Constance said. +Ninety-one-year-old farmer Joe McBride said he's seen "a few droughts" in his time, and said more research should be done around rainfall. +Mr McBride said ideas such as cloud seeding, and the development of technology to cool water molecules as it rises have been considered in the past. +"It was dry when we first moved here years ago," he said. +"When there wasn't much hay around we would just drop a few willow tree branches, and the cattle just came straight over and stripped it, they even ate the bark. +"You have to work out how to utilise the things against you for your own advantage. \ No newline at end of file diff --git a/input/test/Test3281.txt b/input/test/Test3281.txt new file mode 100644 index 0000000..9df671b --- /dev/null +++ b/input/test/Test3281.txt @@ -0,0 +1,9 @@ +Global US Melanoma Market Overview – Key Futuristic Trends and Opportunities +Market Scenario: +Melanoma is a type of cancer that develops from pigment containing cells known as melanocytes. It is the most dangerous type of skin cancer. Sometimes they develop from moles showing significant change in color, increase in size, itchiness, irregular edges, changein color or skin breakdown. Exposure to ultra violet light in people with low pigment levels. The tumor can be either malignant or benign. Types of melanoma are superficial spreading melanoma, nodular melanoma, lentigo maglina melanoma, acral lentigious melanoma and others. About 98% of melanoma is localized in the US. Skin cancer are most common cancers in the US. Treatment available for melanoma include biologic therapy, immune therapy, radiation therapy, chemotherapy and surgery. Ultra violet exposure is known as risk factor of melanoma. Superficial spreading melanoma is the type of melanoma affecting large number of people in the US. The disease is more common in men than women. +The US market of melanoma is expected to reach US$ 3.2 billion in 2023 from US$ 2.4 billion in 2016 with a CAGR of approximately 8.3%. +Get Sample Copy @ https://www.marketresearchfuture.com/sample_request/2950 +Segments: US melanoma market has been segmented on the basis of type (superficial spreading, nodular, lentigo maglina, acral lentigious and others), by gender (male and female), by treatment (immunotherapy, biologic therapy, radiation therapy, chemotherapy, surgery and others), by diagnosis (ABCDE, ugly duckling, biopsy, and others) and by end users (hospitals, pharmaceutical companies, research centers, clinics, laboratories). +Regional Analysis of Melanoma Market: +Melanoma market in the US is divided into states comprising of Georgia, New Jersey, North Carolina, New York, Florida, Illinois, Ohio, Pennsylvania, Texas, Washington, California and, Virginia and Rest of US. California accounts for the largest market for melanoma in US followed by Florida and Ohio. California and Florida are key regions for melanoma market. Large number of melanoma cases are found in this region. New York is the third largest market after Florida. According to American Society of Dermatology, prevalence of melanoma is gradually increasing. and this spreads across the body. Number of skin cancer patients is growing steadily in Florida and Texas. This is due to their exposure to ultraviolet rays and extensive use of tanning beds in these regions. Technological advancement in the field of treatment and diagnosis of melanoma in the US also drives this market. The Food and Drug Administration (FDA) classifies tanning beds as "moderate risk" devices. +Intended Audienc \ No newline at end of file diff --git a/input/test/Test3282.txt b/input/test/Test3282.txt new file mode 100644 index 0000000..e85f863 --- /dev/null +++ b/input/test/Test3282.txt @@ -0,0 +1,2 @@ +Accessible You with Connect 4 Life Share on Google Plus Share on LinkedIn Share via Email Episode Description +Melanie Taddeo stops by to chat about Accessible You, an event promoting the new Connect 4 Life space and discussions on accessibility in the community. Keywords : Connect4Life, yoga, wheelchair basketball, Melanie Taddeo, Accessible Yo \ No newline at end of file diff --git a/input/test/Test3283.txt b/input/test/Test3283.txt new file mode 100644 index 0000000..4811592 --- /dev/null +++ b/input/test/Test3283.txt @@ -0,0 +1,59 @@ +Mount Olive moves closer to new fire station By Full Size News-Argus/STEVE HERRING Mount Olive Fire Chief Greg Wiggins through scrapbooks of old fire department photos. The town has approved a feasibility study to find a suitable location for a new station. Full Size News-Argus/STEVE HERRING Wiggins stands in front of one of the department's newest engines. One of the reasons a new station is needed is because the size of the trucks has grown. Full Size News-Argus/STEVE HERRING This photo from 1959 shows firefighters in front of the three-story building whose bottom floor served as the fire station. Located on East Main Street, across from what is now the new Southern Bank corporate headquarters, the building was demolished years ago. +MOUNT OLIVE -- The first thing Fire Chief Greg Wiggins does when he enters the fire station is check for leaks. +"Over the map, over the door, the work bench, in the meeting room. It is almost like a sieve," he said. +The flat roof has been repaired over the years and it has helped, for a while at least, Wiggins said. +"A flat roof is a flat roof, and they are going to leak somewhere it appears," he said. +At their Aug. 6 board meeting, the Mount Olive town commissioners approved a $25,000 contract with Stewart Cooper Newell of Gastonia to conduct a feasibility study on a possible location for a new fire station. +The company is a leading expert in designing fire facilities in the country, Town Manager Charles Brown said. +The building has served the town well, but the department has outgrown it, Mayor Joe Scott said. +No timetable or budget has been discussed, but the department has put $5 million on its five-year capital improvement plan. +It could be less, but it's a good figure to start with, Wiggins said. +No matter the cost, town officials will to prioritize needs and determine how to finance them. They will also need the public's support for the project, he said. +Also to be decided will be what the town will do with the old station as well as the former rescue squad building where the county currently stations an ambulance. +There have been several thoughts on possible uses for the current fire station, including turning it into a police station or selling it to the highest bidder, Scott said. +The county plans to build its own EMS station near town and relocate the ambulance there. +Possible uses for the old rescue building include using it for the town's Parks and Recreation Department, Scott said. +"Also turning it into a life and science museum as it would be a good location for school-age kids to visit and have hands-on projects," he said. +"I'm excited at the progress we are making and the thoughtful discussions the town board is making for what is best for these buildings and the future growth of Mount Olive." +While the fire station's exterior looks fine, the building is showing its age, Wiggins said. +When it was constructed in 1966, the department's largest truck was an American LaFrance pumper that was about 27 feet long, seven foot wide and weighed about 29,000 pounds. +One engine currently housed inside the building is 32 feet long, eight feet wide and 42,000 pounds. +The tower truck is 47 feet long and weighs 80,000 pounds. +The floor, which was not deigned for such behemoths, has hairline cracks, Wiggins said. +The bay doors are 12-foot wide. +"So an 8-foot truck with a mirror off both sides sticking out another foot -- now it is 9 or 10 foot, leaving only a foot on either side when you are backing in," he said. "It is just extremely tight. We have hit mirrors and stuff on trucks getting them in and out." +Wiggins said he would like to see a new station with drive-through bays to eliminate having to back the trucks in. +"There are a lot of safety factors there," he said. "Anytime you are backing a truck of that size ... believe it or not, firefighters actually get backed over. +"We have things in place that are supposed to take care of that, but it is never safe backing one of these big trucks up." +The station was state-of-the art when it was built, Wiggins said. +However, trends in the fire service have dedicated the size of equipment and the station was just to built to house the larger trucks. +"We literally almost have trucks stacked on top of each other," Wiggins said. +"There is no room to move around in the bay area getting around equipment." +The station was not built with handicapped accessibility in mind, nor gender-specific restrooms, he said. +When the station was built, the majority of firefighters were men. Now, there are plenty of women in the fire service, Wiggins said. +"So there is a lot of catching up to do with this building," he said. +Turnout gear is stored in the bays, but that practice is now frowned on because of the fumes from the trucks settle on it, he said. +"Also, the particles that we bring back from a house fire are still on our gear and with the gear hanging on the wall, it contaminates the entire building," Wiggins. +The trend is to build separate rooms to store the gear where there are fans and ventilation to pull those particles out of it, he said. +"Cancer is a big deal in the fire service," Wiggins said. "Cancer and heart attacks are big killers in the entire country, but those numbers are even higher in the fire service. +"As matter of fact, cancer, there are four different cancers that are actually considered line-of-duty deaths in the fire service." +The station lacks a laundry room, much less the space for the proper type of washing machines and driers to clean the turnout gear. +Instead, the equipment is scrubbed down by hand at the station's wash bay where the trucks are washed. +But that is not the same as properly washing it in a washing machine, Wiggins said. +The department has budgeted for a washing machine, but simply has no place put it, Wiggins said. +Volunteers continue to do an outstanding job, but all volunteer departments are having trouble securing daytime help, Wiggins said. +"At some point in time, we will have people sleeping around the clock here," he said. "We don't have sleeping facilities here or anything to support that type of operation. +"I am not going to say that is going to happen in the next two years. I don't have that magic ball to know exactly when. I just know what I have seen happen in the last years, and it is going to migrate to that point ... that we will have to have more people on staff." +There are a limited number of suitable locations in the town, simply because of how fire districts are arranged, Wiggins said. +Most Wayne County departments serve a district within a 5-radius of the station. +Moving the station too far would affect the district lines for nearby departments such as Smith Capel to the west, Dudley to the north and Calypso to the south, he said. +Locating the station further east is the only direction where there would not be a problem with the district lines, Wiggins said. +Another factor is water distribution since the department's insurance rating is based on fire hydrants. +As such, water distribution is a significant factor in the rating which also directly impacts homeowners' insurance premiums, he said. +"If we move away and don't have the correct number of hydrants, it affects that rating," Wiggins said. +When all of that is considered, the station needs to remain in the general area of its current location, he said. +"You can ride through town and look, there are not many places to put a fire station," Wiggins said. +"That is one of the reasons for getting the feasibility study done. Those folks are experts in that field." +There has been speculation that the old National Guard Armory on Witherington Street could be used. +The building and property are owned by the town. +However, Wiggins said the town does not know if that is the correct spot. Also, as the building stands now, it could not be used as a fire station. Other Local New \ No newline at end of file diff --git a/input/test/Test3284.txt b/input/test/Test3284.txt new file mode 100644 index 0000000..39d8740 --- /dev/null +++ b/input/test/Test3284.txt @@ -0,0 +1,23 @@ +{copyShortcut} to copy Link copied! Updated: 5:07 AM CDT Aug 17, 2018 Baker who refused to make gay wedding cake sues again over gender transition cake Share {copyShortcut} to copy Link copied! Updated: 5:07 AM CDT Aug 17, 2018 Associated Press DENVER — +A Colorado baker who refused to make a wedding cake for a gay couple on religious grounds — a stance partially upheld by the U.S. Supreme Court — has sued the state over its opposition to his refusal to bake a cake celebrating a gender transition, his attorneys said Wednesday. +Jack Phillips, owner of the Masterpiece Cakeshop in suburban Denver, claimed that Colorado officials are on a "crusade to crush" him and force him into mediation over the gender transition cake because of his religious beliefs, according to a federal lawsuit filed Tuesday. Advertisement +Phillips is seeking to overturn a Colorado Civil Rights Commission ruling that he discriminated against a transgender person by refusing to make a cake celebrating that person's transition from male to female. +His lawsuit came after the Supreme Court ruled in June that Colorado's Civil Rights Commission displayed anti-religious bias when it sanctioned Phillips for refusing to make a wedding cake in 2012 for Charlie Craig and Dave Mullins, a same-sex couple. +The justices voted 7-2 that the commission violated Phillips' rights under the First Amendment. But the court did not rule on the larger issue of whether businesses can invoke religious objections to refuse service to gays and lesbians. +The Alliance Defending Freedom, a conservative Christian nonprofit law firm, represented Phillips in the case and filed the new lawsuit. +Phillips operates a small, family-run bakery located in a strip mall in the southwest Denver suburb of Lakewood. He told the state civil rights commission that he can make no more than two to five custom cakes per week, depending on time constraints and consumer demand for the cakes that he sells in his store that are not for special orders. +Autumn Scardina, a Denver attorney whose practice includes family, personal injury, insurance and employment law, filed the Colorado complaint — saying that Phillips refused her request for a gender transition cake in 2017. +Scardina said she asked for a cake with a pink interior and a blue exterior and told Phillips it was intended to celebrate her gender transition. She did not state in her complaint whether she asked for the cake to have a message on it. +The commission found on June 28 that Scardina was discriminated against because of her transgender status. It ordered both parties to seek a mediated solution. +Phillips sued in response, citing his belief that "the status of being male or female ... is given by God, is biologically determined, is not determined by perceptions or feelings, and cannot be chosen or changed," according to his lawsuit. +Phillips alleges that Colorado violated his First Amendment right to practice his faith and the 14th Amendment right to equal protection, citing commission rulings upholding other bakers' refusal to make cakes with messages that are offensive to them. +"For over six years now, Colorado has been on a crusade to crush Plaintiff Jack Phillips ... because its officials despise what he believes and how he practices his faith," the lawsuit said. "This lawsuit is necessary to stop Colorado's continuing persecution of Phillips." +Phillips' lawyers also suggested that Scardina may have targeted Phillips several times after he refused her original request. The lawsuit said he received several anonymous requests to make cakes depicting Satan and Satanic symbols and that he believed she made the requests. +Reached by telephone Wednesday, Scardina declined to comment, citing the pending litigation. Her brother, attorney Todd Scardina, is representing her in the case and did not immediately return a phone message seeking comment. +Phillips' lawsuit refers to a website for Scardina's practice, Scardina Law. The site states, in part: "We take great pride in taking on employers who discriminate against lesbian, gay, bisexual and transgender people and serving them their just desserts." +The lawsuit said that Phillips has been harassed, received death threats, and that his small shop was vandalized while the wedding cake case wound its way through the judicial system. +Phillips' suit names as defendants members of the Colorado Civil Rights Division, including division director Aubrey Elenis; Republican state Attorney General Cynthia Coffman; and Democratic Gov. John Hickenlooper. It seeks a reversal of the commission ruling and at least $100,000 in punitive damages from Elenis. +Hickenlooper told reporters he learned about the lawsuit Wednesday and that the state had no vendetta against Phillips. +Rebecca Laurie, a spokeswoman for the civil rights commission, declined comment Wednesday, citing pending litigation. Also declining comment was Coffman spokeswoman Annie Skinner. +The Masterpiece Cakeshop wedding cake case stirred intense debate about the mission and composition of Colorado's civil rights commission during the 2018 legislative session. Its seven members are appointed by the governor. +Lawmakers added a business representative to the commission and, among other things, moved to ensure that no political party has an advantage on the panel \ No newline at end of file diff --git a/input/test/Test3285.txt b/input/test/Test3285.txt new file mode 100644 index 0000000..f50ca3b --- /dev/null +++ b/input/test/Test3285.txt @@ -0,0 +1,5 @@ +Map This is an in-person event only. +On August 30 and 31, Nepal will host the fourth BIMSTEC Summit in Kathmandu with Prime Minister Narendra Modi and other heads of government expected to attend the summit. Founded in 1997, the Bay of Bengal Initiative for Multi-Sectoral Technical and Economic Cooperation (BIMSTEC) includes Bangladesh, Bhutan, India, Myanmar, Nepal, Thailand, and Sri Lanka, but has often struggled to develop regional cooperation and greater connectivity between South and Southeast Asia. What can we expect from the BIMSTEC summit in Kathmandu? Will BIMSTEC replace the South Asian Cooperation for Regional Cooperation? What challenges and opportunities lie ahead for the connectivity and integration agenda around the Bay of Bengal? +To discuss some of these questions, you are cordially invited to an event with a special address by H.E. Mr. Chutintorn Gongsakdi, Ambassador of Thailand to India. This will be followed by a panel featuring recent research publications about BIMSTEC, including a study by Constantino Xavier, Fellow, Foreign Policy at Brookings India; an edited book by Prabir De, professor at RIS; a report by Rajiv Bhatia, Distinguished Fellow at Gateway House; and a paper by Joyeeta Bhattacharjee, Senior Fellow at the Observer Research Foundation. The discussion will be moderated by Sreeradha Datta of the Vivekananda International Foundation. +The event will be on-the-record and open to the media. All participants are requested to register their attendance with Shruti Godbole at sgodbole@brookingsindia.org. More Information Brookings India 01124157753 +To subscribe or manage your subscriptions to our top event topic lists, please visit our event topics page. Related Topic \ No newline at end of file diff --git a/input/test/Test3286.txt b/input/test/Test3286.txt new file mode 100644 index 0000000..a0d7710 --- /dev/null +++ b/input/test/Test3286.txt @@ -0,0 +1,5 @@ +Search for: Methylamine Market Global Research 2018- Balaji Amines, Celanese, Eastman and Chemours +Global Methylamine Market research report insight provides the crucial projections of the market. It also serves a Methylamine correct calculation regarding the futuristic development depending on the past data and present situation of Methylamine industry status. The report analyses the Methylamine principals, participants, Methylamine geological areas, product type, and Methylamine end-users applications. The worldwide Methylamine industry report provides necessary and auxiliary data which is represents as Methylamine pie-charts, tables, systematic overview, and product diagrams. The Methylamine report is introduced adequately, that includes fundamental patois, vital review, understandings, and Methylamine certain aspects according to commiseration and cognizance. +Global Methylamine industry Report insistence on the overall data relevant to the Methylamine market. It includes most of the Methylamine queries related to the market value, environmental analysis, Methylamine advanced techniques, latest developments, Methylamine business strategies and current trends. While preparing the Methylamine report various aspects like market dynamics, stats, prospects and worldwide Methylamine market volume are taken into consideration. The global Methylamine market report evaluates an detailed analysis of the thorough data. Our experts ensure Methylamine report readers including the Methylamine manufacturers, investors find it simple and easy to understand the ongoing scenario of the Methylamine industry. +To Access PDF Sample Report, Click Here: https://market.biz/report/global-methylamine-market-icrw/134246/#request-sample +Global Methylamine contains important points to offer a cumulative database of Methylamine industry like supply-demand ratio, Methylamine market frequency, dominant players of Methylamine market, driving factors, restraints, and challenges. The world Methylamine market report highlighted on the market revenue, sales, Methylamine production and manufacturing cost, that defines the competing point in gaining the idea of the Methylamine market share. Together with CAGR value over the forecast period 2018 to 2023, Methylamine financial problems and economical background over the globe. This Methylamine market report has performed SWOT analysis on the Methylamine leading manufacturing companies to accomplish their strength, opportunities, weaknesses, and risks. Segmentation of Global Methylamine Market Manufacturer Balchem, BASF, Balaji Amines, Celanese, Chemours, MGC and Eastman Type \ No newline at end of file diff --git a/input/test/Test3287.txt b/input/test/Test3287.txt new file mode 100644 index 0000000..d49c6b4 --- /dev/null +++ b/input/test/Test3287.txt @@ -0,0 +1,7 @@ +up vote 0 down vote favorite +I'm writing an R shiny app which should allow the user to create customisable plots of some data. The idea is that my app offers a "create new plot" button, which renders the plot and stores it in a reactive. A renderUI function "watches" this list and renders all plots in that reactive. +I found a couple of related questions r-markdown-shiny-renderplot-list-of-plots-from-lapply or shiny-r-renderplots-on-the-fly which however did not really help in my case. I hope I didn't miss a good answer somewhere (which I would assume there is because I think this is not a rare use case). +When implementing, I noticed a strange behaviour: When there is only one plot to be shown, everything works well. However, when I have n (n>1) plots, instead of rendering plot 1, plot 2, ..., plot n, the app only showed n times the plot n. +See my example app below. I simplified the problem by just letting the user choose the number of plots to be displayed. The renderUI function then has a loop creating thees plots in a variable p and then calls renderPlot(p). I assume shiny does some caching and for some reason fails to recognise that p changes in the loop?! +I found a workaround by replacing the renderPlot(p) by do.call("renderPlot", list(expr = p). This does the job but I'm still curious to learn why the direct renderPlot does not work. +Here is my example app: library(shiny) library(ggplot2) # Define UI ui <- shinyUI(fluidPage( titlePanel("renderPlot Test"), sidebarLayout( sidebarPanel( numericInput(inputId = "n", label = "Number of Plots", value = 1L, min = 1L, max = 5L, step = 1L), checkboxInput(inputId = "use_do.call", label = "use 'do.call'", value = FALSE) ), mainPanel( uiOutput("show_plots") ) ) )) # Define server logic server <- shinyServer(function(input, output) { output$show_plots <- renderUI({ ui <- tags$div(tags$h4("Plots")) for( i in 1:input$n ) { p <- ggplot() + ggtitle(paste("plot", i)) if( input$use_do.call ) { # this works ui <- tagAppendChild(ui, do.call("renderPlot", args=list(expr=p, width = 200, height = 200))) } else { # this doesn't ... ui <- tagAppendChild(ui, renderPlot(p, width = 200, height = 200)) } } return(ui) }) }) # Run the application shinyApp(ui = ui, server = server \ No newline at end of file diff --git a/input/test/Test3288.txt b/input/test/Test3288.txt new file mode 100644 index 0000000..2467d0a --- /dev/null +++ b/input/test/Test3288.txt @@ -0,0 +1,3 @@ +Research Article Impeding Circulating Tumor Cell Reseeding Decelerates Metastatic Progression and Potentiates Chemotherapy. Chen Qian , Asurayya Worrede-Mahdi , Fei Shen , Anthony DiNatale , Ramanpreet Kaur , Qiang Zhang , Massimo Cristofanilli , Olimpia Meucci and Alessandro Fatatis Chen Qian PDF Abstract Circulating Tumor Cells (CTCs) are commonly detected in the systemic blood of cancer patients with metastatic tumors. However, the mechanisms controlling the viability of cancer cells in blood and length of time spent in circulation, as well as their potential for generating additional tumors are still undefined. Here, it is demonstrated that CX3CR1, a chemokine receptor, drives reseeding of breast CTCs to multiple organs. Antagonizing this receptor dramatically impairs the progression of breast cancer cells in a relevant model of human metastatic disease, by affecting both tumor growth and numerical expansion. Notably, therapeutic targeting of CX3CR1 prolongs CTC permanence in the blood, both promoting their spontaneous demise by apoptosis and counteracting metastatic reseeding. These effects lead to containment of metastatic progression and extended survival. Finally, targeting CX3CR1 improves blood exposure of CTCs to doxorubicin and in combination with docetaxel shows synergistic effects in containing overall tumor burden Implications: The current findings shed light on CTCs reseeding dynamics and support the development of CX3CR1 antagonism as a viable strategy to counteract metastatic progression. Received March 27, 2018. Revision received July 6, 2018. Accepted August 9, 2018. Copyright ©2018, Log in using your username and password Username * Forgot your user name or password? Purchase Short Term Access +Pay Per Article - You may access this article (from the computer you are currently using) for 1 day for US$35.00 +Regain Access - You can regain access to a recent Pay per Article purchase if your access period has not yet expired \ No newline at end of file diff --git a/input/test/Test3289.txt b/input/test/Test3289.txt new file mode 100644 index 0000000..566b06f --- /dev/null +++ b/input/test/Test3289.txt @@ -0,0 +1 @@ +The Wallabies skipper will return for the first Bledisloe test against the All Blacks, having not played since tearing his hamstring in June \ No newline at end of file diff --git a/input/test/Test329.txt b/input/test/Test329.txt new file mode 100644 index 0000000..5600e65 --- /dev/null +++ b/input/test/Test329.txt @@ -0,0 +1,7 @@ +Emjay Lapus in Movies/TV BAKWIT BOYS Become Larger Than Life This August +One of the most anticipated entries in the Pista (PPP) 2018 is the John Paul Laxamana-helmed . +The film chronicles the tale of the Datul brothers–The eldest brother, Elias (Vance Larena), is the band vocalist together with the youngest, Sonny (Mackie Empuerto), while Joey (Ryle Santiago) plays the guitar and Philip (Nikko Natividad) composes their songs. +After a supertyphoon ravages their hometown and puts a halt to their musical pursuits, the brothers are forced to move from Isabela all the way to Pampanga to stay with their grandfather. While taking refuge in this distant farmland, the brothers put their musical talents to good use and perform their original song in a town fiesta to earn some cash. +Their performance impresses Rose (Devon Seron), a rich city girl who is passionate for music. She offers to help the boys record their songs and have them played on the radio. Individual interests and personal conflicts test the unity of the band, as they struggle to make sense of life's ironies and tragedies. +Speaking about the inspiration behind the film, Laxamana drew from his experiences while collaborating with musicians from different parts of the country. "We compose original songs which we release online and submit to local radio stations for possible airplay," says Laxamana. "Because local radio stations mostly prefer to play songs by Manila-based celebrities, sharing the music we create to a wider audience has always been a challenge. This aspect of my life was what inspired me to make Bakwit Boys and tap my Tarlac-based musician friend to create the original songs for it." Another inspiration behind the film is Laxamana's experience in the wake of the 1991 Mt. Pinatubo eruption. " Bakwit Boys is also a story about moving on and rising from the wreckage brought about by catastrophes, both natural and manmade." +Bakwit Boys runs from August 15 to 21 in cinemas nationwide as part . Emjay Lapus Emjay wears multiple hats -- communications specialist, aspiring Power Ranger, wrestling fan, sneakerhead, comic book reader, member of the Grizz Nation, part-time musician/full-time music lover, Grove Street OG, occasional photo/video editor (mostly memes), and protector of Earthrealm. More articles by Emjay Lapus » Related \ No newline at end of file diff --git a/input/test/Test3290.txt b/input/test/Test3290.txt new file mode 100644 index 0000000..84047cc --- /dev/null +++ b/input/test/Test3290.txt @@ -0,0 +1,12 @@ +Shutterstock photo +As of late, it has definitely been a great time to be an investor in Amedisys, Inc. AMED . The stock has moved higher by 22.5% in the past month, while it is also above its 20 Day SMA too. This combination of strong price performance and favorable technical, could suggest that the stock may be on the right path. +We certainly think that this might be the case, particularly if you consider AMED's recent earnings estimate revision activity. From this look, the company's future is quite favorable; as AMED has earned itself a Zacks Rank #1 (Strong Buy), meaning that its recent run may continue for a bit longer, and that this isn't the top for the in-focus company. You can see the complete list of today's Zacks #1 Rank stocks here . +Will You Make a Fortune on the Shift to Electric Cars? +Here's another stock idea to consider. Much like petroleum 150 years ago, lithium power may soon shake the world, creating millionaires and reshaping geo-politics. Soon electric vehicles (EVs) may be cheaper than gas guzzlers. Some are already reaching 265 miles on a single charge. +With battery prices plummeting and charging stations set to multiply, one company stands out as the #1 stock to buy according to Zacks research. +It's not the one you think. +See This Ticker Free >> +Want the latest recommendations from Zacks Investment Research? Today, you can download 7 Best Stocks for the Next 30 Days. Click to get this free report +Amedisys, Inc. (AMED): Free Stock Analysis Report +To read this article on Zacks.com click here. +Zacks Investment Research The views and opinions expressed herein are the views and opinions of the author and do not necessarily reflect those of Nasdaq, Inc \ No newline at end of file diff --git a/input/test/Test3291.txt b/input/test/Test3291.txt new file mode 100644 index 0000000..95e3151 --- /dev/null +++ b/input/test/Test3291.txt @@ -0,0 +1,9 @@ +Tweet +Zacks Investment Research lowered shares of ALPS Elec Ltd/ADR (OTCMKTS:APELY) from a hold rating to a sell rating in a research report sent to investors on Monday. +According to Zacks, "ALPS ELECTRIC CO., LTD. is a Japan-based company mainly engaged in the manufacture and sale of electronic components and audio equipment. The Company operates in three business segments. The Electronic Component segment offers switches, adjustable resistors, hard disk drive (HDD) heads, tuners, data communication modules, printers, amusement machines, car control units and steering modules, among others. The Audio segment provides car audio equipment and navigation systems. The Logistic segment provides delivery and storage services and packaging materials, as well as system development service, office service, manpower dispatching service and financial management services. The Company has 86 subsidiaries and right associated companies. " Get ALPS Elec Ltd/ADR alerts: +Separately, ValuEngine raised ALPS Elec Ltd/ADR from a sell rating to a hold rating in a research report on Monday, July 30th. +Shares of ALPS Elec Ltd/ADR stock opened at $55.41 on Monday. ALPS Elec Ltd/ADR has a 52-week low of $44.09 and a 52-week high of $68.45. +About ALPS Elec Ltd/ADR +Alps Electric Co, Ltd. manufactures and sells electronic components worldwide. The company operates through Electronic Components, Automotive Infotainment, and Logistics segments. It offers sensors, switches, encoders, potentiometers, connectors, communication modules, multi control devices, power inductors, aspherical glass lenses, toroidal coils, touch input devices, actuators, and printers; and car navigation and audio systems, and information and communication devices. +Get a free copy of the Zacks research report on ALPS Elec Ltd/ADR (APELY) +For more information about research offerings from Zacks Investment Research, visit Zacks.com Receive News & Ratings for ALPS Elec Ltd/ADR Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for ALPS Elec Ltd/ADR and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test3292.txt b/input/test/Test3292.txt new file mode 100644 index 0000000..4dd6078 --- /dev/null +++ b/input/test/Test3292.txt @@ -0,0 +1 @@ +Åse Marie Hansen 1 , 2 , 5 , Annette Kjær Ersbøll 8 , Naja Hulvej Rod 1 , 2 1 Department of Public Health , University of Copenhagen , Copenhagen , Denmark 2 Copenhagen Stress Research Center , Copenhagen , Denmark 3 Department of Occupational and Environmental Medicine , Bispebjerg Frederiksberg University Hospital , Copenhagen , Denmark 4 Department of Public Health, Section of Biostatistics , University of Copenhagen , Copenhagen , Denmark 5 National Research Centre for the Working Environment , Copenhagen , Denmark 6 Department of Psychology , University of Copenhagen , Copenhagen , Denmark 7 Danish Cancer Society Research Center , Copenhagen , Denmark 8 National Institute of Public Health, University of Southern Denmark , Copenhagen , Denmark Correspondence to Eszter Török, Department of Public Health, University of Copenhagen, Copenhagen 1014, Denmark; eszt{at}sund.ku.dk Abstract Objective There is a lack of studies investigating social capital at the workplace level in small and relatively homogeneous work-units. The aim of the study was to investigate whether work-unit social capital predicts a lower risk of individual long-term sickness absence among Danish hospital employees followed prospectively for 1 year. Methods This study is based on the Well-being in HospitAL Employees cohort. The study sample consisted of 32 053 individuals nested within 2182 work-units in the Capital Region of Denmark. Work-unit social capital was measured with an eight-item scale covering elements of trust, justice and collaboration between employees and leaders. Social capital at the work-unit level was computed as the aggregated mean of individual-level social capital within each work-unit. Data on long-term sickness absence were retrieved from the employers' payroll system and were operationalised as ≥29 consecutive days of sickness absence. We used a 12-point difference in social capital as the metric in our analyses and conducted two-level hierarchical logistic regression analysis. Adjustments were made for sex, age, seniority, occupational group and part-time work at the individual level, and work-unit size, the proportion of female employees and the proportion of part-time work at the work-unit level. Results The OR for long-term sickness absence associated with a 12-point higher work-unit social capital was 0.73 (95% CI 0.68 to 0.78). Further, we found an association between higher work-unit social capital and lower long-term sickness absence across quartiles of social capital: compared with the lowest quartile, the OR for long-term sickness absence in the highest quartile was 0.51 (95% CI 0.44 to 0.60). Conclusion Our study provides support for work-unit social capital being a protective factor for individual long-term sickness absence among hospital employees in the Capital Region of Denmark. workplace social capita \ No newline at end of file diff --git a/input/test/Test3293.txt b/input/test/Test3293.txt new file mode 100644 index 0000000..de5df20 --- /dev/null +++ b/input/test/Test3293.txt @@ -0,0 +1,10 @@ +Tweet +Commonwealth of Pennsylvania Public School Empls Retrmt SYS purchased a new stake in Harris Co. (NYSE:HRS) during the 2nd quarter, according to the company in its most recent disclosure with the Securities and Exchange Commission. The firm purchased 12,429 shares of the communications equipment provider's stock, valued at approximately $1,796,000. +A number of other hedge funds and other institutional investors have also made changes to their positions in HRS. BlackRock Inc. lifted its position in Harris by 14.2% in the 1st quarter. BlackRock Inc. now owns 9,822,783 shares of the communications equipment provider's stock valued at $1,584,219,000 after acquiring an additional 1,222,155 shares in the last quarter. JPMorgan Chase & Co. lifted its position in Harris by 86.0% in the 1st quarter. JPMorgan Chase & Co. now owns 852,437 shares of the communications equipment provider's stock valued at $137,480,000 after acquiring an additional 394,079 shares in the last quarter. Prudential Financial Inc. lifted its position in Harris by 43.3% in the 1st quarter. Prudential Financial Inc. now owns 918,747 shares of the communications equipment provider's stock valued at $148,175,000 after acquiring an additional 277,626 shares in the last quarter. Massachusetts Financial Services Co. MA lifted its position in Harris by 28.2% in the 2nd quarter. Massachusetts Financial Services Co. MA now owns 1,165,914 shares of the communications equipment provider's stock valued at $168,521,000 after acquiring an additional 256,780 shares in the last quarter. Finally, Carillon Tower Advisers Inc. lifted its position in Harris by 146.6% in the 1st quarter. Carillon Tower Advisers Inc. now owns 366,854 shares of the communications equipment provider's stock valued at $58,842,000 after acquiring an additional 218,102 shares in the last quarter. 85.30% of the stock is currently owned by institutional investors and hedge funds. Get Harris alerts: +Harris stock opened at $163.86 on Friday. Harris Co. has a 52 week low of $117.46 and a 52 week high of $170.54. The company has a current ratio of 0.90, a quick ratio of 0.47 and a debt-to-equity ratio of 1.03. The company has a market cap of $19.38 billion, a price-to-earnings ratio of 25.21, a PEG ratio of 3.49 and a beta of 1.22. +Harris (NYSE:HRS) last posted its earnings results on Tuesday, July 31st. The communications equipment provider reported $1.78 EPS for the quarter, topping the Thomson Reuters' consensus estimate of $1.76 by $0.02. Harris had a net margin of 11.61% and a return on equity of 25.36%. The firm had revenue of $1.67 billion for the quarter, compared to analysts' expectations of $1.62 billion. During the same quarter last year, the firm earned $1.49 EPS. The company's quarterly revenue was up 8.0% compared to the same quarter last year. sell-side analysts expect that Harris Co. will post 7.79 earnings per share for the current fiscal year. +HRS has been the topic of several recent research reports. Credit Suisse Group raised their price target on shares of Harris from $187.00 to $189.00 and gave the company an "outperform" rating in a research report on Thursday, May 3rd. Seaport Global Securities reaffirmed a "buy" rating and issued a $185.00 price target on shares of Harris in a research report on Thursday, August 2nd. Zacks Investment Research cut shares of Harris from a "hold" rating to a "sell" rating in a research report on Tuesday, July 3rd. UBS Group initiated coverage on shares of Harris in a research report on Wednesday. They issued a "neutral" rating and a $175.00 price target on the stock. Finally, Argus dropped their price target on shares of Harris from $196.00 to $170.00 and set a "buy" rating on the stock in a research report on Thursday, July 5th. Three research analysts have rated the stock with a hold rating and eight have issued a buy rating to the company. The stock has an average rating of "Buy" and an average price target of $173.60. +Harris Company Profile +Harris Corporation provides technology-based solutions that solve government and commercial customers' mission-critical challenges in the United States and internationally. The company operates in three segments: Communication Systems, Electronic Systems, and Space and Intelligence Systems. It designs, develops, and manufactures radio communications products and systems, including single channel ground and airborne radio systems, 2-channel vehicular radio systems, multiband manpack and handheld radios, multi-channel manpack and airborne radios, and single-channel airborne radios, as well as wideband rifleman team, ground, and high frequency manpack radios. +Featured Article: Google Finance +Want to see what other hedge funds are holding HRS? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Harris Co. (NYSE:HRS). Receive News & Ratings for Harris Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Harris and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test3294.txt b/input/test/Test3294.txt new file mode 100644 index 0000000..8dc053e --- /dev/null +++ b/input/test/Test3294.txt @@ -0,0 +1,24 @@ +Whistleblower warns of Vodafone security breaches By Beatrice Pickup BBC Radio 4's You & Yours 16 August 2018 These are external links and will open in a new window Close share panel Image copyright Getty Images Staff at Vodafone call centres have broken the rules about security checks and left customers vulnerable to fraud. +Criminals posing as genuine customers have gained access to some accounts even though they failed to correctly answer security questions. +A whistleblower told the BBC it happens because of pressure on call centre staff to meet customer satisfaction targets. +Vodafone said it takes security "extremely seriously". +In February, David Hart from Lincolnshire discovered Vodafone had given someone else control of his mobile phone number. +They had contacted Vodafone via the company's online web-chat service and pretended to be him. +His phone number was switched to another network, allowing criminals to receive the text message from his credit card provider which authorised the purchase of a £9,000 Rolex watch. +Vodafone 'sorry' for signal issues +"I don't think customer service at Vodafone really understand how important a mobile phone is," said David. "If I hadn't acted so quickly clearly many more things would have happened." +David cancelled his credit cards and contacted the retailer from whom the watch had been purchased to alert them to the fraud. +Vodafone later confirmed that the individual who posed as him had failed to provide the correct PIN and password and had failed the security questions. +It apologised and confirmed that its web-chat agents should have been more thorough during the initial security process. +A whistleblower who works in a Vodafone call centre has told Radio 4's You & Yours they have seen evidence of other, similar breaches. +"I get people coming through to me who become very upset when I don't give them access to an account," the whistleblower said. +"They claim that they got access the last time and I can see that's true, and they sometimes even phone back and get another agent before I've finished my notes and closed the account, and I can see they're being given access by someone else." Monthly bonus +The whistleblower said call centre staff were trying to keep customers happy to protect their bonuses, at the cost of security. +They described a customer satisfaction survey that is sent via text message to customers after a call has finished. +The first question is "would you recommend Vodafone?" and the customer has the option to choose a score out of ten. +The whistleblower said that a score of 9 or 10 means a 100% outcome for the customer service agent. A score between 5 and 8 would be zero, and anything below 5 would result in a rating of minus 100% for that call. +Vodafone customer service agents can receive monthly bonuses worth up to £150 for high customer satisfaction scores alone. +However, low scores can also result in them being placed on action plans to improve their performance. Disciplinary action +In relation to David Hart's case, Vodafone said it has since "enhanced its security controls" so that authorisation codes for switching an account will only be provided if a caller accurately answers the security questions and has access to the mobile telephone in question. +The company said that data protection forms a major part of a customer service adviser's training. +It takes non-compliance "extremely seriously" and disciplinary action is taken if any individual is found not to have followed its procedures. Related Topic \ No newline at end of file diff --git a/input/test/Test3295.txt b/input/test/Test3295.txt new file mode 100644 index 0000000..59cd01e --- /dev/null +++ b/input/test/Test3295.txt @@ -0,0 +1 @@ +PoorBest We finally have our first look at Alfonso Cuarón's first Netflix feature and his first film after Gravity back in 2014. The streaming platform has released a trailer for the black-and-white flick ROMA, which was inspired by Cuarón's chi.. \ No newline at end of file diff --git a/input/test/Test3296.txt b/input/test/Test3296.txt new file mode 100644 index 0000000..6ad4503 --- /dev/null +++ b/input/test/Test3296.txt @@ -0,0 +1,17 @@ +« Global Baby Diaper Machine Market 2018 Analysis, Segmentation, Competitors Analysis, Product Research, Trends and Forecast by 2028 Liquid Natural Gas Market Insights, Forecast to 2025 +The aim of this report Liquid Natural Gas Market, This report provides over view of manufacturers, production, application and regions. The report show the regions wise production, revenue, consumption, import and export in these regions. +This report researches the worldwide Liquid Natural Gas market size (value, capacity, production and consumption) in key regions like North America, Europe, Asia Pacific (China, Japan) and other regions. +Download FREE Sample of this Report @ https://www.24marketreports.com/report-sample/global-liquid-natural-gas-2025-265 +This study categorizes the global Liquid Natural Gas breakdown data by manufacturers, region, type and application, also analyzes the market status, market share, growth rate, future trends, market drivers, opportunities and challenges, risks and entry barriers, sales channels, distributors and Porter's Five Forces Analysis. +Global Liquid Natural Gas market size will increase to Million US$ by 2025, from Million US$ in 2017, at a CAGR of during the forecast period. In this study, 2017 has been considered as the base year and 2018 to 2025 as the forecast period to estimate the market size for Liquid Natural Gas. +This report focuses on the top manufacturers ‚ Liquid Natural Gas capacity, production, value, price and market share of Liquid Natural Gas in global market. The following manufacturers are covered in this report: BG Group +Liquid Natural Gas Breakdown Data by Type Methane +Liquid Natural Gas Breakdown Data by Application Automotive Fuel +Liquid Natural Gas Production Breakdown Data by Region United States +Liquid Natural Gas Consumption Breakdown Data by Region North America Rest of Middle East & Africa +The study objectives are: To analyze and research the global Liquid Natural Gas capacity, production, value, consumption, status and forecast; To focus on the key Liquid Natural Gas manufacturers and study the capacity, production, value, market share and development plans in next few years. To focuses on the global key manufacturers, to define, describe and analyze the market competition landscape, SWOT analysis. To define, describe and forecast the market by type, application and region. To analyze the global and key regions market potential and advantage, opportunity and challenge, restraints and risks. To identify significant trends and factors driving or inhibiting the market growth. To analyze the opportunities in the market for stakeholders by identifying the high growth segments. To strategically analyze each submarket with respect to individual growth trend and their contribution to the market. To analyze competitive developments such as expansions, agreements, new product launches, and acquisitions in the market. To strategically profile the key players and comprehensively analyze their growth strategies. +In this study, the years considered to estimate the market size of Liquid Natural Gas : History Year: 2013-2017 Estimated Year: 2018 Forecast Year 2018 to 2025 +For the data information by region, company, type and application, 2017 is considered as the base year. Whenever data information was unavailable for the base year, the prior year has been considered. +Get the Complete Report & TOC @ https://www.24marketreports.com/chemicals-and-materials/global-liquid-natural-gas-2025-265 +Table of content +Global Liquid Natural Gas Market Research Report 2018-2025, by Manufacturers, Regions, Types and Applications 1 Study Coverage 1.1 Liquid Natural Gas Product 1.2 Key Market Segments in This Study 1.3 Key Manufacturers Covered 1.4.1 Global Liquid Natural Gas Market Size Growth Rate by Type 1.4.2 Methan \ No newline at end of file diff --git a/input/test/Test3297.txt b/input/test/Test3297.txt new file mode 100644 index 0000000..44e72c5 --- /dev/null +++ b/input/test/Test3297.txt @@ -0,0 +1 @@ +Published on Aug 17, 2018 A helpful and practical tool for leaders of residential cooperatives in Florida. It is the only complete guide to their operations and management, and it gives special attention to the unique components of mobile home cooperatives. Download now: A helpful and practical tool for leaders of residential cooperatives in Florida. It is the only complete guide to their operations and management, and it gives special attention to the unique components of mobile home cooperatives. .. \ No newline at end of file diff --git a/input/test/Test3298.txt b/input/test/Test3298.txt new file mode 100644 index 0000000..3024ef7 --- /dev/null +++ b/input/test/Test3298.txt @@ -0,0 +1,38 @@ +News Contamination feared from common chemical In this Aug. 1, 2018 photo, Lauren Woehr hands her 16-month-old daughter Caroline, held by her husband Dan McDowell, a cup filled with bottled water at their home in Horsham, Pa. In Horsham and surrounding towns in eastern Pennsylvania, and at other sites around the United States, the foams once used routinely in firefighting training at military bases contained per-and polyfluoroalkyl substances, or PFAS. EPA testing between 2013 and 2015 found significant amounts of PFAS in public water supplies in 33 U.S. states. (AP Photo/Matt Rourke) By Ellen Knickmeyer, Associated Press Posted: # Comments In this Aug. 1, 2018 photo weeds engulf a playground at housing section of the former Naval Air Warfare Center Warminster in Warminster, Pa. In Warminster and surrounding towns in eastern Pennsylvania, and at other sites around the United States, the foams once used routinely in firefighting training at military bases contained per-and polyfluoroalkyl substances, or PFAS. EPA testing between 2013 and 2015 found significant amounts of PFAS in public water supplies in 33 U.S. states.(AP Photo/Matt Rourke) +HORSHAM >> Lauren Woeher wonders if her 16-month-old daughter has been harmed by tap water contaminated with toxic industrial compounds used in products like nonstick cookware, carpets, firefighting foam and fast-food wrappers. +Henry Betz, at 76, rattles around his house alone at night, thinking about the water his family unknowingly drank for years that was tainted by the same contaminants, and the pancreatic cancers that killed wife Betty Jean and two others in his household. +Tim Hagey, manager of a local water utility, recalls how he used to assure people that the local public water was safe. That was before testing showed it had some of the highest levels of the toxic compounds of any public water system in the U.S. +"You all made me out to be a liar," Hagey, general water and sewer manager in the eastern Pennsylvania town of Warminster, told Environmental Protection Agency officials at a hearing last month. The meeting drew residents and officials from Horsham and other affected towns in eastern Pennsylvania, and officials from some of the other dozens of states dealing with the same contaminants. Advertisement +At "community engagement sessions" around the country this summer like the one in Horsham, residents and state, local and military officials are demanding that the EPA act quickly — and decisively — to clean up local water systems testing positive for dangerous levels of the chemicals, perfluoroalkyl and polyfluoroalkyl substances, or PFAS. +The Trump administration called the contamination "a potential public relations nightmare" earlier this year after federal toxicology studies found that some of the compounds are more hazardous than previously acknowledged. +PFAS have been in production since the 1940s, and there are about 3,500 different types. Dumped into water, the air or soil, some forms of the compounds are expected to remain intact for thousands of years; one public-health expert dubbed them "forever chemicals." +EPA testing from 2013 to 2015 found significant amounts of PFAS in public water supplies in 33 U.S. states. The finding helped move PFAS up as a national priority. +So did scientific studies that firmed up the health risks. One, looking at a kind of PFAS once used in making Teflon, found a probable link with kidney and testicular cancer, ulcerative colitis, thyroid disease, hypertension in pregnant women and high cholesterol. Other recent studies point to immune problems in children, among other things. +In 2016, the EPA set advisory limits — without any direct enforcement — for two kinds of PFAS that had recently been phased out of production in the United States. But manufacturers are still producing, and releasing into the air and water, newer versions of the compounds. +Earlier this year, federal toxicologists decided that even the EPA's 2016 advisory levels for the two phased-out versions of the compound were several times too high for safety. +EPA says it will prepare a national management plan for the compounds by the end of the year. But Peter Grevatt, director of the agency's Office of Ground Water and Drinking Water, told The Associated Press that there's no deadline for a decision on possible regulatory actions. +Reviews of the data, and studies to gather more, are ongoing. +Even as the Trump administration says it advocates for clean air and water, it is ceding more regulation to the states and putting a hold on some regulations seen as burdensome to business. +In Horsham and surrounding towns in eastern Pennsylvania, and at other sites around the United States, the foams once used routinely in firefighting training at military bases contained PFAS. +"I know that you can't bring back three people that I lost," Betz, a retired airman, told the federal officials at the Horsham meeting. "But they're gone." +State lawmakers complained of "a lack of urgency and incompetency" on the part of EPA. +"It absolutely disgusts me that the federal government would put PR concerns ahead of public health concerns," Republican state Rep. Todd Stephens declared. +After the meeting, Woeher questioned why it took so long to tell the public about the dangers of the compounds. +"They knew they had seeped into the water, and they didn't tell anybody about it until it was revealed and they had to," she said. +Speaking at her home with her toddler nearby, she asked, "Is this something that, you know, I have to worry? It's in her." +While contamination of drinking water around military bases and factories gets most of the attention, the EPA says 80 percent of human exposure comes from consumer products in the home. +The chemical industry says it believes the versions of the nonstick, stain-resistant compounds in use now are safe, in part because they don't stay in the body as long as older versions. +"As an industry today ... we're very forthcoming meeting any kind of regulatory requirement to disclose any kind of adverse data," said Jessica Bowman, a senior director at the American Chemistry Council trade group. +Independent academics and government regulators say they don't fully share the industry's expressed confidence about the safety of PFAS versions now in use. +"I don't know that we've done the science yet to really provide any strong guidance" on risks of the kinds of PFAS that U.S. companies are using now, said Andrew Gillespie, associate director at the EPA's National Exposure Research Laboratory. +While EPA considers its next step, states are taking action to tackle PFAS contamination on their own. +In Delaware, National Guard troops handed out water after high levels of PFAS were found in a town's water supply. Michigan last month ordered residents of two towns to stop drinking or cooking with their water, after PFAS were found at 20 times the EPA's 2016 advisory level. In New Jersey, officials urged fishermen to eat some kinds of fish no more than once a year because of PFAS contamination. +Washington became the first state to ban any firefighting foam with the compound. +Given the findings on the compounds, alarm bells "should be ringing four out of five" at the EPA, Kerrigan Clough, a former deputy regional EPA administrator, said in an interview with the AP as he waited for a test for PFAS in the water at his Michigan lake home, which is near a military base that used firefighting foam. +"If the risk appears to be high, and you've got it every place, then you've got a different level" of danger and urgency, Clough said. "It's a serious problem." +Problems with PFAS surfaced partly as a result of a 1999 lawsuit by a farmer who filmed his cattle staggering, frothing and dying in a field near a DuPont disposal site in Parkersburg, West Virginia, for PFAS then used in Teflon. +In 2005, under President George W. Bush, the EPA and DuPont settled an EPA complaint that the chemical company knew at least by the mid-1980s that the early PFAS compound posed a substantial risk to human health. +Congress has since boosted the agency's authority to regulate problematic chemicals. That includes toughening up the federal Toxic Substances Control Act and regulatory mandates for the EPA itself in 2016. +For PFAS, that should include addressing the new versions of the compounds coming into production, not just tackling old forms that companies already agreed to take offline, Goldman said. +"Otherwise it's the game of whack-a-mole," she said. "That's not what you want to do when you're protecting the public health." +Online: EPA site on PFAS: https://www.epa.gov/pfa \ No newline at end of file diff --git a/input/test/Test3299.txt b/input/test/Test3299.txt new file mode 100644 index 0000000..41a6d55 --- /dev/null +++ b/input/test/Test3299.txt @@ -0,0 +1,12 @@ +Tweet +Bailard Inc. grew its stake in HP Inc. (NYSE:HPQ) by 1.3% during the second quarter, according to its most recent 13F filing with the Securities and Exchange Commission. The firm owned 309,330 shares of the computer maker's stock after acquiring an additional 3,946 shares during the quarter. Bailard Inc.'s holdings in HP were worth $7,019,000 at the end of the most recent quarter. +A number of other hedge funds have also made changes to their positions in HPQ. American Century Companies Inc. grew its stake in HP by 371.2% during the 1st quarter. American Century Companies Inc. now owns 3,896,169 shares of the computer maker's stock worth $85,404,000 after buying an additional 3,069,351 shares during the last quarter. Boston Partners grew its stake in HP by 7.3% during the 2nd quarter. Boston Partners now owns 38,822,978 shares of the computer maker's stock worth $880,893,000 after buying an additional 2,637,787 shares during the last quarter. Hexavest Inc. purchased a new position in HP during the 2nd quarter worth $48,329,000. Chevy Chase Trust Holdings Inc. purchased a new position in HP during the 2nd quarter worth $31,924,000. Finally, DnB Asset Management AS purchased a new position in HP during the 2nd quarter worth $31,913,000. Hedge funds and other institutional investors own 79.80% of the company's stock. Get HP alerts: +Several analysts have weighed in on HPQ shares. Morgan Stanley boosted their price target on HP from $27.00 to $28.00 and gave the company an "equal weight" rating in a research note on Wednesday, May 30th. ValuEngine downgraded HP from a "strong-buy" rating to a "buy" rating in a research note on Wednesday, May 2nd. Zacks Investment Research downgraded HP from a "buy" rating to a "hold" rating in a research note on Wednesday, April 25th. JPMorgan Chase & Co. set a $28.00 price target on HP and gave the company a "buy" rating in a research note on Wednesday, May 30th. Finally, BMO Capital Markets dropped their price target on HP to $22.00 and set a "market perform" rating on the stock in a research note on Wednesday, May 30th. Twelve investment analysts have rated the stock with a hold rating and nine have given a buy rating to the company's stock. The company currently has a consensus rating of "Hold" and a consensus price target of $24.47. +Shares of HPQ stock opened at $24.14 on Friday. The stock has a market capitalization of $38.64 billion, a PE ratio of 14.63, a P/E/G ratio of 1.84 and a beta of 1.66. The company has a quick ratio of 0.60, a current ratio of 0.84 and a debt-to-equity ratio of -2.41. HP Inc. has a 52-week low of $18.36 and a 52-week high of $24.75. +HP (NYSE:HPQ) last issued its quarterly earnings data on Tuesday, May 29th. The computer maker reported $0.48 earnings per share (EPS) for the quarter, meeting the Thomson Reuters' consensus estimate of $0.48. The business had revenue of $14.00 million during the quarter, compared to analysts' expectations of $13.57 billion. HP had a negative return on equity of 99.90% and a net margin of 7.84%. The company's revenue for the quarter was up 12.9% on a year-over-year basis. During the same quarter in the previous year, the firm posted $0.40 EPS. equities research analysts expect that HP Inc. will post 2 earnings per share for the current fiscal year. +The business also recently disclosed a quarterly dividend, which will be paid on Wednesday, October 3rd. Stockholders of record on Wednesday, September 12th will be issued a $0.1393 dividend. The ex-dividend date of this dividend is Tuesday, September 11th. This represents a $0.56 annualized dividend and a dividend yield of 2.31%. HP's dividend payout ratio (DPR) is presently 33.94%. +In other news, insider Marie Myers sold 8,470 shares of the business's stock in a transaction dated Friday, June 29th. The stock was sold at an average price of $22.85, for a total value of $193,539.50. Following the completion of the transaction, the insider now owns 8,470 shares of the company's stock, valued at approximately $193,539.50. The sale was disclosed in a legal filing with the SEC, which is accessible through this link . Also, insider Tracy S. Keogh sold 117,275 shares of the business's stock in a transaction dated Monday, June 11th. The shares were sold at an average price of $24.00, for a total value of $2,814,600.00. Following the completion of the transaction, the insider now directly owns 243,526 shares of the company's stock, valued at approximately $5,844,624. The disclosure for this sale can be found here . In the last three months, insiders sold 243,021 shares of company stock valued at $5,705,488. Insiders own 0.25% of the company's stock. +HP Company Profile +HP Inc provides products, technologies, software, solutions, and services to individual consumers, small- and medium-sized businesses, and large enterprises, including customers in the government, health, and education sectors worldwide. It operates through Personal Systems and Printing segments. The Personal Systems segment offers commercial personal computers (PCs), consumer PCs, workstations, thin clients, commercial tablets and mobility devices, retail point-of-sale systems, displays and other related accessories, software, support, and services for the commercial and consumer markets. +Further Reading: Short Selling Stocks, A Beginner's Guide +Want to see what other hedge funds are holding HPQ? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for HP Inc. (NYSE:HPQ). Receive News & Ratings for HP Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for HP and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test33.txt b/input/test/Test33.txt new file mode 100644 index 0000000..370cccf --- /dev/null +++ b/input/test/Test33.txt @@ -0,0 +1,17 @@ +Future of Education ERP Market including key players Blackbaud ,Oracle Corporation, Dell ,Epicor Software August 17 Share it With Friends Education ERP Market HTF MI recently introduced Global Education ERP Market study with in-depth overview, describing about the Product / Industry Scope and elaborates market outlook and status to 2023. The market Study is segmented by key regions which is accelerating the marketization. At present, the market is developing its presence and some of the key players from the complete study are SAP AG (Germany), Blackbaud (U.S.), Oracle Corporation (U.S.), Dell (U.S.), Epicor Software Corporation (U.S.), Ellucian (U.S.), Jenzabar (U.S.), Infor (U.S.), Unit4 Software (Netherlands) & Foradian Technologies (India) etc. +Request Sample of Global Education ERP Market Size, Status and Forecast 2018-2025 @: https://www.htfmarketreport.com/sample-report/1301110-global-education-erp-market-3 +This report studies the Global Education ERP market size, industry status and forecast, competition landscape and growth opportunity. This research report categorizes the Global Education ERP market by companies, region, type and end-use industry. +Browse 100+ market data Tables and Figures spread through Pages and in-depth TOC on " Education ERP Market by Type (Solution & Service), by End-Users/Application (Kindergarten, K-12 & Higher Education), Organization Size, Industry, and Region – Forecast to 2023″. Early buyers will receive 10% customization on comprehensive study. +In order to get a deeper view of Market Size, competitive landscape is provided i.e. Revenue (Million USD) by Players (2013-2018), Revenue Market Share (%) by Players (2013-2018) and further a qualitative analysis is made towards market concentration rate, product/service differences, new entrants and the technological trends in future. +Enquire for customization in Report @ https://www.htfmarketreport.com/enquiry-before-buy/1301110-global-education-erp-market-3 +Competitive Analysis: The key players are highly focusing innovation in production technologies to improve efficiency and shelf life. The best long-term growth opportunities for this sector can be captured by ensuring ongoing process improvements and financial flexibility to invest in the optimal strategies. Company profile section of players such as SAP AG (Germany), Blackbaud (U.S.), Oracle Corporation (U.S.), Dell (U.S.), Epicor Software Corporation (U.S.), Ellucian (U.S.), Jenzabar (U.S.), Infor (U.S.), Unit4 Software (Netherlands) & Foradian Technologies (India) includes its basic information like legal name, website, headquarters, its market position, historical background and top 5 closest competitors by Market capitalization / revenue along with contact information. Each player/ manufacturer revenue figures, growth rate and gross profit margin is provided in easy to understand tabular format for past 5 years and a separate section on recent development like mergers, acquisition or any new product/service launch etc. +Market Segments: The Global Education ERP Market has been divided into type, application, and region. On The Basis Of Type: Solution & Service . On The Basis Of Application: Kindergarten, K-12 & Higher Education On The Basis Of Region, this report is segmented into following key geographies, with production, consumption, revenue (million USD), and market share, growth rate of Education ERP in these regions, from 2013 to 2023 (forecast), covering • North America (U.S. & Canada) {Market Revenue (USD Billion), Growth Analysis (%) and Opportunity Analysis} • Latin America (Brazil, Mexico & Rest of Latin America) {Market Revenue (USD Billion), Growth Share (%) and Opportunity Analysis} • Europe (The U.K., Germany, France, Italy, Spain, Poland, Sweden & RoE) {Market Revenue (USD Billion), Growth Share (%) and Opportunity Analysis} • Asia-Pacific (China, India, Japan, Singapore, South Korea, Australia, New Zealand, Rest of Asia) {Market Revenue (USD Billion), Growth Share (%) and Opportunity Analysis} • Middle East & Africa (GCC, South Africa, North Africa, RoMEA) {Market Revenue (USD Billion), Growth Share (%) and Opportunity Analysis} • Rest of World {Market Revenue (USD Billion), Growth Analysis (%) and Opportunity Analysis} +Buy Single User License of Global Education ERP Market Size, Status and Forecast 2018-2025 @ https://www.htfmarketreport.com/buy-now?format=1&report=1301110 +Have a look at some extracts from Table of Content +Introduction about Global Education ERP +Global Education ERP Market Size (Sales) Market Share by Type (Product Category) in 2017 Education ERP Market by Application/End Users Global Education ERP Sales (Volume) and Market Share Comparison by Applications (2013-2023) table defined for each application/end-users like [Kindergarten, K-12 & Higher Education] Global Education ERP Sales and Growth Rate (2013-2023) Education ERP Competition by Players/Suppliers, Region, Type and Application Education ERP (Volume, Value and Sales Price) table defined for each geographic region defined. Global Education ERP Players/Suppliers Profiles and Sales Data +Additionally Company Basic Information, Manufacturing Base and Competitors list is being provided for each listed manufacturers +Market Sales, Revenue, Price and Gross Margin (2013-2018) table for each product type which include Solution & Service Education ERP Manufacturing Cost Analysis Education ERP Key Raw Materials Analysis Education ERP Chain, Sourcing Strategy and Downstream Buyers, Industrial Chain Analysis Market Forecast (2018-2023) ……..and more in complete table of Contents +Browse for Full Report at: https://www.htfmarketreport.com/reports/1301110-global-education-erp-market-3 +Thanks for reading this article; you can also get individual chapter wise section or region wise report version like North America, Europe or Asia. +Media Contac \ No newline at end of file diff --git a/input/test/Test330.txt b/input/test/Test330.txt new file mode 100644 index 0000000..a85299f --- /dev/null +++ b/input/test/Test330.txt @@ -0,0 +1,6 @@ +Schwab U.S. Mid-Cap ETF (SCHM) is AT Bancorp's 4th Largest Position Dante Gardener | Aug 17th, 2018 +AT Bancorp decreased its stake in Schwab U.S. Mid-Cap ETF (NYSEARCA:SCHM) by 4.8% in the second quarter, HoldingsChannel.com reports. The firm owned 1,276,066 shares of the company's stock after selling 64,068 shares during the period. Schwab U.S. Mid-Cap ETF comprises about 7.7% of AT Bancorp's holdings, making the stock its 4th biggest position. AT Bancorp's holdings in Schwab U.S. Mid-Cap ETF were worth $70,043,000 at the end of the most recent reporting period. +Several other institutional investors also recently made changes to their positions in SCHM. Bank of New York Mellon Corp boosted its holdings in shares of Schwab U.S. Mid-Cap ETF by 10.1% in the 4th quarter. Bank of New York Mellon Corp now owns 19,659 shares of the company's stock worth $1,047,000 after purchasing an additional 1,804 shares during the period. Raymond James & Associates boosted its holdings in shares of Schwab U.S. Mid-Cap ETF by 17.6% in the 4th quarter. Raymond James & Associates now owns 21,163 shares of the company's stock worth $1,127,000 after purchasing an additional 3,165 shares during the period. Emery Howard Portfolio Management Inc. boosted its holdings in shares of Schwab U.S. Mid-Cap ETF by 1.9% in the 1st quarter. Emery Howard Portfolio Management Inc. now owns 287,422 shares of the company's stock worth $15,199,000 after purchasing an additional 5,278 shares during the period. HL Financial Services LLC boosted its holdings in shares of Schwab U.S. Mid-Cap ETF by 60.4% in the 1st quarter. HL Financial Services LLC now owns 40,688 shares of the company's stock worth $2,152,000 after purchasing an additional 15,317 shares during the period. Finally, FDx Advisors Inc. boosted its holdings in shares of Schwab U.S. Mid-Cap ETF by 37.6% in the 1st quarter. FDx Advisors Inc. now owns 19,242 shares of the company's stock worth $1,018,000 after purchasing an additional 5,254 shares during the period. Get Schwab U.S. Mid-Cap ETF alerts: +Shares of Schwab U.S. Mid-Cap ETF stock opened at $56.78 on Friday. Schwab U.S. Mid-Cap ETF has a one year low of $47.42 and a one year high of $57.22. +Featured Article: How to Use the New Google Finance Tool +Want to see what other hedge funds are holding SCHM? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Schwab U.S. Mid-Cap ETF (NYSEARCA:SCHM). Receive News & Ratings for Schwab U.S. Mid-Cap ETF Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Schwab U.S. Mid-Cap ETF and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test3300.txt b/input/test/Test3300.txt new file mode 100644 index 0000000..cb17f60 --- /dev/null +++ b/input/test/Test3300.txt @@ -0,0 +1 @@ +Dr. Maggard Basketball Schedule Comments _ _ _ _ Ragin Cajuns Ragin' Cajuns Greatest Fan Ever Join Date Re: Dr. Maggard Basketball Schedule Comments Originally Balanced_view you just said no one wanted to play Gonzaga and member of the west coast conference, but they won a lot and here we are today with them, then you say we really need out this conference so bad. you sounded like its time to stop with excuses, then you gave one. so is it the conference fault, or the individual school? because it started off as a no excuses example of how a individual school can overcome its conference by winning enough. No one wanted to travel to Spokane to play a WCC team, so Gonzaga traveled, eventually won, made a name for themselves, got invited to tournaments, made the playoffs, went to Final Fours, and became a perennial top 20 and even top 10 team. Even today, I don't think they get many P5 schools to play them at their home. Their conference eventually got better, but they overcame their conference by winning big in the road. We are in a weak conference and will have to overcome that similarly. If the P5 schools won't come to us, we go to them. Winning will make a name for us, eventually get us out of the SBC and into a better conference and scheduling can better take care if itself. Ragin Cajuns of Louisiana Ragin' Cajuns Greatest Fan Ever Join Date Re: Dr. Maggard Basketball Schedule Comments Originally Cajunsmike Not sure what we are paying Virgin Islands but it may be a little more due to travel. They are playing several schools in the south on their November trip. I bet they are a little better than most non D1's we play. Interesting that their 2017-18 schedule shows ALL of their games were on the US mainland. Ragin Cajuns of Louisiana Ragin' Cajuns Greatest Fan Ever Join Date Re: Dr. Maggard Basketball Schedule Comments Originally Cajunsmike Correct but it is in effect for next 10 years. Without that requirement we might have gone on the road more this season as we had to buy four of the five non conference opponents. We pay a minimal amount to the non D1 schools. Not sure what we are paying Virgin Islands but it may be a little more due to travel. They are playing several schools in the south on their November trip. I bet they are a little better than most non D1's we play. Know one of the UVI coaches. UVI should be much better, given they were patchwork last year following the two cat 5 hurricanes crippled their island last September. They do very well picking up D-1 guys that desire a change of scenery with a budget that brings the phrase "shoe string" to a whole new level. Ragin Cajuns of Louisiana Ragin' Cajuns #1 Fan Join Date Re: Dr. Maggard Basketball Schedule Comments Originally CajunNation EXACTLY. Now, if we can afford a 1.5 mill nutrition budget that didn't exist a couple years ago, why can't we afford 2 or 300k per year to buy a couple basketball games? Is that really an economically feasible idea? That seems very expensive for one vanity game. Of course, I dont know how much money a basketball game makes. If we would recoup a healthy percentage of that from the gate, maybe it would be worthwhile. Ragin Cajuns of Louisiana Ragin' Cajuns Greatest Fan Ever Join Date Re: Dr. Maggard Basketball Schedule Comments Originally Cajunfanatico Indeed. Maggard has identified the problems. Now it's time to hear some potential solutions. Freak thinking read the freaking books!!! Lol Ragin Cajuns of Louisiana Go-Cajuns Join Date Re: Dr. Maggard Basketball Schedule Comments Originally Cajunsmike Improving our conference situation should be a priority. However, there have to be openings before we can move and Dr. Maggard does not believe that will happen anytime soon. We do need to be poised to be in the best candidate when an opening does occur. When I say Conference, I am referring to getting us into the best position to be considered. That is media capabilities, marketing, etc. I believe a higher profile basketball program would help that as well. No doubt a good bit of the work helps in multiple priorities. Ragin Cajuns of Louisiana Ragin' Cajuns Greatest Fan Ever Join Date Re: Dr. Maggard Basketball Schedule Comments Originally HoustonCajun No one wanted to travel to Spokane to play a WCC team, so Gonzaga traveled, eventually won, made a name for themselves, got invited to tournaments, made the playoffs, went to Final Fours, and became a perennial top 20 and even top 10 team. Even today, I don't think they get many P5 schools to play them at their home. Their conference eventually got better, but they overcame their conference by winning big in the road. We are in a weak conference and will have to overcome that similarly. If the P5 schools won't come to us, we go to them. Winning will make a name for us, eventually get us out of the SBC and into a better conference and scheduling can better take care if itself. We have played 2 to 3 power teams per season for several years now. That will continue. Once again we have to play at least 14 home games. Getting tired of writing that but it continues to be a factor some overlook. Anyway that limits the no. of power teams we can play as we have to play some home and home games against the state schools to meet that requirement. As far as the league is concerned, I agree it must improve. However it is not nearly as bad as some make it out to be. Last year there were 12 leagues rated below us and the year before there were more below the SBC than above it. That needs to be the case more years than not. Just providing context to the issues presented \ No newline at end of file diff --git a/input/test/Test3301.txt b/input/test/Test3301.txt new file mode 100644 index 0000000..090ded6 --- /dev/null +++ b/input/test/Test3301.txt @@ -0,0 +1,21 @@ +To Win Texas, Beto O'Rourke Is Running To The Left By Wade Goodwyn • 1 hour ago Beto O'Rourke speaks at the Texas Democratic Convention in June. Since winning the Democratic primary, O'Rourke has embraced progressive positions — at times, including impeaching President Trump — as he challenges GOP Sen. Ted Cruz's reelection bid. Richard W. Rodriguez / AP GOP Sen. Ted Cruz takes a photo with a supporter during a rally to launch his re-election campaign on April 2 in Stafford, Texas. Cruz says he's taking the campaign of Democratic challenger Beto O'Rourke seriously. Erich Schlegel / Getty Images Rep. Beto O'Rourke, Democratic nominee for Senate in Texas, greets supporters at a cafe in San Antonio. Wade Goodwyn / NPR Listening... / +If you arrived at Beto O'Rourke's recent town hall meeting in San Antonio even 40 minutes ahead of time, you were out of luck. All 650 seats were already taken. +It was one sign that the El Paso Democratic congressman has set Texas Democrats on fire this year, as he takes on Republican Sen. Ted Cruz's re-election bid. +Texas Democrats have been wandering in the electoral wilderness for two decades — 1994 was the last time they won a statewide race — but at O'Rourke's events they have been showing up in droves. Often, it's standing room only. +"Let's make a lot of noise so the folks in the overflow room know we're here, that we care about them," O'Rourke tells the crowd at the town hall, before counting to three and leading them in a cheer of "San Antonio!" +While he was sorry that all of those supporters couldn't see him, Beto O'Rourke is an unapologetic, unabashed liberal, who's shown no interest in moving toward the political middle after his victory in the Texas Democratic primary. +On issues like universal health care, an assault weapons ban, abortion rights and raising the minimum wage, O'Rourke has staked out progressive positions. The Democrat even raised the specter of impeachment after President Trump's Helsinki press conference with Vladimir Putin — although O'Rourke has since walked back that position some. +Nevertheless, recent polls have him just 2 and 6 points behind Cruz. Compare that with the 20-point walloping Texas state Sen Wendy Davis endured in 2014 when she lost in a landslide to Republican Greg Abbott in the race for governor. But that recent history begs the question of whether someone running as far to the left as Cruz can actually win in a state like Texas. +Former Texas agricultural commissioner and Democratic populist Jim Hightower sees something different in O'Rourke's campaign. +"You've got a Democratic constituency that is fed up, not just with Trump, but with the centrist, mealy-mouthed, do-nothing Democratic establishment," Hightower said. "They're looking for some real change and Beto is representing that." +Cruz says he's taking O'Rourke's candidacy very seriously. +"I think the decision he's made is run hard left and find every liberal in the state of Texas, and energize them enough that they show up and vote," Cruz said in an interview with NPR. "And I think he's gambling on there are enough people on the left for whom defeating and destroying Donald Trump is their number-one issue, that he's hoping that his path to victory. I don't see that in the state of Texas. In Texas, there are a whole lot more conservatives than liberals." +When it comes to the critical issue of immigration, the two Texas candidates for Senate couldn't be further apart. Last week in Temple, Cruz indicated he supports ending birthright citizenship telling the crowd, "it doesn't make a lot of sense." O'Rourke is against building a wall along the border and favors a gradual path to legal status for undocumented immigrants. +Political observers in Texas say it's still too early to get a good read on the race, although it seems that O'Rourke's campaign is generating some momentum. Jim Hensen, director of the Texas Politics Project at the University of Texas, which does extensive statewide polling, says the key to O'Rourke's success thus far is that he began his campaign early. +"He's much more viable, he's been working harder, he's traveled all over the state. He started earlier than the statewide candidates that we've seen in recent years, and I think it's made a big difference," Hensen said. Still, Hensen believes an O'Rourke victory is probably a long shot, not for lack of effort or fundraising, but because of the advantage Republican candidates enjoy in Texas when it comes to the sheer numbers of voters. +"In a hundred-yard dash, [O'Rourke] probably starts 10 to 15 yards behind," Hensen said. +At a café in San Antonio where he's come for an interview, O'Rourke can't make it to a table because he's mobbed by customers who recognize him and want a picture together. The congressman patiently chats up everyone who approaches and agrees to pictures. He urges his fans to share the photos on social media, a likely unnecessary piece of advice. +With the recent separations of immigrant children from their parents who are seeking asylum at the Texas border, immigration is hot topic of conversation. "I think that this state, the most diverse state in the country, should lead on immigration," O'Rourke told NPR. "Free DREAMers from the fear of deportation, but make them citizens today so they can contribute to their full potential. That is not a partisan value, that's our Texan identity and we should lead with it." +O'Rourke seems to have no fear of sounding too progressive for Texas. He has no interest in moving toward the ideological center for the general election. +He borrowed an old line from Jim Hightower as way of explanation. +"The only thing that you're going to find in the middle of the road are yellow lines and dead armadillos. You have to tell the people that you want to serve what it is you believe and what you are going to do on their behalf," O'Rourke said. "We can either be governed by fear, fear of immigrants, fear of Muslims, call the press the enemy of the people, tear kids away from their parents at the U.S.-Mexico border, or we can be governed by our ambitions and our aspirations and our desire to make the most out of all of us. And that's America at its best. \ No newline at end of file diff --git a/input/test/Test3302.txt b/input/test/Test3302.txt new file mode 100644 index 0000000..2d1f95d --- /dev/null +++ b/input/test/Test3302.txt @@ -0,0 +1,3 @@ +Article Writing SEO Legal Content/Article Writing -- 16 +We are looking for content writers who have excellent knowledge of writing detailed legal articles, well articulated in English and including the best SEO in the article relating to the topic/subject provided to write. The content provided should be 100% unique and not plagiarised. On time submissions are a must. We require at least 2 articles per day, Mon-Sat, with every article having a word limit between 1700-1800 max. This is going to be a monthly basis deal. +The articles are mostly in relation to law but includes other areas as well like CA, Banking, Investment, Finance, Tax. Before striking a deal on the project, a minimum of two-or one-day work trial is important \ No newline at end of file diff --git a/input/test/Test3303.txt b/input/test/Test3303.txt new file mode 100644 index 0000000..46fb3a8 --- /dev/null +++ b/input/test/Test3303.txt @@ -0,0 +1,9 @@ +Tweet +Uniti Group (NASDAQ:UNIT) was upgraded by stock analysts at ValuEngine from a "strong sell" rating to a "sell" rating in a research report issued to clients and investors on Wednesday. +Several other research firms also recently commented on UNIT. Morgan Stanley downgraded shares of Uniti Group from an "overweight" rating to an "equal weight" rating and set a $24.00 price objective for the company. in a report on Thursday, June 14th. BidaskClub downgraded shares of Uniti Group from a "strong-buy" rating to a "buy" rating in a report on Saturday, June 16th. Citigroup downgraded shares of Uniti Group from a "neutral" rating to a "sell" rating and set a $27.00 price objective for the company. in a report on Wednesday, July 18th. Zacks Investment Research downgraded shares of Uniti Group from a "buy" rating to a "hold" rating in a report on Sunday, July 15th. Finally, Deutsche Bank downgraded shares of Uniti Group from a "buy" rating to a "hold" rating and set a $28.00 price objective for the company. in a report on Monday, May 14th. They noted that the move was a valuation call. Two research analysts have rated the stock with a sell rating, four have issued a hold rating and three have given a buy rating to the stock. The company has an average rating of "Hold" and a consensus price target of $25.00. Get Uniti Group alerts: +UNIT opened at $19.80 on Wednesday. Uniti Group has a 52 week low of $13.81 and a 52 week high of $23.42. The stock has a market cap of $3.30 billion, a price-to-earnings ratio of 7.89, a P/E/G ratio of 0.86 and a beta of 0.66. The company has a quick ratio of 0.04, a current ratio of 0.04 and a debt-to-equity ratio of -0.04. +Uniti Group (NASDAQ:UNIT) last released its quarterly earnings data on Thursday, August 9th. The real estate investment trust reported ($0.03) EPS for the quarter, missing the consensus estimate of $0.62 by ($0.65). Uniti Group had a net margin of 1.83% and a negative return on equity of 1.45%. The company had revenue of $247.30 million for the quarter, compared to the consensus estimate of $250.07 million. During the same period last year, the company earned $0.60 EPS. The firm's revenue for the quarter was up 16.1% on a year-over-year basis. sell-side analysts forecast that Uniti Group will post 2.51 EPS for the current fiscal year. +Several hedge funds and other institutional investors have recently made changes to their positions in the company. Global X Management Co LLC raised its position in shares of Uniti Group by 1.8% during the 2nd quarter. Global X Management Co LLC now owns 640,570 shares of the real estate investment trust's stock valued at $12,831,000 after buying an additional 11,459 shares in the last quarter. Verition Fund Management LLC purchased a new stake in shares of Uniti Group during the 2nd quarter valued at about $624,000. Bramshill Investments LLC raised its position in shares of Uniti Group by 46.4% during the 2nd quarter. Bramshill Investments LLC now owns 40,510 shares of the real estate investment trust's stock valued at $811,000 after buying an additional 12,846 shares in the last quarter. Qube Research & Technologies Ltd purchased a new stake in shares of Uniti Group during the 2nd quarter valued at about $132,000. Finally, Toscafund Asset Management LLP purchased a new stake in shares of Uniti Group during the 2nd quarter valued at about $45,068,000. Hedge funds and other institutional investors own 74.29% of the company's stock. +Uniti Group Company Profile +Uniti, an internally managed real estate investment trust, is engaged in the acquisition and construction of mission critical communications infrastructure, and is a leading provider of wireless infrastructure solutions for the communications industry. As of March 31, 2018, Uniti owns 5.0 million fiber strand miles, approximately 700 wireless towers, and other communications real estate throughout the United States and Latin America. +To view ValuEngine's full report, visit ValuEngine's official website . Receive News & Ratings for Uniti Group Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Uniti Group and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test3304.txt b/input/test/Test3304.txt new file mode 100644 index 0000000..dd4df35 --- /dev/null +++ b/input/test/Test3304.txt @@ -0,0 +1,12 @@ +Tweet +Comerica Bank reduced its position in shares of Chemed Co. (NYSE:CHE) by 25.9% in the 2nd quarter, according to the company in its most recent disclosure with the Securities and Exchange Commission. The fund owned 12,598 shares of the company's stock after selling 4,406 shares during the period. Comerica Bank owned 0.08% of Chemed worth $4,106,000 at the end of the most recent quarter. +Other institutional investors have also recently added to or reduced their stakes in the company. Hartford Investment Management Co. acquired a new stake in Chemed during the second quarter worth about $243,000. Zeke Capital Advisors LLC acquired a new stake in Chemed during the first quarter worth about $218,000. Grimes & Company Inc. acquired a new stake in Chemed during the first quarter worth about $218,000. We Are One Seven LLC increased its position in Chemed by 234.0% during the first quarter. We Are One Seven LLC now owns 805 shares of the company's stock worth $220,000 after purchasing an additional 564 shares during the last quarter. Finally, LPL Financial LLC acquired a new stake in Chemed during the first quarter worth about $236,000. Hedge funds and other institutional investors own 95.06% of the company's stock. Get Chemed alerts: +In other Chemed news, Director Patrick P. Grace sold 250 shares of Chemed stock in a transaction dated Friday, June 22nd. The shares were sold at an average price of $323.76, for a total transaction of $80,940.00. Following the completion of the sale, the director now directly owns 4,520 shares in the company, valued at $1,463,395.20. The sale was disclosed in a document filed with the SEC, which is available through this hyperlink . Also, insider Kevin J. Mcnamara sold 19,000 shares of Chemed stock in a transaction dated Tuesday, June 19th. The shares were sold at an average price of $322.27, for a total transaction of $6,123,130.00. Following the sale, the insider now owns 124,491 shares of the company's stock, valued at $40,119,714.57. The disclosure for this sale can be found here . Over the last quarter, insiders have sold 19,450 shares of company stock valued at $6,269,496. Company insiders own 4.82% of the company's stock. +CHE has been the subject of several recent analyst reports. Zacks Investment Research upgraded shares of Chemed from a "hold" rating to a "buy" rating and set a $350.00 price objective for the company in a research report on Tuesday, July 31st. ValuEngine upgraded shares of Chemed from a "buy" rating to a "strong-buy" rating in a research report on Friday, May 4th. Finally, Royal Bank of Canada raised their price objective on shares of Chemed to $321.00 and gave the stock a "market perform" rating in a research report on Monday, July 30th. Two research analysts have rated the stock with a hold rating and three have issued a buy rating to the company's stock. Chemed presently has a consensus rating of "Buy" and an average price target of $315.33. +Shares of CHE opened at $316.95 on Friday. Chemed Co. has a 1-year low of $186.09 and a 1-year high of $335.99. The stock has a market cap of $5.08 billion, a price-to-earnings ratio of 59.13, a P/E/G ratio of 2.86 and a beta of 1.16. The company has a quick ratio of 1.01, a current ratio of 1.04 and a debt-to-equity ratio of 0.19. +Chemed (NYSE:CHE) last announced its quarterly earnings results on Wednesday, July 25th. The company reported $2.81 earnings per share for the quarter, beating analysts' consensus estimates of $2.77 by $0.04. Chemed had a net margin of 11.00% and a return on equity of 33.57%. The business had revenue of $441.80 million during the quarter, compared to analysts' expectations of $434.28 million. During the same period last year, the business earned $2.15 earnings per share. The business's revenue for the quarter was up 6.4% on a year-over-year basis. equities research analysts predict that Chemed Co. will post 11.05 earnings per share for the current fiscal year. +The business also recently declared a quarterly dividend, which will be paid on Friday, August 31st. Shareholders of record on Monday, August 13th will be given a dividend of $0.30 per share. The ex-dividend date of this dividend is Friday, August 10th. This is a boost from Chemed's previous quarterly dividend of $0.28. This represents a $1.20 dividend on an annualized basis and a dividend yield of 0.38%. Chemed's dividend payout ratio (DPR) is currently 22.39%. +Chemed Company Profile +Chemed Corporation provides hospice and palliative care services in the United States. It operates through two segments, VITAS and Roto-Rooter. The VITAS segment offers direct medical services, as well as spiritual and emotional counseling services to terminally ill patients. This segment offers its services to patients through a network of physicians, registered nurses, home health aides, social workers, clergy, and volunteers. +Featured Story: What are Closed-End Mutual Funds? +Want to see what other hedge funds are holding CHE? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Chemed Co. (NYSE:CHE). Receive News & Ratings for Chemed Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Chemed and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test3305.txt b/input/test/Test3305.txt new file mode 100644 index 0000000..8593129 --- /dev/null +++ b/input/test/Test3305.txt @@ -0,0 +1 @@ +Tags : Android - Android + Google - Google + Providing a robust set of accessibility features is an increasingly bigger focus for developers. According to the World Health Organization, around 466 million people worldwide have disabling hearing loss, with the number expected to soar up to 900 million by 2050. This is a serious issue that software engineers need to tackle, in order to make their products accessible to as many people as possible. This is why Google has now announced that it would bring native hearing aid to Android. The Internet search giant has partnered up with Danish hearing aid manufacturer GN Hearing to create a Bluetooth, low-energy hearing aid spec aid spec for Android smartphone. Called Audio Streaming for Hearing Aids, or ASHA in short, it uses Bluetooth Low Energy Connection-Oriented Channels to allow streaming from the phone to a connected Bluetooth hearing aid device, providing while providing a high-quality, low-latency audio experience with minimal impact on battery life. GN Hearing is naturally the first hearing aid manufacturer to employ the new spec. Following the Google partnership announcement, the Danish manufacturer revealed that users of the ReSound LiNX Quattro and Beltone Amaze hearing aids will be able to use the feature following an OTA update \ No newline at end of file diff --git a/input/test/Test3306.txt b/input/test/Test3306.txt new file mode 100644 index 0000000..0dd92f4 --- /dev/null +++ b/input/test/Test3306.txt @@ -0,0 +1,7 @@ +Daily Extra Video's on Patreon (Including Live Performances + Behind the Scenes) – PATREON – https://www.patreon.com/CoupleReacts +► Back Up Channel – http://bit.ly/2myvNcw ► Ali's K-Pop Channel – http://bit.ly/2EKW4Mb ► Gena's K-Pop Channel – http://bit.ly/2iaevB3 +Twitter – @CouplesReacts Instagram – @couple_reacts_kpop +Business Email Contact – couplereacts@ritualnetwork.com +Copyright Disclaimer Under Section 107 of the Copyright Act 1976, allowance is made for „fair use" for purposes such as criticism, comment, news reporting, teaching, scholarship, and research. Fair use is a use permitted by copyright statute that might otherwise be infringing. +BF & GF REACT TO Kpop Idols Funny Falling Down – KPOP REACTION BF & GF REACT TO Kpop Idols Funny Falling Down – KPOP REACTION BF & GF REACT TO Kpop Idols Funny Falling Down – KPOP REACTION +BF & GF REACT TO Kpop Idols Funny Falling Down – KPOP REACTION,KPOP,K-POP,KPOP VIRUS,ACCIDENTS,FUNNY,MOMENTS,EXTRA,SAVAGE,CUTE,PERVERTS,KPOP VIRAL,DANCE,KPOP 2018,KPOP 2019,KPOP STARS,KPOP SONG,KPOP GIRL GROUP,KPOP BOY GROUP,RANDOM DANCE,MV,OFFICIAL,MUSIC VIDEO,BTS,EXO,TWICE,SNSD,GFRIEND,BLACKPINK,WINNER,SM ENTERTAINMENT,JYP ENTERTAINMENT,YG ENTERTAINMENT,BIGHIT,kpop reaction,couple,reacts,couple reactio \ No newline at end of file diff --git a/input/test/Test3307.txt b/input/test/Test3307.txt new file mode 100644 index 0000000..c7cc920 --- /dev/null +++ b/input/test/Test3307.txt @@ -0,0 +1 @@ +pp 1–8 | Cite as Time-averaged hemoglobin values, not hemoglobin cycling, have an impact on outcomes in pediatric dialysis patients Authors Abstract Background During erythropoietin-stimulating agent (ESA) treatment, hemoglobin (Hb) levels usually fluctuate; this phenomenon is known as "Hb cycling (HC)." In this study, we aimed to evaluate the predictors of HC and its impact on left ventricular hypertrophy (LVH) as a patient-important outcome parameter in pediatric dialysis patients. Methods Records of patients followed up in nine pediatric nephrology centers between 2008 and 2013 were reviewed. More than 1 g/dL decrease or increase in Hb level was considered as HC. Patients were divided into two groups according to 12-month Hb trajectory as rare cycling (RC) (≤ 3) and frequent cycling (FC) (> 3 fluctuation) as well as three groups based on T-A-Hb levels: < 10, 10–11, and > 11 g/dL. Results Two hundred forty-five dialysis (160 peritoneal dialysis (PD) and 85 hemodialysis (HD)) patients aged 12.3 ± 5.1 (range 0.5–21) years were enrolled in this study. Fifty-two percent of the patients had RC, 45% had FC, and only 3% had no cycling. There were no differences between HC groups with respect to age, dialysis modality, having anemia, hospitalization rate, residual urine volume, and mortality. Although left ventricular mass index (LVMI) tended to be higher in RC than FC group (65 ± 37 vs 52 ± 23 g/m 2.7 , p = 0.056), prevalence of LVH was not different between the groups ( p = 0.920). In regression analysis, FC was not a risk factor for LVH, but low T-A Hb level (< 10 g/dL) was a significant risk for LVH (OR = 0.414, 95% CI 0.177–0.966, p = 0.04). The target Hb levels were more often achieved in PD patients, and the number of deaths was significantly lower in non-anemic patients (Hb level > 11 g/dL). Conclusion Hb cycling is common among dialysis patients. Severity of anemia rather than its cycling has more significant impact on the prevalence of LVH and on inflammatory state. Keywords Dialysis Hemoglobin cycling Left ventricular hypertrophy Pediatric patients This is a preview of subscription content, log in to check access. Notes Compliance with ethical standards All human studies have been approved by the appropriate ethics committee and have therefore been performed in accordance with the ethical standards laid down in the 1964 Declaration of Helsinki. All persons gave their informed consent prior to their inclusion in the study. Conflict of interest The authors declare that they have no conflict of interest. References 1. Thomas R, Kanso A, Sedor JR (2008) Chronic kidney disease and it complications. Prim Care 35:329–344 CrossRef PubMed PubMedCentral Google Scholar 2. National Kidney Foundation: NKF-DOQI (2006) Clinical practice guidelines for the treatment of Anemia of chronic renal failure. New York, National Kidney Foundation. Am J Kidney Dis 47:S11–S145 CrossRef Google Scholar 3. National Clinical Guideline Centre (UK) (2015) Anaemia management in chronic kidney disease: partial update—key messages of the guideline 3; 59–71 Google Scholar 4. Fishbane S, Berns JS (2005) Hemoglobin cycling in hemodialysis patients treated with recombinant human erythropoietin. Kidney Int 68:1337–1343 CrossRef PubMed Google Scholar 5. Ebben JP, Gilbertson DT, Foley RN, Collins AJ (2006) Hemoglobin level variability: associations with comorbidity, intercurrent events, and hospitalizations. Clin J Am Soc Nephrol 1:1205–1210 CrossRef PubMed Google Scholar 6. Sumida K, Diskin CD, Molnar MZ, Potukuchi PK, Thomas F, Lu JL, Rhee CM, Streja E, Yamagata K, Kalantar-Zadeh K, Kovesdy CP (2017) Pre-end-stage renal disease hemoglobin variability predicts post-end-stage renal disease mortality in patients transitioning to dialysis. Am J Nephrol 46:397–407 CrossRef PubMed Google Scholar 7. Regidor DL, Kopple JD, Kovesdy CP, Kilpatrick RD, McAllister CJ, Aronovitz J, Aronovitz J, Greenland S, Kalantar-Zadeh K (2006) Associations between changes in hemoglobin and administered erythropoiesis-stimulating agent and survival in hemodialysis patients. J Am Soc Nephrol 17:1181–1191 CrossRef PubMed Google Scholar 8. Kuragano T, Matsumura O, Matsuda A, Hara T, Kiyomoto H, Murata T, Kitamura K, Fujimoto S, Hase H, Joki N, Fukatsu A, Inoue T, Itakura I, Nakanishi T (2014) Association between hemoglobin variability, serum ferritin levels, and adverse events/mortality in maintenance hemodialysis patients. Kidney Int 86:845–854 CrossRef PubMed Google Scholar 9. Eckardt KU, Kim J, Kronenberg F, Aljama P, Anker SD, Canaud B, Molemans B, Stenvinkel P, Schernthaner G, Ireland E, Fouqueray B, Macdougall IC (2010) Hemoglobin variability does not predict mortality in European hemodialysis patients. J Am Soc Nephrol 21:1765–1775 CrossRef PubMed PubMedCentral Google Scholar 10. Boudville NC, Djurdjev O, Macdougall IC, de Francisco AL, Deray G, Besarab A, Stevens PE, Walker RG, Ureña P, Iñigo P, Minutolo R, Haviv YS, Yeates K, Agüera ML, MacRae JM, Levin A (2009) Hemoglobin variability in nondialysis chronic kidney disease: examining the association with mortality. Clin J Am Soc Nephrol 24:1176–1182 CrossRef Google Scholar 11. Gilbertson DT, Hu Y, Peng Y, Maroni BJ, Wetmore JB (2017) Variability in hemoglobin levels in hemodialysis patients in the current era: a retrospective cohort study. Clin Nephrol 88:254–265 CrossRef PubMed PubMedCentral Google Scholar 12. Sorof JM, Cardwell G, Franco K, Portman RJ (2002) Ambulatory blood pressure and left ventricular mass index in hypertensive children. Hypertension 39:903–908 CrossRef PubMed Google Scholar 13. Cheng G, Fan F, Zhang Y, Qi L, Jia J, Liu Y, Gao L, Han X, Yang Y, Huo Y (2016) Different associations between blood pressure indices and carotid artery damages in a community-based population of China. J Hum Hypertens 30:750–754 CrossRef PubMed Google Scholar 14. Suleman R, Padwal R, Hamilton P, Senthilselvan A, Alagiakrishnan K (2017) Association between central blood pressure, arterial stiffness, and mild cognitive impairment. Clin Hypertens 23:2 CrossRef PubMed PubMedCentral Google Scholar 15. Scott SD (2002) Dose conversion from recombinant human erythropoietin to darbepoetin alfa: recommendations from clinical studies. Pharmacotherapy 22:160S–165S CrossRef PubMed Google Scholar 16. Rottembourg JB, Kpade F, Tebibel F, Dansaert A, Chenuc G (2013) Stable hemoglobin in hemodialysis patients:forest for the trees—a 12-week pilot observational study. BMC Nephrol 14:243 CrossRef PubMed PubMedCentral Google Scholar 17. Sahn DJ, DeMaria A, Kisslo JA, Weyman AE (1978) The committee on M-mode standardization of the American Society of Echocardiography: results of a survey of echocardiographic measurements. Circulation 58:1072–1083 CrossRef PubMed Google Scholar 18. Devereux RB, Alonso DR, Lutas EM, Gottlieb GJ, Campo E, Sachs I, Reichek N (1986) Echocardiographic assessment of left ventricular hypertrophy: comparison to necropsy findings. Am J Cardiol 57:450–458 CrossRef PubMed Google Scholar 19. Daniels SR, Kimball TR, Morrison JA, Khoury P, Meyer RA (1995) Indexing left ventricular mass to account for differences in body size in children and adolescents without cardiovascular disease. Am J Cardiol 76:699–701 CrossRef PubMed Google Scholar 20. Khoury PR, Mitsnefes M, Daniels SR, Kimball TR (2009) Age-specific reference intervals for indexed left ventricular mass in children. J Am Soc Echocardiogr 22:709–714 CrossRef PubMed Google Scholar 21. Fishbane S, Berns JS (2007) Evidence and implications of haemoglobin cycling in anaemia management. Nephrol Dial Transplant 22:2129–2132 CrossRef PubMed Google Scholar 22. Lacson E Jr, Ofsthun N, Lazarus JM (2003) Effect of variability in anemia management on hemoglobin outcomes in ESRD. Am J Kidney Dis 41:111–124 CrossRef PubMed Google Scholar 23. Thanakitcharu P, Jirajan B (2016) Prevalence of hemoglobin cycling and its clinical impact on outcomes in Thai end-stage renal disease patients treated with hemodialysis and erythropoiesis-stimulating agent. J Med Assoc Thail 99:S28–S37 Google Scholar 24. Gilbertson DT, Ebben JP, Foley RN, Weinhandl ED, Bradbury BD, Collins AJ (2008) Hemoglobin level variability: associations with mortality. Clin J Am Soc Nephrol 3:133–138 CrossRef PubMed PubMedCentral Google Scholar 25. Altunoren O, Dogan E, Sayarlioglu H, Acar G, Yavuz YC, Aydın N, Sahin M, Akkoyun M, Isik IO, Altunoren O (2013) Effect of hemoglobin variability on mortality and some cardiovascular parameters in hemodialysis patients. Ren Fail 35:819–824 CrossRef PubMed Google Scholar 26. de Francisco AL, Stenvinkel P, Vaulont S (2009) Inflammation and its impact on anaemia in chronic kidney disease: from haemoglobin variability to hyporesponsiveness. NDT Plus 2(Suppl_1):i18–i26 CrossRef PubMed PubMedCentral Google Scholar 27. Agarwal R, Davis JL, Smith L (2008) Serum albumin is strongly associated with erythropoietin sensitivity in hemodialysis patients. Clin J Am Soc Nephrol 3:98–104 CrossRef PubMed PubMedCentral Google Scholar 28. Ganidagli SE, Altunoren O, Erken E, Isık IO, Ganidagli B, Eren N, Yavuz YC, Gungor O (2017) The relation between hemoglobin variability and carotid intima-media thickness in chronic hemodialysis patients. Int Urol Nephrol 15:1651–1656 Google Scholar 29. Moran A, Katz R, Jenny NS, Astor B, Bluemke DA, Lima JA, Siscovick D, Bertoni AG, Shlipak MG (2008) Left ventricular hypertrophy in mild and moderate reduction in kidney function determined using cardiac magnetic resonance imaging and cystatin C: the multiethnic study of atherosclerosis (MESA). Am J Kidney Dis 52:839–848 CrossRef PubMed PubMedCentral Google Scholar 30. Stack AG, Saran R (2002) Clinical correlates and mortality impact of left ventricular hypertrophy among new ESRD patients in the United States. Am J Kidney Dis 40:1202–1210 CrossRef PubMed Google Scholar 31. Shlipak MG, Fried LF, Cushman M, Manolio TA, Peterson D, Stehman-Breen C, Bleyer A, Newman A, Siscovick D, Psaty B (2005) Cardiovascular mortality risk in chronic kidney disease: comparison of traditional and novel risk factors. JAMA 293:1737–1745 CrossRef PubMed Google Scholar 32. Borzych-Duzalka D, Bilginer Y, Ha IS, Bak M, Rees L, Cano F, Munarriz RL, Chua A, Pesle S, Emre S, Urzykowska A, Quiroz L, Ruscasso JD, White C, Pape L, Ramela V, Printza N, Vogel A, Kuzmanovska D, Simkova E, Müller-Wiefel DE, Sander A, Warady BA, Schaefer F (2013) International Pediatric Peritoneal Dialysis Network (IPPN) Registry. Management of anemia in children receiving chronic peritoneal dialysis. J Am Soc Nephrol 24:665–676 CrossRef PubMed PubMedCentral Google Scholar 33. Rao DS, Shih MS, Mohini R (1993) Effect of serum parathyroid hormone and bone marrow fibrosis on the response to erythropoietin in uremia. N Engl J Med 328:171–175 CrossRef PubMed Google Scholar 34. Belsha CW, Berry PL (1998) Effect of hyperparathyroidism on response to erythropoietin in children on dialysis. Pediatr Nephrol 12:298–303 CrossRef PubMed Google Scholar 35. Gallieni M, Corsi C, Brancaccio D (2000) Hyperparathyroidism and anemia in renal failure. Am J Nephrol 20:89–96 CrossRef PubMed Google Scholar 36. Kalantar-Zadeh K, Lee GH, Miller JE, Streja E, Jing J, Robertson JA, Kovesdy CP (2009) Predictors of hyporesponsiveness to erythropoiesis-stimulating agents in hemodialysis patients. AmJ Kidney Dis 53:823–834 CrossRef Google Scholar 37. Brancaccio D, Cozzolino M, Gallieni M (2004) Hyperparathyroidism and anemia in uremic subjects: a combined therapeutic approach. J Am Soc Nephrol 15(Suppl 1):S21–S24 CrossRef PubMed Google Scholar 38. Jaar BG, Coresh J, Plantinga LC, Fink NE, Klag MJ, Levey AS, Levin NW, Sadler JH, Kliger A, Powe NR (2005) Comparing the risk for death with peritoneal dialysis and hemodialysis in a national cohort of patients with chronic kidney disease. Ann Intern Med 143:174–183 CrossRef PubMed Google Scholar 39. Baum M, Powell D, Calvin S, McDaid T, McHenry K, Mar H, Potter D (1982) Continuous ambulatory peritoneal dialysis in children: comparison with hemodialysis. N Engl J Med 16:1537–1542 CrossRef Google Scholar 40. Koshy SM, Geary DF (2008) Anemia in children with chronic kidney disease. Pediatr Nephrol 23:209–219 CrossRef PubMed Google Scholar 41. Selby NM, Fonseca SA, Fluck RJ, Taal MW (2012) Hemoglobin variability with epoetin beta and continuous erythropoietin receptor activator in patients on peritoneal dialysis. Perit Dial Int 32:177–182 CrossRef PubMed PubMedCentral Google Scholar Copyright informatio \ No newline at end of file diff --git a/input/test/Test3308.txt b/input/test/Test3308.txt new file mode 100644 index 0000000..cc7c74e --- /dev/null +++ b/input/test/Test3308.txt @@ -0,0 +1,11 @@ +SYDNEY: A schoolboy who "dreamed" of working for Apple hacked the firm's computer systems, Australian media has reported, although the tech giant said on Friday no customer data was compromised. +The Children's Court of Victoria was told the teenager broke into Apple's mainframe -- a large, powerful data processing system -- from his home in the suburbs of Melbourne and downloaded 90GB of secure files, The Age reported late yesterday. +The boy, then aged 16, accessed the system multiple times over a year as he was a fan of Apple and had "dreamed of" working for the US firm, the newspaper said, citing his lawyer. +Apple said in a statement today that its teams "discovered the unauthorised access, contained it, and reported the incident to law enforcement". +The firm, which earlier this month became the first private-sector company to surpass $1 trillion in market value, said it wanted "to assure our customers that at no point during this incident was their personal data compromised". +An international investigation was launched after the discovery involving the FBI and the Australian Federal Police, The Age reported. +The federal police said it could not comment on the case as it is still before the court. +The Age said police raided the boy's home last year and found hacking files and instructions saved in a folder called "hacky hack hack". +"Two Apple laptops were seized and the serial numbers matched the serial numbers of the devices which accessed the internal systems," a prosecutor was reported as saying. +A mobile phone and hard drive were also seized whose IP address matched those detected in the breaches, he added. +The teen has pleaded guilty and the case is due to return to court for his sentencing next month \ No newline at end of file diff --git a/input/test/Test3309.txt b/input/test/Test3309.txt new file mode 100644 index 0000000..9ba3441 --- /dev/null +++ b/input/test/Test3309.txt @@ -0,0 +1,7 @@ +Tweet +Shire PLC (NASDAQ:SHPG) – Stock analysts at SunTrust Banks cut their FY2020 earnings estimates for shares of Shire in a research note issued to investors on Tuesday, August 14th. SunTrust Banks analyst J. Boris now expects that the biopharmaceutical company will earn $17.31 per share for the year, down from their prior forecast of $17.61. SunTrust Banks also issued estimates for Shire's FY2021 earnings at $18.85 EPS and FY2022 earnings at $20.35 EPS. Get Shire alerts: +Shire (NASDAQ:SHPG) last issued its quarterly earnings results on Tuesday, July 31st. The biopharmaceutical company reported $3.88 EPS for the quarter, topping analysts' consensus estimates of $3.67 by $0.21. The company had revenue of $3.92 billion for the quarter. Shire had a net margin of 31.06% and a return on equity of 13.22%. Shire's revenue for the quarter was up 4.6% on a year-over-year basis. During the same quarter last year, the firm posted $3.73 EPS. A number of other brokerages have also commented on SHPG. Kepler Capital Markets reiterated a "buy" rating on shares of Shire in a report on Friday, May 11th. BidaskClub lowered shares of Shire from a "hold" rating to a "sell" rating in a report on Thursday. BTIG Research reiterated a "buy" rating and set a $195.00 price target on shares of Shire in a report on Sunday, April 29th. Royal Bank of Canada set a $186.00 price target on shares of Shire and gave the stock a "buy" rating in a report on Sunday, April 22nd. Finally, Zacks Investment Research upgraded shares of Shire from a "sell" rating to a "hold" rating in a report on Monday, April 23rd. Two research analysts have rated the stock with a sell rating, four have assigned a hold rating and eleven have given a buy rating to the stock. The company has a consensus rating of "Buy" and an average target price of $201.18. +Shares of NASDAQ:SHPG opened at $171.50 on Thursday. The firm has a market cap of $52.16 billion, a PE ratio of 11.32, a price-to-earnings-growth ratio of 1.52 and a beta of 1.19. The company has a current ratio of 1.55, a quick ratio of 1.02 and a debt-to-equity ratio of 0.45. Shire has a 52 week low of $123.73 and a 52 week high of $177.51. +A number of hedge funds have recently added to or reduced their stakes in the stock. Legal & General Group Plc lifted its holdings in Shire by 2.8% in the second quarter. Legal & General Group Plc now owns 11,510 shares of the biopharmaceutical company's stock valued at $1,943,000 after buying an additional 317 shares during the period. Signaturefd LLC lifted its holdings in Shire by 18.4% in the first quarter. Signaturefd LLC now owns 2,165 shares of the biopharmaceutical company's stock valued at $323,000 after buying an additional 336 shares during the period. Azimuth Capital Management LLC lifted its holdings in Shire by 3.1% in the second quarter. Azimuth Capital Management LLC now owns 12,044 shares of the biopharmaceutical company's stock valued at $2,033,000 after buying an additional 360 shares during the period. United Capital Financial Advisers LLC lifted its holdings in Shire by 7.2% in the first quarter. United Capital Financial Advisers LLC now owns 5,946 shares of the biopharmaceutical company's stock valued at $888,000 after buying an additional 401 shares during the period. Finally, Usca Ria LLC lifted its holdings in Shire by 2.4% in the first quarter. Usca Ria LLC now owns 19,828 shares of the biopharmaceutical company's stock valued at $2,962,000 after buying an additional 467 shares during the period. Institutional investors and hedge funds own 17.61% of the company's stock. +Shire Company Profile +Shire plc, a biotechnology company, researches, develops, licenses, manufactures, markets, distributes, and sells medicines for rare diseases and other specialized conditions worldwide. The company offers products in therapeutic areas, including hematology, genetic diseases, neuroscience, immunology, internal medicine, ophthalmology, and oncology \ No newline at end of file diff --git a/input/test/Test331.txt b/input/test/Test331.txt new file mode 100644 index 0000000..920f6e8 --- /dev/null +++ b/input/test/Test331.txt @@ -0,0 +1,19 @@ +China-Africa poverty alleviation, sustainable development discussed 0 2018-08-17 13:35 By: Xinhua +By Solomon Elusoji +Poverty alleviation, sustainable development, technology transfer and agricultural exchanges are the major issues discussed at the 2018 FOCAC-Africa-China Poverty Reduction and Development Conference held in Beijing on Tuesday. +Eliminating poverty and achieving sustainable development is the shared goal and historic task of Chinese and African people, said Liu Yongfu, director of China's State Council Leading Group Office of Poverty Alleviation and Development (LGOP), at the conference. +The conference is part of preparations for the 2018 Beijing Summit of the Forum on China and -Africa Cooperation (FOCAC) scheduled for next month. +Having made great progress in eliminating poverty over the last few decades, China is still faced with the heavy task of lifting 30 million people out of extreme poverty by 2020, he said. +And on its part, Africa's poverty rate is one of the highest in the world, he added. +Therefore, actively engaging in cooperation is to promote experience sharing, achieve common development and develop the China-Africa community of common destiny, Liu said. +Liu also noted that both parties, Africa and China, must enhance their poverty reduction exchanges and poverty reduction research. +He called for the establishment of dialogue and cooperation mechanism to promote China-Africa poverty reduction cooperation. +"We should continue to host the Poverty Reduction and Development Conference of the Forum on China-Africa Cooperation and the China-Africa Youth Exchange Programs on Poverty Reduction and Development to enhance poverty reduction experience sharing," he said. +China will continue to carry out joint research with African countries and relevant institutions to seek effective measures, jointly develop intellectual products on poverty reduction and contribute Chinese wisdom, Liu said. +Meanwhile, Commissioner for Rural Economy and Agriculture of the African Union (AU), Josefa Sacko, commended the Chinese government in helping reduce African poverty. +Through the AU and China's Cooperation in the Rural Economy and Agricultural Development, there has been technology transfer in various sectors from China to Africa, Sacko added at the conference. +They include experts'visits and assistance in crop planting, pest disease prevention and control, product processing, livestock breeding, fish farming and private investments in medium to large-scale farms, Sacko said. +Food security and wiping out hunger is important, but it is not the whole of Africa's poverty problem, Sacko noted. +To solve the poverty problem, she noted, Africa is eager to make efforts in a comprehensive way. +They want to learn from China in natural resources management, in agriculture transformation, in policy research, in evidence-based planning and in supporting Competitive Value Chains and Agri-Business Development. +Then, she added, sound cooperation should also be launched in climate change issue, implementation of Nationally Determined Contributions (NDCs), combating illegal exploitation and trade in wild fauna and flora, and skills and capacity building for the youth, she said. [ Editor: Zhang Zhou ] Share or comment on this article More From Guangming Onlin \ No newline at end of file diff --git a/input/test/Test3310.txt b/input/test/Test3310.txt new file mode 100644 index 0000000..de38a32 --- /dev/null +++ b/input/test/Test3310.txt @@ -0,0 +1,8 @@ + Charlotte Bryant on Aug 17th, 2018 // No Comments +Shire PLC (NASDAQ:SHPG) – Analysts at SunTrust Banks decreased their FY2020 EPS estimates for shares of Shire in a research note issued to investors on Tuesday, August 14th. SunTrust Banks analyst J. Boris now anticipates that the biopharmaceutical company will post earnings per share of $17.31 for the year, down from their prior forecast of $17.61. SunTrust Banks also issued estimates for Shire's FY2021 earnings at $18.85 EPS and FY2022 earnings at $20.35 EPS. Get Shire alerts: +Shire (NASDAQ:SHPG) last released its earnings results on Tuesday, July 31st. The biopharmaceutical company reported $3.88 earnings per share for the quarter, beating the Zacks' consensus estimate of $3.67 by $0.21. The firm had revenue of $3.92 billion for the quarter. Shire had a net margin of 31.06% and a return on equity of 13.22%. The firm's revenue was up 4.6% compared to the same quarter last year. During the same quarter in the previous year, the firm earned $3.73 earnings per share. A number of other brokerages have also recently commented on SHPG. Royal Bank of Canada set a $188.00 price target on shares of Shire and gave the company a "buy" rating in a research note on Thursday, July 19th. Cantor Fitzgerald set a $222.00 price target on shares of Shire and gave the company a "buy" rating in a research note on Tuesday, July 31st. BidaskClub cut shares of Shire from a "hold" rating to a "sell" rating in a research note on Thursday. Kepler Capital Markets restated a "buy" rating on shares of Shire in a research note on Friday, May 11th. Finally, BTIG Research restated a "buy" rating and set a $195.00 price target on shares of Shire in a research note on Sunday, April 29th. Two research analysts have rated the stock with a sell rating, four have issued a hold rating and eleven have assigned a buy rating to the stock. The company presently has a consensus rating of "Buy" and an average target price of $201.18. +Shares of SHPG stock opened at $171.50 on Thursday. The company has a market cap of $52.16 billion, a P/E ratio of 11.32, a price-to-earnings-growth ratio of 1.52 and a beta of 1.19. The company has a debt-to-equity ratio of 0.45, a quick ratio of 1.02 and a current ratio of 1.55. Shire has a 12 month low of $123.73 and a 12 month high of $177.51. +Hedge funds have recently made changes to their positions in the stock. Legal & General Group Plc lifted its stake in Shire by 2.8% in the 2nd quarter. Legal & General Group Plc now owns 11,510 shares of the biopharmaceutical company's stock worth $1,943,000 after purchasing an additional 317 shares in the last quarter. Signaturefd LLC lifted its stake in Shire by 18.4% in the 1st quarter. Signaturefd LLC now owns 2,165 shares of the biopharmaceutical company's stock worth $323,000 after purchasing an additional 336 shares in the last quarter. Azimuth Capital Management LLC lifted its stake in Shire by 3.1% in the 2nd quarter. Azimuth Capital Management LLC now owns 12,044 shares of the biopharmaceutical company's stock worth $2,033,000 after purchasing an additional 360 shares in the last quarter. United Capital Financial Advisers LLC lifted its stake in Shire by 7.2% in the 1st quarter. United Capital Financial Advisers LLC now owns 5,946 shares of the biopharmaceutical company's stock worth $888,000 after purchasing an additional 401 shares in the last quarter. Finally, Usca Ria LLC lifted its stake in Shire by 2.4% in the 1st quarter. Usca Ria LLC now owns 19,828 shares of the biopharmaceutical company's stock worth $2,962,000 after purchasing an additional 467 shares in the last quarter. Institutional investors own 17.61% of the company's stock. +Shire Company Profile +Shire plc, a biotechnology company, researches, develops, licenses, manufactures, markets, distributes, and sells medicines for rare diseases and other specialized conditions worldwide. The company offers products in therapeutic areas, including hematology, genetic diseases, neuroscience, immunology, internal medicine, ophthalmology, and oncology. +Read More: Asset Allocation Receive News & Ratings for Shire Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Shire and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test3311.txt b/input/test/Test3311.txt new file mode 100644 index 0000000..c111d89 --- /dev/null +++ b/input/test/Test3311.txt @@ -0,0 +1,8 @@ + Don Majors on Aug 17th, 2018 // No Comments +Intellicheck (NYSEAMERICAN:IDN) 's stock had its "market perform" rating restated by stock analysts at Oppenheimer in a research report issued to clients and investors on Wednesday, The Fly reports. They currently have a $4.00 price objective on the industrial products company's stock. Oppenheimer's price target would suggest a potential upside of 103.05% from the stock's previous close. +IDN has been the subject of several other reports. UBS Group downgraded shares of Intellicheck from an "outperform" rating to a "market perform" rating in a research report on Wednesday. Zacks Investment Research raised shares of Intellicheck from a "sell" rating to a "hold" rating in a research report on Thursday, May 24th. One investment analyst has rated the stock with a sell rating, three have assigned a hold rating and two have given a buy rating to the company's stock. The stock has a consensus rating of "Hold" and a consensus target price of $4.10. Get Intellicheck alerts: +NYSEAMERICAN:IDN opened at $1.97 on Wednesday. Intellicheck has a one year low of $1.50 and a one year high of $3.18. Intellicheck (NYSEAMERICAN:IDN) last posted its earnings results on Tuesday, August 14th. The industrial products company reported ($0.07) EPS for the quarter, hitting the consensus estimate of ($0.07). The company had revenue of $1.00 million during the quarter, compared to the consensus estimate of $1.22 million. Intellicheck had a negative net margin of 111.19% and a negative return on equity of 28.67%. +In other news, insider Bryan Lewis acquired 11,700 shares of Intellicheck stock in a transaction on Monday, May 21st. The stock was acquired at an average cost of $2.16 per share, with a total value of $25,272.00. Following the transaction, the insider now owns 500 shares of the company's stock, valued at approximately $1,080. The transaction was disclosed in a filing with the Securities & Exchange Commission, which is available through the SEC website . +A hedge fund recently raised its stake in Intellicheck stock. Clear Harbor Asset Management LLC grew its stake in shares of Intellicheck Inc (NYSEAMERICAN:IDN) by 3.9% in the first quarter, according to its most recent filing with the Securities & Exchange Commission. The firm owned 1,244,262 shares of the industrial products company's stock after acquiring an additional 46,800 shares during the period. Clear Harbor Asset Management LLC owned about 7.97% of Intellicheck worth $2,240,000 at the end of the most recent reporting period. +About Intellicheck +Intellicheck, Inc, a technology company, develops, integrates, and markets identity authentication systems for mobile and handheld access control and security systems primarily in the United States. The company provides identity systems products, including commercial identification products, such as IDvCheck SDK for software developers; Retail ID, an authentication solution that authenticates identification documents; Retail ID Online, authenticates an online user's identification documents; Retail ID Mobile that provides the fraud reduction benefits of Retail IDTM; Age ID, a designation for various hand held devices; Guest ID, a software application that speeds up check-in and ID verification at hotels and motels; IDvCheck POS, a software application that runs on various VeriFone devices; IDvCheck BHO, a browser helper object for Microsoft browser; IDvCheck PC, a standalone software solution; State Aware software; software products for data collection devices; and instant credit application kiosk software applications. Receive News & Ratings for Intellicheck Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Intellicheck and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test3312.txt b/input/test/Test3312.txt new file mode 100644 index 0000000..369e7b4 --- /dev/null +++ b/input/test/Test3312.txt @@ -0,0 +1 @@ +Tags : iOS - iOS + Apple - Apple + Tablets - Tablets + Deals - Deals + Apple hasn't changed the design of its iPads much over the past few years, making it fairly easy to confuse the company's latest 9.7-inch model with 2014's iPad Air 2 . In fact, the extremely well-reviewed tablet that was discontinued last year to make room for a non-Pro, non-Air new iPad is both thinner and lighter than 2018's Apple Pencil-enabled 9.7-incher. The iPad Air 2 also comes with a timeless 2048 x 1536 "Retina" display, very capable 8MP rear and 1.2MP front cameras, a solid 2GB RAM, and perhaps most importantly, iOS 12 support . Otherwise put, this bad boy can definitely hold its own against "modern" Android slates, which makes Amazon's latest "Deal of the Day" a straight-up bargain. For just $300, you can get a certified refurbished Apple iPad Air 2 with a generous 128GB storage space, although you'll obviously need to hurry. Three different color options are in stock at the time of this writing, with the silver variant fetching $299, and gold and space gray flavors going for $299.99 each. Technically, this is not an item shipped and sold directly by Amazon, but fret not, as BuySpry is a reliable, "specialized", and approved third-party retailer. By far the best thing about this deal is that you get a full 1-year warranty, and the iPad Air 2 units on sale are naturally "tested and certified to work and look like-new." Keep in mind that you can find certified refurbished iPads on the online Apple Store as well, but this particular configuration, with Wi-Fi connectivity only and 128 gigs of storage, currently costs $359. So, yeah, you're looking at a cool $60 discount today on Amazon \ No newline at end of file diff --git a/input/test/Test3313.txt b/input/test/Test3313.txt new file mode 100644 index 0000000..2107a86 --- /dev/null +++ b/input/test/Test3313.txt @@ -0,0 +1,12 @@ +Plant-based better than artificial food preservatives, scientists claim By Print In tests, the organic preservative (left) kept its samples fresh for two days without refrigeration (credit: NTU Singapore). +Researchers in Singapore have discovered a plant-based food preservative which they claim is more effective than artificial preservatives. +The organic preservative comprises a naturally-occurring substance known as 'flavonoids', a diverse group of phytonutrients found in almost all fruits and vegetables. +The flavonoids created by Nanyang Technological University (NTU) scientists have strong anti-microbial and anti-oxidant properties – two key traits of preservatives that inhibit bacterial growth and keep food fresher for longer. +In tests carried out on meat and fruit juice samples, the organic preservative kept its samples fresh for two-days without refrigeration, compared to commercial-grade artificial food preservatives. +The experiment was conducted at room temperature where the other food samples with artificial preservatives succumbed to bacteria contamination within six hours. Findings were published in Food Chemistry . +The research team was led by Professor William Chen, Director of NTU's Food Science & Technology programme. The team is already in talks with multinational companies to further develop the new food preservative. +Prof Chen said: "This organic food preservative is derived from plants and produced from food grade microbes, which means that it is 100% natural. +"It is also more effective than artificial preservatives and does not require any further processing to keep food fresh. +"This may open new doors in food preservation technologies, providing a low-cost solution for industries, which will in turn encourage a sustainable food production system that can produce healthier food that stay fresh longer." +This research comes at a time when there is a growing body of scientific evidence on how artificial preservatives affect the body's long-term growth and development. +The research team aims to further develop their findings with the food industry and enhance its efficacy and safety so that it can be used in all packaged food products. Share this \ No newline at end of file diff --git a/input/test/Test3314.txt b/input/test/Test3314.txt new file mode 100644 index 0000000..7962e2b --- /dev/null +++ b/input/test/Test3314.txt @@ -0,0 +1,10 @@ +Tweet +Balter Liquid Alternatives LLC lifted its stake in shares of Michaels Companies Inc (NASDAQ:MIK) by 56.5% during the 2nd quarter, according to the company in its most recent 13F filing with the SEC. The firm owned 45,992 shares of the specialty retailer's stock after buying an additional 16,600 shares during the quarter. Balter Liquid Alternatives LLC's holdings in Michaels Companies were worth $887,000 as of its most recent filing with the SEC. +Several other large investors also recently made changes to their positions in MIK. Bank of Montreal Can purchased a new stake in shares of Michaels Companies during the 2nd quarter valued at about $40,076,000. Tyvor Capital LLC raised its holdings in shares of Michaels Companies by 100.8% during the 2nd quarter. Tyvor Capital LLC now owns 2,470,565 shares of the specialty retailer's stock valued at $47,361,000 after buying an additional 1,240,426 shares during the period. Neuberger Berman Group LLC raised its holdings in shares of Michaels Companies by 3,274.4% during the 1st quarter. Neuberger Berman Group LLC now owns 754,646 shares of the specialty retailer's stock valued at $14,874,000 after buying an additional 732,282 shares during the period. UBS Group AG raised its holdings in shares of Michaels Companies by 1,610.6% during the 1st quarter. UBS Group AG now owns 725,483 shares of the specialty retailer's stock valued at $14,299,000 after buying an additional 683,072 shares during the period. Finally, Impax Asset Management LLC acquired a new stake in Michaels Companies during the 1st quarter valued at approximately $13,416,000. Get Michaels Companies alerts: +A number of equities research analysts have weighed in on MIK shares. BidaskClub upgraded Michaels Companies from a "hold" rating to a "buy" rating in a research note on Wednesday, June 13th. Credit Suisse Group restated a "buy" rating on shares of Michaels Companies in a research note on Thursday, August 9th. JPMorgan Chase & Co. restated a "focus list" rating on shares of Michaels Companies in a research note on Thursday, June 21st. ValuEngine upgraded Michaels Companies from a "sell" rating to a "hold" rating in a research note on Friday, June 8th. Finally, Zacks Investment Research upgraded Michaels Companies from a "sell" rating to a "hold" rating in a research note on Thursday, May 31st. Three analysts have rated the stock with a sell rating, five have given a hold rating, six have given a buy rating and one has assigned a strong buy rating to the stock. Michaels Companies presently has a consensus rating of "Hold" and an average price target of $23.80. +Shares of NASDAQ MIK opened at $20.10 on Friday. Michaels Companies Inc has a fifty-two week low of $17.66 and a fifty-two week high of $27.87. The company has a quick ratio of 0.60, a current ratio of 1.79 and a debt-to-equity ratio of -1.82. The company has a market cap of $3.69 billion, a price-to-earnings ratio of 9.26, a price-to-earnings-growth ratio of 1.14 and a beta of 1.24. +Michaels Companies (NASDAQ:MIK) last issued its quarterly earnings data on Thursday, June 14th. The specialty retailer reported $0.39 earnings per share for the quarter, beating analysts' consensus estimates of $0.38 by $0.01. The firm had revenue of $1.16 billion during the quarter, compared to analyst estimates of $1.15 billion. Michaels Companies had a negative return on equity of 24.87% and a net margin of 6.44%. Michaels Companies's quarterly revenue was down .3% on a year-over-year basis. During the same quarter last year, the firm earned $0.38 EPS. equities analysts expect that Michaels Companies Inc will post 2.32 earnings per share for the current fiscal year. +Michaels Companies Company Profile +The Michaels Companies, Inc owns and operates arts and crafts specialty retail stores for Makers and do-it-yourself home decorators in North America. It operates Michaels stores that offer approximately 45,000 stock-keeping units (SKUs) in crafts, home decor and seasonal, framing, and paper crafting; and Aaron Brothers stores, which offer approximately 5,600 SKUs, including photo frames, a line of ready-made frames, art prints, framed art, art supplies, and custom framing services. +Featured Article: Penny Stocks, What You Need To Know +Want to see what other hedge funds are holding MIK? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Michaels Companies Inc (NASDAQ:MIK). Receive News & Ratings for Michaels Companies Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Michaels Companies and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test3315.txt b/input/test/Test3315.txt new file mode 100644 index 0000000..7ae4f8e --- /dev/null +++ b/input/test/Test3315.txt @@ -0,0 +1,29 @@ +Amid turmoil, USA Gymnastics takes small steps forward 17, 2018 at 2:15 am Updated August 17, 2018 at 3:17 am Back to story Restart gallery More Photo Galleries WILL GRAVES The Associated Press +BOSTON (AP) — The pep talk was short and to the point, a reminder to reigning world gymnastics champion Morgan Hurd that all was not lost. +The 17-year-old had just fallen on beam at the U.S. Classic last month, ending any serious chance she had at making a serious run at Simone Biles in the Olympic champion's return to competition after a two-year break. In the moment, Hurd was frustrated. +And then Tom Forster came over. The newly appointed high-performance team coordinator for the embattled USA Gymnastics women's elite program pulled Hurd aside and put things in perspective. +"He was like, 'It's OK because now is not your peak time anyways,'" Hurd said. "That was the exact mindset I had." Most Read Sports Stories Unlimited Digital Access. $1 for 4 weeks. +It was a small moment, one of many Forster shared with various competitors as he walked the floor during the first significant meet of his tenure. He plans to do the same when the U.S. championships start on Friday night. He insists he's not grandstanding or putting on a show or trying to prove some sort of point about a new era of transparency in the wake of the Larry Nassar scandal. +The way Forster figures it, he's just doing what he's always done. His title has changed. The way he acts around athletes — many of whom he's known for years while working with the USA Gymnastics developmental program — will not. +Still, that doesn't make the image of the person who will play an integral role in figuring out which gymnasts will compete internationally jarring. Forster's hands-on approach is in stark contrast to longtime national team coordinator Martha Karolyi's aloofness. Karolyi would spend meets not on the floor but watching from a table, lips often pursed and her face betraying little. It was the same during national team camps, with Karolyi often talking to the personal coaches of the athletes rather than the athletes themselves. +That's not Forster. +"I never envisioned being in this role so I never really thought about sitting at that big table and just watching," he said. +Maybe, but it's a departure, one Hurd called "kind of strange" but welcome. +"He's walking around practices and interacting with absolutely everyone," she said. "I think it's pretty cool." +And in a way symbolic, even if that's not exactly what Forster is going for. +USA Gymnastics' response to the scandal involving disgraced former national team doctor Larry Nassar — who abused hundreds of women, including several Olympians, under the guise of medical treatment — has included a massive overhaul of the leadership and legislative changes designed to make the organization more accountable from the top down. It has also been peppered almost non-stop with buzzwords like "culture change" and "empowerment." +A true shift will take years. Forster understands that. Still, he's taken steps during his first two months on the job designed to create a more open, welcoming environment. +For Margzetta Frazier, the proof came in June when her phone buzzed with a number she didn't recognize. The 18-year-old decided in late spring she was retiring from elite gymnastics and would instead focus on her college career at UCLA. At least, that was the plan until she slid her thumb to the right and answered. +"Tom was like, 'Hey, I know you retired but can you come back? We need you,'" Frazier said. "I had no idea he even had my number." +For the first time in a while, Frazier says she "felt respected" by USA Gymnastics. That wasn't the case this spring, when she took the unusual step of texting USA Gymnastics president Kerry Perry to express her disappointment in the organization's decision to fire senior vice president Rhonda Faehn in the middle of a national team camp. Frazier briefly posted her text to Perry on Instagram. +"I was taught to speak my mind respectfully," Frazier said. "It was so unprofessional to have one of our top coordinators fired. I was mentally distressed. I had to say something." +So she did. And then she retired. And then Forster called. And she couldn't say no. So she didn't say no. Instead, she developed a training plan with Chris Waller and 2011 world champion Jordyn Wieber and will be in Boston this weekend hoping to do enough over the next two months to earn a spot on the world championship team. +All because Forster called her out of the blue. Now Frazier views her second chance as an opportunity to help the athletes steer the culture in a more positive direction. It's quite literally the "empowerment" that Perry talks about in action. +While Frazier understands Nassar victims — a list that includes Wieber and UCLA teammates Kyla Ross and Madison Kocian — are clamoring for change, Frazier believes the athletes still competing at the elite level can be an integral part of the process. +"We can help change things from the inside out," Frazier said. "We are hand in hand with the survivors, 100 percent. We want to be the people on the inside helping." +Forster knows part of his role as one of the most visible people in the sport is to facilitate the change within the elite program. When he took over in June, he talked about the need to create an environment where the athletes felt they had more of a say in how things are done. He went to the gymnasts and asked them what they would like to see change at selection camps. They told him they wanted open scoring like they receive during a typical meet. So he obliged. +"They have to be able to voice whatever their concern is without fear of any retaliation or that it would impact them not making a team," Forster said. +It's one small facet of an overhaul that will be fought on many fronts over many years. There is no pat on the back or motivational chat or fist bump among teammates that will signal all is well. There shouldn't be. The Nassar effect will linger for decades. That's not a bad thing. +"I think we should never try to bury that stuff," Hurd said. "It happened and it's an awful thing that happened and such an unfortunate thing. But I don't think we should ever try to bury that conversation because that's how it all comes back." +Yet Hurd, Forster and the current national team members are optimistic there is a way forward. +"I've read through all the manuals. There isn't anything in any of our manuals that demands we win medals," Forster said. "Not one. No matter what the press has said. There isn't anything that says we have to win medals. We have to put the best team out on the floor. That's our job, and we're going to do it in the very best, positive way we can so that athletes have a great experience doing it. That's the hope. Well, it isn't hope. It's mandatory I do it." WILL GRAVE \ No newline at end of file diff --git a/input/test/Test3316.txt b/input/test/Test3316.txt new file mode 100644 index 0000000..372ab2b --- /dev/null +++ b/input/test/Test3316.txt @@ -0,0 +1,7 @@ +United Bank UK hosts Islamic banking seminar Menu United Bank UK hosts Islamic banking seminar United Bank UK hosts Islamic banking seminar 0 comments United Bank UK held an Islamic Banking Seminar to raise awareness of Islamic banking alternatives available for the community. +The event held in Bradford was attended by The Lord Mayor of Bradford, members of the local community, senior figures from local Mosques and business men and women. +The presentation saw opening remarks delivered by the Lord Mayor of Bradford Councillor Zafar Ali. +Addressing the audience Agha Khan, Senior Product Manager at United Bank UK said, "Through our Ameen Islamic Banking range, United Bank UK provides a variety of Islamic bank accounts and home finance that could help the communities that we serve manage their financial needs in accordance with their faith." +He added, "United Bank UK's Islamic Home Finance, Current and Savings Accounts are all rigorously analysed and approved by our Sharia Scholar to ensure that they adhere to the highest standards of Sharia compliance." +Mufti Barkatulla Abdul Kadir, Sharia Judge at the Islamic Sharia Council of London and United Bank UK's Sharia Advisor also delivered a presentation providing the scholarly perspective on United Bank UK's Islamic banking services. +He also provided a framework by which the community could assess the Islamic banking alternatives available to them, to ensure that they can be confident the services on offer adhere to Sharia principles \ No newline at end of file diff --git a/input/test/Test3317.txt b/input/test/Test3317.txt new file mode 100644 index 0000000..b534584 --- /dev/null +++ b/input/test/Test3317.txt @@ -0,0 +1,34 @@ +Bodies of missing wife, daughters found in Colorado 2018-08-16T08:05:05Z 2018-08-17T06:20:10Z The man's pregnant wife, 34-year-old Shanann Watts, and their two daughters, 4-year-old Bella and 3-year-old Celeste were reported missing Monday. (Source: Watts Family/KDVR/KMGH/CNN) +By KATHLEEN FOODY and JONATHAN DREWAssociated Press +FREDERICK, Colo. (AP) - After his pregnant wife and two daughters disappeared, Christopher Watts stood on his porch in Colorado and lamented to reporters how much he missed them. +He longed for the simple things, he said, like telling his girls to eat their dinner and gazing at them as they curled up to watch cartoons. +"Last night, I had every light in the house on. I was hoping that I would just get ran over by the kids running in the door, just barrel-rushing me, but it didn't happen," he told Denver TV station KMGH. +On Thursday, Watts was in jail after being arrested on suspicion of killing his family, probably before he spoke those words. Authorities did not offer a motive. +The body of 34-year-old Shanann Watts was found on property owned by Anadarko Petroleum, one of the state's largest oil and gas drillers, where Christopher Watts worked, police said. Investigators found what they believe are the bodies of 4-year-old Bella and 3-year-old Celeste nearby on Thursday afternoon. +"As horrible as this outcome is, our role now is to do everything we can to determine exactly what occurred," John Camper, director of the Colorado Bureau of Investigation, said at a news conference in Frederick, a small town on the grassy plains north of Denver, where fast-growing subdivisions intermingle with drilling rigs and oil wells. +Watts, 33, has not been formally charged. A judge ordered him held without bail and told prosecutors to file charges by Monday afternoon. He set a Tuesday hearing to review the case. +As he was escorted into the courtroom, Watts did not speak. He looked down for much of the hearing but made eye contact as the judge reviewed his rights. +Watts's attorney, James Merson of the Colorado State Public Defender's Office, left without commenting to reporters. He did not immediately respond to a voicemail left at his office Thursday by The Associated Press. +A family friend reported Shanann Watts and her daughters missing on Monday, police said. +In his previous interviews with Denver TV outlets, Christopher Watts said his wife of nearly six years returned home about 2 a.m. Monday after a flight for a work trip was delayed. +He said the two had an "emotional conversation" before he left for work a few hours later and that he became concerned after she did not return his calls or texts or those of her friends. He said he came home to an empty house after a friend knocked on the door at noon and got no answer. +Shanann Watts' Facebook account paints a portrait of a happy married life, with a constant feed of photos and videos of friends, relatives and herself. Her comments were typically upbeat, whether she was running errands, playing with her kids or promoting a health program. The couple got married in North Carolina nearly six years ago and moved to Colorado around the same time. +She posted selfies of her and her husband smiling in restaurants, at the ocean on vacation and at their house. On May 5, she wrote: "I love this man! He's my ROCK!" +On June 19, she posted a photo of some texts with her husband after sending him a picture of a sonogram. He replied that he loved the baby already. She posted: "I love Chris! He's the best dad us girls could ask for." +Her page has photo collages and video slide shows praising Chris Watts, describing how their love was growing stronger and how he gave her the strength to have a third child. +The couple's 2015 bankruptcy filing captures a picture of a family caught between a promising future and financial strain. The filing estimated that they had the same range of assets as liabilities, according to court records. +At the time, Christopher Watts worked for Anadarko, earning about $61,500 a year as an "operator." His wife was working at a call center at a children's hospital, making about $18 per hour. Combined, they earned $90,000 in 2014. +But they also had tens of thousands of dollars in credit card debt, along with some student loans and medical bills - for a total of $70,000 in unsecured claims on top of a sizable mortgage. +A spokeswoman for the oil company said Christopher Watts was fired Wednesday, but she declined to provide any details, citing the active investigation. +Shanann Watts was one of the first customers to visit Ashley Bell's tanning salon in nearby Dacona two years ago. The two women quickly became friends, and before long they were texting or calling each other almost daily. Their daughters also played together during salon visits. +On Thursday, Bell and her family added several items to a memorial of stuffed toys, candles and flowers on the lawn of the Watts family home. +Bell said she never detected that anything was wrong between Shanann and her husband. Bell also got to know Christopher Watts and described him as a loving father. +"I just don't understand it," she said, reaching out to accept a flower that her daughter picked from a nearby lawn. +Shanann worked from home as a saleswoman for a freeze-dried food company and took her two girls everywhere, Bell said. +"She was always about her girls," Bell said. "She would do anything for her girls." +One day she came into the salon and announced that she couldn't tan for a while, then grinned and confirmed she was pregnant. +Shanann's father, Frank Rzucek, said on Facebook that the family did not want to talk to the media. +___ +Drew reported from Raleigh, North Carolina. Associated Press writers Colleen Slevin in Denver and Michelle A. Monroe and Courtney Bonnell in Phoenix and researcher Jennifer Farrar in New York contributed to this report. +___ +This story has been corrected to show Shanann Watts' first name was misspelled in some references. Copyright 2018 The Associated Press. All rights reserved. This material may not be published, broadcast, rewritten or redistributed \ No newline at end of file diff --git a/input/test/Test3318.txt b/input/test/Test3318.txt new file mode 100644 index 0000000..ab6c3dc --- /dev/null +++ b/input/test/Test3318.txt @@ -0,0 +1,7 @@ +Global Cataract Surgery Devices Market Research Report 2018 » Hyaluronic Acid-based Biomaterials Market Professional Survey Report 2018 +This report studies the Hyaluronic Acid-based Biomaterials Market status and outlook of global and major regions, from angles of players, regions, product and end Application/industries; this report analyzes the top players in global and major regions, and splits the Hyaluronic Acid-based Biomaterials market by product and Application/end industries. +This report studies the global Hyaluronic Acid-based Biomaterials market status and forecast, categorizes the global Hyaluronic Acid-based Biomaterials market size (value & volume) by manufacturers, type, application, and region. This report focuses on the top manufacturers in North America, Europe, Japan, China, India, Southeast Asia and other regions (Central & South America, and Middle East & Africa). +Download FREE Sample of this Report @ https://www.24marketreports.com/report-sample/global-hyaluronic-acidbased-biomaterials-2018-916 +Hyaluronic acid-based biomaterials, is a carbohydrate, more specifically a mucopolysaccharide occurring naturally throughout the human body. It is found in the highest concentrations in fluids in the eyes and joints. It has been used in a wide range of orthopedic injections, ophthalmic solutions, viscoelastic injections for ophthalmic surgery, cosmetic fillers, surgical anti-adhesion products, skin care products and food supplements. The Hyaluronic Acid-based Biomaterials market has been increased in accordance with the economy development and the higher life level of the people. Meanwhile, the safety awareness is an important factor of the increase of the industry. With the fierce competition of the market, the manufacturers should make better sure that their product with high performance and quality, with the good services level. Following the market trends, access to greater competitive advantage, concerning more on their R&D and services to get a bigger market share. There are a wide variety of companies that produce Hyaluronic Acid-based Biomaterials, and each brand has their own unique pros and cons. While it can be a bit laborious reading up on all of them, having so many options is a good thing because it most likely means that there is a product out there that fits our exact wants and needs. +The global Hyaluronic Acid-based Biomaterials market is valued at 190 million US$ in 2017 and will reach 240 million US$ by the end of 2025, growing at a CAGR of 3.0% during 2018-2025. +The major manufacturers covered in this report Kewpi \ No newline at end of file diff --git a/input/test/Test3319.txt b/input/test/Test3319.txt new file mode 100644 index 0000000..d590424 --- /dev/null +++ b/input/test/Test3319.txt @@ -0,0 +1,12 @@ +'Hacky Hack Hack': Australia Teen Breaches Apple's Secure Network By AFP on August 17, 2018 Tweet +A schoolboy who "dreamed" of working for Apple hacked the firm's computer systems, Australian media has reported, although the tech giant said Friday no customer data was compromised. +The Children's Court of Victoria was told the teenager broke into Apple's mainframe -- a large, powerful data processing system -- from his home in the suburbs of Melbourne and downloaded 90GB of secure files, The Age reported late Thursday. +The boy, then aged 16, accessed the system multiple times over a year as he was a fan of Apple and had "dreamed of" working for the US firm, the newspaper said, citing his lawyer. +Apple said in a statement Friday that its teams "discovered the unauthorised access, contained it, and reported the incident to law enforcement". +The firm, which earlier this month became the first private-sector company to surpass US$1 trillion in market value, said it wanted "to assure our customers that at no point during this incident was their personal data compromised". +An international investigation was launched after the discovery involving the FBI and the Australian Federal Police, The Age reported. +The federal police said it could not comment on the case as it is still before the court. +The Age said police raided the boy's home last year and found hacking files and instructions saved in a folder called "hacky hack hack". +"Two Apple laptops were seized and the serial numbers matched the serial numbers of the devices which accessed the internal systems," a prosecutor was reported as saying. +A mobile phone and hard drive were also seized whose IP address matched those detected in the breaches, he added. +The teen has pleaded guilty and the case is due to return to court for his sentencing next month \ No newline at end of file diff --git a/input/test/Test332.txt b/input/test/Test332.txt new file mode 100644 index 0000000..218aba1 --- /dev/null +++ b/input/test/Test332.txt @@ -0,0 +1,6 @@ +Google withdrew its search engine from China eight years ago due to censorship and hacking. Hundreds of Google employees have signed a protest letter over the company's reported work on a censor-friendly search engine to get back into China, The New York Times said. The employees are demanding more transparency so they can understand the moral implications of their work, said the Times, which obtained a copy of the letter. +It has been signed by 1,400 employees and is circulating on the company's internal communications system, the newspaper said, quoting three people who are familiar with the document. The letter argues that the search engine project and Google's apparent willingness to accept China's censorship requirements "raise urgent moral and ethical issues". +"Currently we do not have the information required to make ethically-informed decisions about our work, our projects, and our employment," they say in the letter, according to the Times. Employee anger flared with a report earlier this month in The Intercept that Google is secretly building a search engine that will filter content banned in China and thus meet Beijing's tough censorship rules. +Google withdrew its search engine from China eight years ago due to censorship and hacking. The new project is said to be code named "Dragonfly". The tech giant had already come under fire this year from thousands of employees who signed a petition against a USD 10-million contract with the US military, which was not renewed. +With the secret project, Google employees are reportedly worried that they might unknowingly be working on technology that could help China hide information from its people. "We urgently need more transparency, a seat at the table, and a commitment to clear and open processes: Google employees need to know what we're building," the protest letter says, according to the Times. +At a townhall gathering of employees on Thursday, Google CEO Sundar Pichai said the firm was committed to transparency, and that while it was "exploring many options", it was "not close to launching a search product in China," the Financial Times reported, citing a person present at the meeting \ No newline at end of file diff --git a/input/test/Test3320.txt b/input/test/Test3320.txt new file mode 100644 index 0000000..9e00f7c --- /dev/null +++ b/input/test/Test3320.txt @@ -0,0 +1,5 @@ +KidTreasures.com About KC Kids Fun +KC Kids Fun was created in early 2008 by two friends who found themselves in the early stages of parenting. When they couldn't find something that met their needs (an unbiased, comprehensive directory-driven site chock full of things to do), they built it. The initial incarnation of this website received such an amazing response, first from friends and then from strangers, that they immediately began to think a little bit bigger. +Founded by local moms Kiran Chandra and Kate McKinney — the site is now owned by KC Kids Fun team members Jane Martin and Scott Schaper . Scott has been part of the team since 2009, and Jane since 2013. Jane Martin Jane is a working mom whose passion is to help other parents and grandparents enjoy all that Kansas City has to offer. As a mother of two, she understands the limited amount of time parents have to get out and enjoy life with their kids. Jane became the voice of KC Kids Fun in 2013. Her goal in life is to take full advantage of all that our great city has to offer her family…especially if that means getting her kids off of screens! Scott Schaper Scott is the owner and founder of The Unravel Corporation, a digital marketing agency focused on Content Strategy. Through his work at Unravel, Scott began working with Kiran and Kate in the early stages of the site development. He is an active member in Kansas City's marketing sector, and is well known for helping hundreds of businesses align their technological footprint with their brand. An alumnus of University of Kansas, Scott enjoys spending time with his wife and two sons, cycling, hiking, cooking, and live music. +KCKidsFun.com was originally created to help families track down kid-friendly activities in Kansas City, and remains one of the most popular local sites of its kind. As parents, we want to make it easy for you to find just the right activity for your family. We hope this helps you explore all that Kansas City has to offer your family. +Contact KC Kids Fun with questions or to share information about a new family-friendly place or event around town. We look forward to hearing from you. Share Thi \ No newline at end of file diff --git a/input/test/Test3321.txt b/input/test/Test3321.txt new file mode 100644 index 0000000..fc88675 --- /dev/null +++ b/input/test/Test3321.txt @@ -0,0 +1 @@ +Reblog The teenager broke into Apple's mainframe -- a large, powerful data processing system -- from his home in the suburbs of Melbourne, multiple times over a year as he was a fan of Apple and had "dreamed of" working for the US firm, his lawyer was cited as s More A schoolboy who "dreamed" of working for Apple hacked the firm's computer systems, Australian media has reported, although the tech giant said Friday no customer data was compromised. The Children's Court of Victoria was told the teenager broke into Apple's mainframe -- a large, powerful data processing system -- from his home in the suburbs of Melbourne and downloaded 90GB of secure files, The Age reported late Thursday. The boy, then aged 16, accessed the system multiple times over a year as he was a fan of Apple and had "dreamed of" working for the US firm, the newspaper said, citing his lawyer. Apple said in a statement Friday that its teams "discovered the unauthorised access, contained it, and reported the incident to law enforcement". The firm, which earlier this month became the first private-sector company to surpass US$1 trillion in market value, said it wanted "to assure our customers that at no point during this incident was their personal data compromised". An international investigation was launched after the discovery involving the FBI and the Australian Federal Police, The Age reported. The federal police said it could not comment on the case as it is still before the court. The Age said police raided the boy's home last year and found hacking files and instructions saved in a folder called "hacky hack hack". "Two Apple laptops were seized and the serial numbers matched the serial numbers of the devices which accessed the internal systems," a prosecutor was reported as saying. A mobile phone and hard drive were also seized whose IP address matched those detected in the breaches, he added. The teen has pleaded guilty and the case is due to return to court for his sentencing next month \ No newline at end of file diff --git a/input/test/Test3322.txt b/input/test/Test3322.txt new file mode 100644 index 0000000..e44a954 --- /dev/null +++ b/input/test/Test3322.txt @@ -0,0 +1,32 @@ +17/08/2018 - 11:21:00 Back to Ireland Home +By Louise Walsh +Experts at an archaeology field school in Trim, Co Meath have uncovered almost 30 skeletal remains of infants, many of whom they believe were buried there up until the early 20th century because they weren't baptised. +The experts at the Black Friary Field School say the remains of the tiny infants date back as far as medieval times - but they can date some after the Friary was demolished in the 18th century because the little bodies were interred in the rubble. +The little tots amount to some of the 130 remains of adults, children and infants found on part of the six-acre site where the graveyard had a long history of use, even after the medieval Dominican Friary was knocked. +"While the discoveries of the medieval burials were expected, the later infant burials were not and were emotional for archaeologists on site", according to principal investigator Finola O'Carroll. +"It was heartbreaking to discover these tiny remains among the rubble of the former Friary," she said. +"Many of the remains dated back to medieval times but we think those buried after the Friary was demolished in 1760 were babies who were stillborn or who died before they were christened and couldn't be buried on consecrated soil. +Blackfriary Archaeology Field School +"We think these burials occurred here right up to the early or mid-1900s. +"Often, as well poverty had a part to play and babies were buried in the middle of the night because parents simply couldn't afford funeral costs. It's extremely sad." +All the remains found have been sent to be curated for research but Finola hopes they will be reinterred on the site again in the future. +Finola has been working on the dig since 2010 on one of the largest Dominical Friaries in Ireland which has attracted hundreds of students from all over the world who stay in Trim for four weeks to help excavate the site. +Over sixty students from Italy will land in Trim next month and each year, students from the Ohio State University in the US arrive for a cultural experience on the Friary, which was built in 1263 A post shared by Blackfriary Archaeology Fields (@blackfriaryarchaeofieldschool) on Jun 28, 2018 at 10:06am PDT +Other finds thrown up during excavation works include pottery fragments, pieces of chain mail, metal, nails and stained glass. +"Very fortunately, the stained glass which is very delicate and other finds are being conserved in the University of Cardiff by students as part of a degree in conservation," said Finola. +All other discoveries will be deposited with the National Museum, including remnants of Purbeck marble which indicates that it was an elaborately decorated Friary. +"Geoffrey De Geneville was the governor of the town at the time and was married to Matilda De lacy, the great granddaughter of Hugh De Lacy," she continued. +"Purbeck marble was very fashionable at the time and the King of England had two cloisters decorated in it so we think Geoffrey flattered the King by having the Cloister of the Friary built of it. +"It is a very elaborate Friary and one train of thought is that Geoffrey retired here to private apartments which is why the place was so big and so embellished. +In the 1750s, there was a building boom in Ireland and the Friary, which was no longer used, was demolished to use the building stone for other projects. All that was left was rubble. +And speaking of rubble, Finola and her colleagues found themselves wading through a rubbish tip when they first moved onto the site eight years ago. +"People had forgotten the significance of the site and the burial grounds as living memory faded and the field had turned into a dumping ground and place for anti-social behaviour. +"We had to remove old bicycles mattresses, prams, toys, beds, even parts of old cars. We worked on the site and landscaped and fenced and built stone walls and even local teenagers built a community garden. +"We had great help from Meath Co. Council who own the site through a Gateway Project. +"Now families sit around picnic tables for lunch and although it's still a working project with plans for more improvements, it's transformed from what it once was." +Finola O'Carroll +The Black Friary Archaeology Field School will hold a community archaeological excavation until August 27 (closed on August 20) from 10am to 4.30pm as part of heritage month. +The dig is open to all over 18 years of age and there will be a medieval family day on 18th August, complete with a mock dig, for children accompanied by an adult. +"During the dig we'll be uncovering sections of the gardens and exploring the bits and pieces relating to the lives of the friars which are still contained in the soil. +"Participants will be shown to trowel, sieve the soil for finds, wash animal bone and pottery and even document the finds." +Further information can be found at www.bafs.ie and the event is supported by Meath Co. Council. Blackfriary Archaeology Fields (@blackfriaryarchaeofieldschool) on Jul 10, 2018 at 4:15am PD \ No newline at end of file diff --git a/input/test/Test3323.txt b/input/test/Test3323.txt new file mode 100644 index 0000000..fa9e0c2 --- /dev/null +++ b/input/test/Test3323.txt @@ -0,0 +1,2 @@ +RSS Mining Crusher Market Trends by 2025: Top Players Like FLSmidth, Sturtevant, CITIC HIC, Metso, Sandvik, Terex, Komatsu, Weir The Mining Crusher market report defines all important industrial or business terminologies. Industry experts have made a conscious effort to describe various aspects such as market size, share and growth rate. Apart from this, the valuable document weighs upon the performance of the industry on the basis of a product service, end-use, geography and end customer. +New York, NY -- ( SBWIRE ) -- 08/17/2018 -- Top key vendors in Mining Crusher Market include are Metso, Sandvik, Terex, Komatsu, Astec Industries, Weir, Hitachi Construction Machinery, Atlas Copco, Wirtgen Group, Parker Plant, FLSmidth, ThyssenKrupp, Hartl Crusher, Shanghai Shibang Machinery (SBM), Dragon Machinery, Eagle Crusher, McLanahan, Sturtevant, Liming Heavy Industry, SHANBAO, Henan Hongxing, Shanghai SANME, Shanghai Shunky, CITIC HIC, Shuangjin Machinery, Northern Heavy Industries, Donglong Machinery, Henan HXJQ, Xingyang Mining Machinery, Chengdu Dahongli. You Can Download FREE Sample Brochure @ https://www.marketexpertz.com/sample-enquiry-form/16312 The recent report, Mining Crusher market fundamentally discovers insights that enable stakeholders, business owners and field marketing executives to make effective investment decisions driven by facts – rather than guesswork. The study aims at listening, analyzing and delivering actionable data on the competitive landscape to meet the unique requirements of the companies and individuals operating in the Mining Crusher market for the forecast period, 2018 to 2025. To enable firms to understand the Mining Crusher industry in various ways the report thoroughly assesses the share, size and growth rate of the business worldwide. The study explores what the future Mining Crusher market will look like. Most importantly, the research familiarizes product owners with whom the immediate competitors are and what buyers expect and what are the effective business strategies adopted by prominent leaders. To help both established companies and new entrants not only see the disruption but also see opportunities. In-depth exploration of how the industry behaves, including assessment of government bodies, financial organization and other regulatory bodies. Beginning with a macroeconomic outlook, the study drills deep into the sub-categories of the industry and evaluation of the trends influencing the business. Purchase Mining Crusher Market Research Report@ https://www.marketexpertz.com/checkout-form/16312 On the basis of the end users/applications, this report focuses on the status and outlook for major applications/end users, consumption (sales), market share and growth rate for each application, including - Metal Mining - Coal Mining - Others On the basis of product, this report displays the production, revenue, price, and market share and growth rate of each type, primarily split into - Jaw Crushe \ No newline at end of file diff --git a/input/test/Test3324.txt b/input/test/Test3324.txt new file mode 100644 index 0000000..b25139f --- /dev/null +++ b/input/test/Test3324.txt @@ -0,0 +1 @@ +− ''See also'' '''[[Health libraries]]''' | '''[[Media theory applied to information age]]''' | '''[[Top Social Media Sites in Medicine]]''' | '''[[Utopia Documents]]''' − '''Cool tools for busy health librarians''' was a proposal for a continuing education (CE) workshop for the [http://www.chla-absc.ca/2009/ CHLA/ABSC Conference] in Winnipeg, Manitoba. Unfortunately, due to a lack of interest, the workshop was never delivered. During the planning of the workshop, this entry was used as the instructors' space for planning and exploration. Health librarians track new advances in medical evidence, particularly research that has an immediate impact on the provision of clinical care or in the delivery of library and information services. In the digital age, finding the evidence in a timely way may seem impossible due to the constant deluge of information. − There may be help ahead with this continuing education course on ''cool tools''. In a highly-interactive and casual 'hands-on' environment, two working health librarian bloggers will lead you through a range of information technologies that can be used to enrich the web experience or deliver information ''at-point-of-care''. Through demonstration and discussion, we explore some of today's most useful Internet tools that can be used to manage and organize the information you (or your users) need to stay current. A digital sandbox will be provided after the workshop to help participants learn more about ''Cool tools'' into the future \ No newline at end of file diff --git a/input/test/Test3325.txt b/input/test/Test3325.txt new file mode 100644 index 0000000..c6decfa --- /dev/null +++ b/input/test/Test3325.txt @@ -0,0 +1 @@ +Musk's SpaceX could help fund take-private deal for Tesla: NYT Get link Elon Musk's rocket company, SpaceX, could help fund a bid to take electric car company Tesla Inc private, the New York Times reported on Thursday, quoting people familiar with the matter. from Reuters: Technology News https://ift.tt/2OGKG9a March 14, 2018 Below is a compiled list of some available tech job vacancies for you this week. Follow the instructions specified for each role to apply. Digital Marketer/Social Media Associate at Kynox Technologies Job type : Internship Location : Ibadan Application deadline : April 30, 2018 ResponsibilitiesGrow organic social media reach and online audience engagement in NigeriaCreate, Implement and translate marketing and PR strategies to social mediaConceptualise, brainstorming and creating engaging, informative, relevant and viral-worthy content across social media handles and blogsContribute to content and script development for social media videos and product reviewsPost on social media channelsInteract with the company's online community RequirementsB.Sc/HND in Communications, Journalism, Marketing or any other social science degreeCopy-writing experience a plusGood knowledge of the Entertainment IndustryPassion for social media and ability to research and keep up with evolutions How to apply : Int… Daimler AG on Wednesday said it will add battery manufacturing capabilities to its Mercedes-Benz plants in Sindelfingen and Untertuerkheim, as the carmaker seeks to transition from combustion to electric cars. from Reuters: Technology News https://ift.tt/2uKaGZV February 06, 2018 I could go on and on about science, technology, engineering and mathematics (STEM) careers. How job openings are predicted to soar to over one million by 2020 . How the U.S. government is freaking out that students aren't prepared . But I won't. Because, frankly, this guide to STEM opportunities is for you: You're going to take the first step on Mars.You're going to plant farms on skyscrapers.You're going to discover a cure for cancer. Nuclear fusion. Virtual reality. Clean water for all. With the world facing 14 Grand Challenges for Engineering , your interest in math and science is set to pay off—big time. You'll be the one using your problem-solving skills to find answers to impossible challenges.You'll be the scientist leading an exploration of the Mariana Trench or the engineer building a next-generation robot.You'll be the graduate finding a great job and earning a hefty salary. It's your life. Know that amazing things are possible. STEM Fun for Kids Grades K-12 Cool STEM Websites As… March 16, 2018 When and where is it on? The AI Conference & Exhibition is taking place on the 18-19th April at London's Olympia from 9am until 5pm on both days. Attendees can expect to see a showcase of next generation technologies and strategies from the world of Artificial Intelligence , providing an opportunity to explore and discover the practical and successful implementation of AI to drive forward your business in 2018 and beyond. The AI Expo Global will bring together AI leaders from key industries covering marketing, finance, government, public sector, healthcare, cyber security, HR & recruitment, automotive, industrial, developer, enterprise and consumer sectors. How many years has it been going? This is the second year of the AI Expo World Series, we are excited as we have seen huge growth throughout last year, we already have over 12,000 attendees registered for our London show in April. Our North America show last November (29-30th) welcomed over 10,500 attendees over both days. Yo… February 13, 2018 There's a famous quote by Albert Einstein: "Logic will take you from A to B. Imagination will take you everywhere." I think this sums up the biggest challenge that we have today with innovation in India. Children are extremely imaginative, but as they grow, imagination dies as people struggle to conform. Growing up, my father always encouraged me to ask questions and challenge status quo. I believe that a healthy dialogue is crucial to build a culture of innovation. If we look at world history, the path breaking innovations we see today have been the direct result of people going against the tide and daring to ask questions. There are five barriers to innovation, perceptual, emotional, cultural, intellectual and environmental. There's a saying in Kannada, which when loosely translated means a poet's eyes can see what even the Sun cannot see; a drunkard can see what even the poet cannot see. Any situation doesn't just depend on the external factors but also on your own mental beliefs. … February 11, 2018 Low-code tools are making it easier for citizen developers to create custom business apps that improve productivity and agility. But do they put an organization at risk? Business users have traditionally relied on IT personnel who can write code or manage complex administration tools to build, configure, and modify applications for their specific needs. However, faced with an increasing number of projects and the shrinking number of available developers, IT departments are forced to establish a cut line. As a result, many valid project requests from business units never see the prioritization light of day. Some companies have responded by teaching their non-technical personnel to code. This do-it-yourself development theme is being catered to by a slew of software vendors under the moniker of "citizen developer"— employees without formal programming training or experience who create apps outside of IT. With minimal coding skills, the thinking goes, non-technical knowledge workers ca… February 16, 2018 ( Reuters ) — One of Walmart's best chances at taking on Amazon.com in ecommerce lies with six giant server farms, each larger than ten football fields. These facilities, which cost Walmart millions of dollars and took nearly five years to build, are starting to pay off. The retailer's online sales have been on a tear for the last three consecutive quarters, far outpacing wider industry growth levels. Powering that rise are thousands of proprietary servers that enable the company to crunch almost limitless swathes of customer data in-house. Most retailers rent the computing capacity they need to store and manage such information. But Walmart's decision to build its own internal cloud network shows its determination to grab a bigger slice of online shopping, in part by imitating Amazon's use of cloud-powered big data to drive digital sales. The effort is helping Walmart to stay competitive with Amazon on pricing and to tightly control key functions such as inventory. And it is allowing … March 12, 2018 Battlerite is a Multiplayer Online Battle Arena game (MOBA) you might not expect us to cover here on UploadVR, but it's actually making headlines for the second time. Last week the game's developer Stunlock Studios launched its new CamCrew spectator mode . It allows viewers to watch matches unfold in real-time. More importantly, though, the option allows you to put on an Oculus Rift or HTC Vive and watch live matches or replays come to life inside your headset, much like the DOTA 2 VR spectator mode Valve added to its hit MOBA a few years ago. Better yet, a built-in video renderer allows you to create your own clips from battles with your control over the camera putting you in the director's chair. "CamCrew is really a whole new way of working with cinematography in digital media," Stunlock's Head of VR Tobias Johansson said in a prepared statement. "It empowers single users to create content almost in real time that could rival any big production studio with animators and expensive e… March 18, 2018 DOES the possibility of C-3PO standing by the side of your hospital bed, his gold metal fingers operating on your heart, fill you with dread or with hope? What about the idea of sitting down on the psychologist's couch with Data to talk through your feelings, or getting Wall-E to help look after your elderly parents in a nursing home? It may sound far-fetched, but there are those within the medical profession who say the role of doctor or surgeon could one day be close to redundant, overtaken by forms of artificial intelligence (AI) that can diagnose and treat illness and injury better than any human medical professional could. This new reality could be just a decade or two away. In fact, in many areas of the healthcare system, the rise (and rise) of AI has already begun. STATE OF PLAY AS A world-renowned AI scientist, University of New South Wales professor Toby Walsh has likely had to say, "Don't panic!" on a regular basis recently. "I don't think there's going to be a shortage of d†\ No newline at end of file diff --git a/input/test/Test3326.txt b/input/test/Test3326.txt new file mode 100644 index 0000000..2437e5a --- /dev/null +++ b/input/test/Test3326.txt @@ -0,0 +1,29 @@ +print +DAYTONA BEACH, Fla. - There are few tracks on the schedule where one driver dominates the way Kyle Busch has at this week's venue, Bristol Motor Speedway. +Last year Busch swept all three NASCAR Fall races at the track - from the Monster Energy NASCAR Cup Series to the Xfinity and Camping World Truck Series. It was an extraordinary and historic accomplishment. He has 21 Bristol wins in all - seven in Cup, nine in Xfinity and five in trucks - a total best among all active drivers. +But this weekend, Busch is curtailing his effort to the Xfinity and Cup races - primarily he has his sights set on Saturday night's Bass Pro Shops/NRA Night Race (at 7:30 p.m. ET on NBCSN, PRN, SiriusXM NASCAR Radio). +In an amazing season of what often feels like, "tag-you're-it" among the Monster Energy Series' Big 3 - Busch, Kevin Harvick and Martin Truex Jr. - there is ample reason to believe in Busch's great motivation to keep matching Harvick's victories. Harvick scored his seventh win of the season last week at Michigan, Busch has six wins on the year. Truex has four. +And yet as motivated as these drivers are to carry on a season-for-the-ages, there are also a couple competitors still racing for their Playoff lives. With three races remaining to set the Playoff field, Alex Bowman currently holds the final transfer position - with a 62-point advantage over Ricky Stenhouse Jr. Paul Menard is 70-points behind Bowman and Daniel Suarez is 82-points back. +Looking at the three challengers there is reason to understand their cautious optimism in the final three-race push for Playoff contention. +Stenhouse is the best among them at this week's stop at the half-mile Bristol bullring. He has six top-10 finishes in 11 starts and four of them are top-fives. Twice he has finished runner-up (Fall of 2016, Spring of 2014). He was fourth this spring. Daniel Suarez has never finished in the top-10 in three Bristol starts, but he led five laps and finished 11th there in April - a career-best. Menard has six top-10s and a solo top-five finish at Bristol. He's led a respectable 104 laps there, but been out front for only four laps in his last nine races there. +The track "Too Tough to Tame," Darlington Raceway certainly lives up to its name when it comes to these three drivers. None of them have a top-five or top-10 there. Stenhouse, driver of the No. 17 Roush-Fenway Racing Ford, was 29th in the race last year. Menard's best finish in 11 starts is 13th - six years ago. And Suarez, driver of the No. 19 Joe Gibbs Racing Toyota, crashed out of his only start last year, finishing 38th. +No doubt, Menard has Indy circled on his NASCAR schedule every year. It is the only venue he has won a Cup race - earning the 2011 victory. The driver of the No. 21 Woods Brothers Ford has only two top-10s in 11 starts. Of his 22 total laps led at Indianapolis Motor Speedway - 21 of them came in his win. +Suarez finished seventh in his only start at Indy last year. Stenhouse is still looking for his first top-10. In five starts, his best effort was 12th in 2016. He crashed out last year and finished 35th. +TOP OF THE HEAP +The NASCAR Xfinity Series is in the midst of such a competitive season that five drivers are still challenging for the regular season title and valuable 15 playoff points that goes to the very top of the standings. +Rookie Christopher Bell, a four-time winner, holds a 17-point edge over perennial championship favorite Elliott Sadler and fan favorite Daniel Hemric. Cole Custer in 19 points behind and three-race winner Justin Allgaier is 20-points behind Bell. +It all could make for an especially action-packed Bristol Motor Speedway Friday night. Of those contenders, Sadler boasts two wins. Bell finished 29th in his Bristol debut earlier this season. Custer won the pole position this spring and has top-10 finishes in two of his three Bristol starts. +TRUCKS CROWN REGULAR SEASON CHAMP TONIGHT +As if Camping World Truck Series racing wasn't exciting enough at the Bristol Motor Speedway "bullring," Thursday night's regular season cap, the UNOH 200 will officially set the Playoff field and crown the regular season champion. +Two-time series champion and four-time 2018 race winner Johnny Sauter needs only to take the green flag (8:30 p.m. ET on FOX, MRN, SiriusXM NASCAR Radio) to officially earn regular season top honors. +But the veteran is wisely preparing himself for the bigger picture - there's a championship trophy to hoist following the Nov. 16 season-finale at Homestead-Miami Speedway. And the competition for that podium is as intense as it's ever been. +Brett Moffitt collected his fourth victory of the season last weekend in Michigan to tie Sauter's regular season trophy haul. He will be second when the Playoff points are reset for the opening round of the postseason, Aug. 26 on the Canadian Tire Motorsports Park road course. +Sauter will earn a 15-point bonus for winning the regular season and points will be distributed in a waning order throughout the top of the standings. +"We've had a great season to this point, and we're really proud of what we've accomplished," the 26-year old Moffitt said. "I've said all year we don't have the most people or the most equipment, but [crew chief] Scott [Zipadelli] and our entire team has made the most of what we do have. To have four wins is great, but there's a bigger prize out there and that's where our focus is." +Sauter, 40, and Moffitt certainly are motivated to win the regular season finale and make a strong statement as the Playoffs begin. +Sauter won three of his races in a four-week span early in the season and has five top-10s in the seven races since his last win at Texas in April. He was runner-up to Moffitt last weekend in Michigan in the No. 21 GMS Racing Chevrolet. He's winless in 10 Bristol truck starts with a best showing of runner-up in 2011. He has finished top-10 in the last five races there, however. +Moffitt has won two of the last five races in the No. 16 Hattori Motorsports Toyota. He's only competed in one truck series race at Bristol and finished runner-up in 2016. +Monster Energy NASCAR Cup Series Next Race: Bass Pro Shops/NRA Night Race The Place: Bristol Motor Speedway (Bristol, Tenn.) The Date: Saturday, Aug. 18 The Time: 7:30 p.m. ET TV: NBCSN Radio: PRN, SiriusXM NASCAR Radio Distance: 266.5 miles (500 laps); Stage 1 (Ends on lap 125), Stage 2 (Ends on lap 250), and Final Stage (Ends on lap 500) What to Watch For: In the last three Bristol races, Jimmie Johnson has scored the most points. He won there in 2017 and his 19 top-10s is most among drivers entered this week. ...Since 2003, eight drivers have won multiple times at Bristol, including defending race winner Kyle Busch (seven), his older brother Kurt Busch (five), Matt Kenseth (four), Carl Edwards (four), Johnson (two), Kevin Harvick (two), Brad Keselowski (two) and Joey Logano (two). ... Logano is the last driver to win in a Ford (Fall, 2015). It is Ford's only win in the last seven Bristol races. Toyota has four wins in that span, Chevy has two. ... Kyle Busch's 2,233 laps led at Bristol is more than double that of any other driver entered this weekend. Johnson is next on the list with 886. ... Logano leads all drivers in average starting position (7.737) at the track. He and Erik Jones are the only two active drivers to earn their career first pole positions at Bristol. ...Denny Hamlin and Ryan Newman lead all active drivers with three pole positions each at Bristol. ...The deepest in the field a winner has started is 38th by Elliott Sadler in 2001. ... The polesitter has won at Bristol 21 times, making that first starting spot the winningest starting spot. ... Kevin Harvick leads this week's field with five runner-up finishes. ...Two of Kyle Busch's wins represent the two closest margins of victory in Bristol Cup race history. He beat Jeff Burton by .064-second in March, 2007 marking the closest finish ever. He beat Mark Martin by .098-second in August of 2009. +NASCAR Xfinity Series Next Race: Food City 300 The Place: Bristol Motor Speedway (Bristol, Tenn.) The Date: Friday, Aug. 17 The Time: 7:30 p.m. ET TV: NBCSN Radio: PRN, SiriusXM NASCAR Radio Distance: 159.9 miles (300 laps); Stage 1 (Ends on lap 85), Stage 2 (Ends on lap 170), and Final Stage (Ends on lap 300) What to Watch For: With five races remaining to set the Playoff field, Ross Chastain holds on to the final transfer spot. He is 49 points up on Michael Annett. ... Points leader, series rookie Christopher Bell has a series high four wins in 2018 and second-year Xfinity Series driver Cole Custer has won a series best four pole positions. ...Justin Allgaier, last week's winner, has a series high four runner-up finishes in addition to his three race wins. He has also led the most laps (504) among fulltime Xfinity drivers. .... Custer and Elliott Sadler lead the title chasers with 17 top-10 finishes through the opening 21 races of the year. ... Justin Allgaier has the top Driving Rating (107.2) among fulltime Xfinity drivers at Bristol. ... There will be a good-size Cup presence in Friday night's race. Defending race winner Kyle Busch along with Ty Dillon, Joey Logano, Kyle Larson and Chase Elliott are all entered. ... Hemric has the best Average Finish (5.0 in three starts) at Bristol, followed by Tyler Reddick (9.0 in two starts) and Allgaier (11.5 in 15 starts). +NASCAR Camping World Truck Series Next Race: UNOH 200 The Place: Bristol Motor Speedway The Date: Thursday, Aug. 16 The Time: 8:30 p.m. ET TV: FOX Radio: MRN, SiriusXM NASCAR Radio Distance: 106.6 miles (200 laps); Stage 1 (Ends on lap 55), Stage 2 (Ends on lap 110), and Final Stage (Ends on lap 200) What to Watch For: This is the regular season finale and will set the eight driver series Playoff field. ... There are currently six winners that have automatically earned Playoff positions. ... Veteran and two-time series champion Matt Crafton is still looking for his first victory of the season. He has not had a winless season since 2012. ... Two of the series most promising young talents, rookies Myatt Snider and Todd Gilliland may be considered wildcards for this weekend's Bristol race. Neither would qualify for the Playoffs based on their current points positions, but both are candidates to win this weekend and both are making their series debut at the track. Gilliland is coming off a season best fifth-place at Michigan. And Snider's last top-10 came at Chicago, five races ago. ... Harrison Burton is entered this weekend - his first series race since Iowa, where he won the pole position and finished third. He has three top-10 finishes in as many races this year. ... Stefan Parsons, son of FOX commentator Phil Parsons, will make his series debut this week driving the No. 15 Chevrolet for Premium Motorsports. ... Chevrolet leads the manufacturer standings by three-points over Toyota. +--- NASCAR Wire Service --- Facebook Messenger ABOUT COOKIES To help make this website better, to improve and personalize your experience and for advertising purposes, are you happy to accept cookies and other technologies? Ye \ No newline at end of file diff --git a/input/test/Test3327.txt b/input/test/Test3327.txt new file mode 100644 index 0000000..fe7af2b --- /dev/null +++ b/input/test/Test3327.txt @@ -0,0 +1,18 @@ +Confidence Tells of the Hands +Our hands help tell our stories. +Old scars. Class rings. Emphatic speeches to the masses! Insert rude gesture here! Thumbs Up is a display of confidence. Image "/approve" by hobvias sudoneighm, Flickr, CC-By-2.0 +Before spoken language, our hands described the large monsters in the forest. Hands are used to protect the tribe, signalling for silence. They're used to show gratitude and love. +As a result, we've learned to pay special attention to hands. They're humanity's primary form of communication. They're extremely useful in persuasion. +Because our brain naturally is drawn to watching hands,it's important to understand their tells and gestures. Joe Navarro focuses Chapter 6 of our PRL selection , What Every BODY is Saying , on the hands. +The hands convey social meanings. A firm handshake, for example, means different things in different parts of the world. Some times, a limp handshake is appropriate — other times, maybe a hug. If you're traveling, research the customs. But anywhere you are in the world, Navarro warns us — never put your pointer finger on the other person's wrist! +You increase your persuasiveness when your hands are visible and active. Your hands help to emphasize your points. When your limbic system is active and uninhibited, you're acting with high confidence in your words. +When your hands aren't visible and they're hiding, your body inactive, you may be seen as untrustworthy. Your body appears as if it's in the freeze state, trying to minimize exposure. You appear to have low confidence in the things you say. Don't do that. +Avoid gestures that offend others. Don't flick them off, don't point, don't give them the pinky. +Finally, keep nice looking hands. Don't bite your nails, it's a sign of nervousness and low confidence. I'm still fighting this one! +If your hands get sweaty before a big event, try to calm your nerves — and help others do the same! Remember, as Dr. Schwartz told us in The Magic of Thinking Big , you're just a few important people talking with each other. Or as I frame my 2017 New Years System: Redefine Fear as Excitement. +Hands also lend themselves to displaying comfort and discomfort . Like the rest of the limbic system, hands react in real time to changes in the environment. Remember to always look for a change from the baseline behavior. +Signs of discomfort and low confidence include: Shaking or trembling hands as the body is flooded with adrenaline for the flight or fight responses Folded hands to minimize exposure Hands tucked into pockets Thumbs tucked into one's pockets Stroking or itching of the palms Rubbing your neck +Signs of high confidence include: Steepled fingers are a sign of high confidence. Image "Touch" by Katie Tegtmeyer, Flickr, CC-By-2.0 +Steepled fingers, as if creating a crown with the hands. Steepled fingers behind the head is a very high-confidence display Exposed hands, above the table, not fidgeting Thumbs up displays are examples of gravity defying behavior. When people are excited or feeling good they'll often give the thumbs-up. Folded hands will display their thumbs during good points of a conversation, and hide them at low points. People displaying their thumbs when tucking their hands into pockets display their confidence. Men might frame their genitals as a display of dominance and confidence. Genital Framing is a display of high confidence. Image "Women posing with a cowboy" by simpleinsomnia, Flickr CC-By-2.0 +To increase your own persuasiveness, use these high-confidence tells of the hands. People will respond to your displays of confidence. Your own body will also respond to these actions. As we know, the body and brain affect one another. Forcing your body to posture a specific way will influence your brain to act accordingly. +When reading others, always look for a change from their baseline behavior. Keep an eye out for multiple tells that reinforce one another. Share this \ No newline at end of file diff --git a/input/test/Test3328.txt b/input/test/Test3328.txt new file mode 100644 index 0000000..798aee5 --- /dev/null +++ b/input/test/Test3328.txt @@ -0,0 +1,45 @@ +Babies Born Dependent On Opioids Need Touch, Not Tech By editor • 12 hours ago Related Program: Victoria gave birth to her daughter Lili while in treatment for opioid dependency. Alex Smith / KCUR / Originally published on August 16, 2018 5:54 pm +Dr. Jodi Jackson has worked for years to address infant mortality in Kansas. Often, that means she is treating newborns in a high-tech neonatal intensive care unit with sophisticated equipment whirring and beeping. That is exactly the wrong place for an infant like Lili. +Lili's mother, Victoria, used heroin for the first two-thirds of her pregnancy and hated herself for it. (NPR is using her first name only, because she has used illegal drugs.) +"When you are in withdrawal, you feel your baby that's in withdrawal too," says Victoria, recalling the sensations she remembers from her pregnancy. "You feel your baby uncomfortable inside of you, and you know that. And then you use and then the baby's not [uncomfortable], and that's a really awful, vulgar thought, but it's true. That's how it is. It's terrible." +Though Victoria went into recovery before giving birth, Lili was born dependent on the methadone Victoria took to treat her opioid addiction. Treatment for infants like Lili has evolved, Jackson says. +"What happened 10, 15 years ago, is [drug dependent] babies were immediately removed from the mom, and they were put in an ICU warmer with bright lights with nobody holding them," says Jackson, who is a neonatologist at Children's Mercy Hospital in Kansas City, Missouri. "Of course, they are going to be upset about that! And so the risk of withdrawal is much higher." +Jackson is now heading a statewide effort to get hospitals in Kansas to change their approach to treating neonatal abstinence syndrome, as the condition is formally known. Babies with this condition will scream inconsolably, clench their muscles and often have trouble sleeping. +The treatment Jackson recommends is to keep mothers and their infants together in the hospital, making sure babies are held and comforted--and to provide opioids (in gradually decreasing quantities) to ease withdrawal symptoms until the baby can be weaned off of them. Research shows that this approach is more effective than keeping the baby in the NICU, which is a common practice. +It's estimated that around 2 percent of infants are now born drug dependent, and in areas gripped by the opioid crisis, those numbers are even higher. +The low-tech, high-touch treatment approach that Lili received in the first weeks of her life is one that health experts are encouraging hospitals everywhere to adopt as they grapple with the increasing numbers of infants born with drug dependencies. +Jackson says that, in parts of Kansas, she's starting from scratch. +"Many hospitals have no standard of practice. No standard approach," she says. +But improving outcomes for opioid-dependent babies will clearly require more than just educating hospital staff. +Dr. Elisha Wachman teaches pediatrics at Boston University . She says providing this kind of care can be a big adjustment for hospitals. +"It really depends on the capacity of the hospital and where they house the babies for monitoring," Wachman says. "Some of them don't have room for the mothers to stay with the babies." +Compounding the problem, the matter of exactly what are the "best practices" is far from settled. +For example, new research suggests that for newborns methadone may be a better recovery drug than morphine, which Wachman says is most often used, even though doctors are still unsure about morphine's long-term effects. +"There's very few high-quality clinical trials that have been done in this population of infants," Wachman says. "If you can imagine, this is an incredibly difficult population to study. To do a randomized, controlled trial, for instance, of opiates and neonates is incredibly challenging." +Jackson acknowledges the challenges, but she says establishing consistent practices based on what doctors do know is an important first step toward getting answers. +When Lili was born, Victoria says she did everything she could to help her daughter get healthy in the hospital, with no idea whether the newborn would be taken from her and placed in protective custody. +"I was trying not to be connected with her, because, I thought, they're probably going to take her," Victoria says. "I haven't been clean that long. So I was trying to not, like, be in love with her. But I was so in love with her." Lili is her fourth child. +Victoria continues to show state officials that she is committed to staying off drugs. She has been allowed to raise Lili at Amethyst Place , a recovery home in Kansas City. +Lili is now a 16-month old girl who shares her mother's blonde hair, bright eyes and big smile. Despite her difficult start in life, the toddler is in good health, and her mom has been drug-free for a more than a year and a half. +This story is part of NPR's reporting partnership with KCUR and Kaiser Health News . Alex Smith is a health reporter at KCUR in Kansas, City, Mo. Copyright 2018 KCUR 89.3. To see more, visit KCUR 89.3 . +MARY LOUISE KELLY, HOST: +Today about 2 percent of infants are born drug-dependent. And doctors are rethinking how to care for them, including the way hospitals facilitate mother-infant bonding. From member station KCUR in Kansas City, Alex Smith reports. +ALEX SMITH, BYLINE: When Victoria was pregnant with her fourth child, she was addicted to heroin and hated herself for it. +VICTORIA: If you are in withdrawal, you feel your baby uncomfortable inside of you. And then you use, and then the baby's not. And that's a really awful vulgar, like, thought, but it's true. +SMITH: In her third trimester, Victoria started recovery using methadone. We're using only her first name because she's used illegal drugs. When her daughter Lili was born, the newborn was started on morphine to help ease her withdrawal symptoms like clenched muscles and a high-pitched scream. Victoria was allowed to hold, feed and care for her daughter at the hospital during those first few difficult weeks. The treatment they got is fairly new. Dr. Jodi Jackson treats newborns with critical health problems in the neonatal intensive care unit of Children's Mercy Hospital in Kansas City. +(SOUNDBITE OF BABY CRYING) +SMITH: Jackson explains that a ward like this, armed with high-tech beeping medical monitors, is not where newborns like Lili belong. +JODI JACKSON: What happened 10, 15 years ago is babies exposed were immediately removed from the mom. And they were put in an ICU, in a warmer with bright lights, with nobody holding them. You know, of course they're going to be upset about that. And so the risk of withdrawal is much higher in that situation. +SMITH: Jackson has worked for years to address infant mortality in Kansas and is now heading a statewide effort to get hospitals to use science-based treatment methods for neonatal abstinence syndrome like keeping mothers and infants together in the hospital and providing recovery drugs to reduce withdrawal symptoms. Jackson says she's starting from scratch in many parts of the state where there are no standard treatment approaches, and bias against drug users sometimes keeps mothers and infants apart. +JACKSON: That is probably one of the most damaging approaches that there is because it's not helping the woman and it's not helping the baby. +SMITH: But improving outcomes for opioid-dependent babies will probably take more than just educating hospital staff. Dr. Elisha Wachman teaches pediatrics at Boston University. +ELISHA WACHMAN: It really depends on the capacity of the hospital. Some of them don't have rooms available for the mothers to stay with the babies. +SMITH: And there's still plenty of debate about what is best for these babies. For example, new research suggests that methadone may be a better recovery drug for newborns than morphine, which Wachman says is most often used. But doctors are still unsure about long-term effects. +WACHMAN: There's very few high-quality clinical trials that have been done in this population of infants. If you can imagine, this is an incredibly difficult population to study. +SMITH: Dr. Jackson acknowledges the challenges, but she says establishing consistent practices based on what doctors do know is an important first step. For Victoria and her daughter Lili, staying together in the hospital was key, even though Victoria had no idea what would happen next. +VICTORIA: I was trying not to be connected with her because I thought, they're probably going to take her. You know, I haven't been clean that long. So I was trying to not, like, be in love with her. But that didn't happen. Like, I was so in love with her. +SMITH: But Victoria showed state officials that she was committed to her recovery. She's been allowed to raise her daughter at Amethyst Place, a recovery home in Kansas City. +VICTORIA: (Singing) Patty-cake, patty-cake baker's man... +SMITH: Today, Lili is a 16-month old who shares her mother's blonde hair, bright eyes and big smile - the picture of good health. And her mom has been sober for more than a year and a half. For NPR News, I'm Alex Smith in Kansas City. +KELLY: And this story is part of a reporting partnership with KCUR, NPR and Kaiser Health News. +(SOUNDBITE OF LOWERCASE NOISES' "PASSAGE") Transcript provided by NPR, Copyright NPR. © 2018 KSMU Radi \ No newline at end of file diff --git a/input/test/Test3329.txt b/input/test/Test3329.txt new file mode 100644 index 0000000..276b9b2 --- /dev/null +++ b/input/test/Test3329.txt @@ -0,0 +1,73 @@ +08/17/2018, 05:30am Cook County judge seeking retention had 34 decisions struck down in 6 years +Citing significant errors, the Illinois Appellate Court has overturned Cook County Circuit Judge Maura Slattery Boyle's decisions at a pace far higher than that of other judges. She's seen here in 2012, swearing in Patrick Daley Thompson as a member of the Metropolitan Water Reclamation District board. | Sun-Times files +Subscribe for unlimited digital access.Try one month for $1! +Subscribe for unlimited digital access. Try one month for $1! Subscribe Print subscriber? Jacob Toner Gosselin and Kobi Guillory | Injustice Watch +Thirty-four times in the past six years, the Illinois Appellate Court has upended decisions by Cook County Circuit Judge Maura Slattery Boyle based on her errors, overturning her decisions at a pace far higher than that of other judges. +Slattery Boyle is one of the six Cook County criminal court judges who will be on the ballot in November, seeking retention. The other five have had their verdicts reversed or cases sent back for new hearings a combined total of 38 times during the same period. +Five times, in the interest of impartiality, the appeals court decided Slattery Boyle shouldn't be allowed to hear cases it sent back, handing them to other judges instead. +In three of those cases, the defendants ended up being exonerated. +That's according to a review by Injustice Watch that also found Slattery Boyle imposes harsher sentences than her colleagues. Compared with the 23 other Criminal Division judges who have presided over 1,000 or more cases in the past six years, she issues the most severe sentences, the examination of data released by the Cook County state's attorney's office found. +Slattery Boyle declined an interview request. In a written statement in response to questions, she said the appellate court upheld her rulings in the "vast majority of cases" and defended her sentencing practices. She also said attorneys have asked that her cases be reassigned to another judge only a small percentage of the time — "a clear indicator that defendants, defense attorneys and the state's attorney's office do not view me [as] unfair, harsh or difficult." +Slattery Boyle grew up in Bridgeport, two blocks from the home of the late Mayor Richard J. Daley. She graduated from John Marshall Law School in 1993 and went to work for the state's attorney's office. +In 2000, at 33, she ran for judge with the backing of Cook County Commissioner John Daley, Mayor Richard M. Daley's brother. "I've known her all my life," he said at the time. "She has a very good background." +The alliance of bar associations that rates Cook County judicial candidates has an agreement that it will not rate any candidate favorably who has fewer than 10 years of court experience. Slattery Boyle, who did not seek the endorsement, was given negative ratings. +She won anyway. Six years later, as she was running for retention, Patrick Slattery, her brother, was convicted of fraud for giving city jobs to former campaign workers for then-Mayor Richard M. Daley. +That year, the Chicago Council of Lawyers — one of the bar groups that rates judicial candidates — said Slattery Boyle possessed "good legal ability" and that lawyers praised her for "being even-tempered but firm." +In 2012, the organization again rated her "qualified," saying lawyers praised her for "her improved knowledge of the law, preparedness and diligence, integrity and fairness on the bench." It said, "Attorneys on both sides of the aisle appear to think that she is fair." +In recent years, though, her work has drawn criticism from appellate judges and some defense lawyers. One of them, Jennifer Bonjean, called it "a miserable experience" to be in front of Slattery Boyle, saying, "I knew from the minute we walked in that courtroom we would not get a fair forum." Armando Serrano, José Montañez and Ricardo Rodriguez each was exonerated after their post-conviction petitions were assigned to new judges. | Injustice Watch +Bonjean represented Armando Serrano, who had been convicted along with José Montañez of murder in the 1993 killing of Rodrigo Vargas. The two had been sentenced to 55 years in prison largely on the statement of a supposed eyewitness, who, years later, recanted, saying a disgraced former Chicago police detective, Reynaldo Guevara, had encouraged him to give a false statement. +After the witness recanted, Serrano and Montanez challenged their convictions. At court hearings in 2013, Slattery Boyle sharply restricted the testimony she would allow, then dismissed the case before the hearing was complete, saying their evidence "entirely fails to support their allegation" that Guevara forced the witness to falsely implicate them. +On appeal, a three-judge panel of the Illinois Appellate Court called that decision "truly puzzling." Written by Appellate Judge John B. Simon, the decision said Slattery Boyle "turned a blind eye to much of the evidence and also refused to admit probative, admissible evidence that, when evaluated under the proper standard, is damning. " +The following month, after the appellate court sent the case to another judge, both men were freed when the prosecutors chose not to contest the case further. +In another case, in 2015, the appellate court found Slattery Boyle "abused her discretion" by disqualifying attorneys from the University of Chicago's Exoneration Project from handling post-conviction proceedings for Ricardo Rodriguez, who said he, too, was wrongly convicted based on evidence fabricated by Guevara. +Expressing concern that the pro bono lawyers unethically stepped in while Rodriguez was being represented by a private attorney, Slattery Boyle referred the attorneys for possible disciplinary action and removed them from representing Rodriguez in his efforts to overturn his conviction. +The Illinois Attorney Registration and Disciplinary Commission found no wrongdoing by the attorneys. And an Illinois Appellate Court panel reversed the judge's ruling, restored the attorneys from the Exoneration Project and ordered the case be assigned to a new judge. +In March, the state's attorney's office agreed to support overturning the verdict without the hearing ever taking place. +In 2016, the appellate court found fault with Slattery Boyle for letting a jury hear that a defendant, Joe Rosado, previously had been charged with a crime but not allowing the jury to hear that a jury found him "not guilty" of the earlier charge. +Slattery Boyle had been the trial judge for the prior case and said the prosecution "did not handle that case correctly because the evidence . . . was quite clear." +In reversing the conviction, the appellate panel opinion, authored by Judge Michael B. Hyman, said, "Outward appearances would suggest that the trial court changed its evidentiary rulings in the second case to ensure that Rosado was not acquitted again." +A review of data from the state's attorney's office shows Slattery Boyle also sentences more harshly than other judges. More often than not, she sentences defendants to prison terms longer than the median given by other Cook County judges and she overwhelmingly favors prison time over probation, especially for minor offenses. +Slattery Boyle disputes that, writing that "your assessment that I impose harsh sentences is based on incomplete data" that didn't take into account that some judges are assigned to courtrooms where they tend to hear less serious cases. +But the analysis did factor in the category of crime to ensure the comparison of sentences given by judges was fair. It showed Slattery Boyle issues more severe sentences compared to all of the other Criminal Division judges who also have issued more than 1,000 sentences in the past six years. +In 2014, an Illinois Appellate Court panel overturned the conviction of Oscar Flores for murder and attempted murder, ruling that Slattery Boyle had wrongly permitted a videotaped confession to be introduced at his trial even though detectives obtained the statement after Flores had invoked his right to remain silent. +The appeals court judges also cautioned her about allowing, at retrial, social media posts by a user named "Little Rowdy," who appeared to brag about the shooting. Police contended that Little Rowdy was Flores. But the appellate panel wrote that the captions accompanying the posts "should not be admitted at trial" since prosecutors couldn't show Flores had written them. +Assistant State's Attorney Eric Leafblad called Robert Macias, who had been separately tried and convicted as the driver, as a witness even though Macias's lawyer said her client wouldn't testify. Despite objections, Slattery Boyle allowed Leafblad to ask Macias about the killing and his association with Flores. +She also permitted Leafblad to ask a detective whether Macias had identified Flores as Little Rowdy, as well as questions about the captions the appeals court had found were inadmissible as evidence. +The jury convicted Flores a second time. Assistant Public Defender Julie Koehler then filed a motion asking that the case be reassigned, saying Slattery Boyle could not be "fair and impartial in the case" and that "her prejudice was evidenced throughout the trial." +The motion included a juror's statement that the judge had gone in to the jury room after the verdict and told jurors Flores previously confessed on videotape but that the appellate court had suppressed the evidence based on a "loophole." +Koehler's motion was denied, and Slattery Boyle sentenced Flores to 80 years in prison. The state appellate defender is preparing an appeal. +Contributing: Injustice Watch reporter Jeanne Kuang and Injustice Watch interns Rachel Kim and Abigail Bazin +The methodology for Injustice Watch's sentencing analysis can be found here , and the code used can be downloaded here . +Jacob Toner Gosselin and Kobi Guillory are reporters for Injustice Watch, a nonpartisan, not-for-profit journalism organization that conducts in-depth research to expose institutional failures that obstruct justice and equality. Eight key Maura Slattery Boyle cases +In each of these cases, Cook County Circuit Judge Maura Slattery Boyle's rulings were found to have been in error. People v. Kimbler, 2015 +The issue: Tracy Kimbler was arrested in 2012 after police found him at a bus stop with a purse that had, minutes earlier, been taken from the woman's apartment. He was tried before Cook County Circuit Judge Maura Slattery Boyle in a nonjury trial. After his conviction, he appealed. +The judge's decision: The judge convicted Kimbler of burglary and theft and sentenced him to two concurrent 10-year prison terms, followed by three years of supervision. The judge also ordered Kimbler to pay $500 for the costs of court-appointed representation. +The appellate court: A panel of the Illinois Appellate Court reversed the burglary conviction, finding there was no evidence Kimbler had been inside the victim's apartment and was the person who took the purse. The court ordered resentencing, saying the sentence was unduly harsh. And the panel said that Slattery Boyle had wrongly assessed attorney fees without establishing Kimbler's ability to pay. People v. Harbin, 2018 +The issue: Patrick Harbin was on trial for armed robbery, aggravated vehicular hijacking and possession of a stolen motor vehicle. He chose not to testify. Despite being about a foot shorter and 40 pounds lighter than the original description given by the victim, Harbin was found guilty by a jury based largely on one eyewitness's testimony. +The judge's decision: During jury instructions, Slattery Boyle did not inform jurors that Harbin's decision not to testify could not be held against him — a violation of a Supreme Court rule. +The appellate court: An appeals court panel found Slattery Boyle's error "had especially prejudicial effect" because the evidence against Harbin was questionable. "Where jurors may well have thought that Harbin's failure to testify meant he committed the crime, we cannot ignore the trial court's violation," Justice P. Scott Neville Jr. wrote. +The fallout: The appellate court ordered a new trial, which is pending. People v. Rosado, 2017 +The issue: Joe Rosado was on trial for selling drugs to an undercover Chicago police officer. He recently had been acquitted of an almost identical crime. The prosecution wanted to present testimony about his other charge. +The judge's decision: Slattery Boyle, who was also Rosado's judge in the other case, allowed the prosecution to present testimony about the other charge — but did not allow Rosado to say he had been acquitted. She said, regarding the former case, that the prosecution "did not handle that case correctly, because the evidence…was quite clear." +The appellate court: In the opinion, Justice Michael Hyman wrote, "Outward appearances would suggest that the trial court changed its evidentiary rulings in the second case to ensure that Rosado was not acquitted again." He also wrote, "Both in terms of logic and fairness, the trial court's decision was 'unreasonable' and an abuse of discretion." +The fallout: The appeals court reversed the decision and sent the case to a different judge. People v. Serrano, 2016 +The issue: Armando Serrano contended in a post-conviction petition that he had been wrongly convicted of murder based on false evidence developed by the now-disgraced Chicago police detective Reynaldo Guevara. +The judge's decision: Slattery Boyle limited the evidence Serrano could present and then cut short a hearing on his petition, ruling that the evidence "entirely fails to support" Serrano's claim. +The appellate court: A panel of the appellate court called that decision "truly puzzling," saying the judge had "turned a blind eye to much of the evidence and also refused to admit probative, admissible evidence that, when evaluated under the proper standard, is damning. Even where the court gave lip service to the standard it was supposed to apply, the court clearly did not adhere to that standard." +The fallout: The Cook County state's attorney's office chose not to contest overturning the conviction, and charges were dropped on July 20, 2016. People v. Montanez, 2016 +The issue: Jose Montañéz's post-conviction petition in the 1993 killing of Rodrigo Vargas alleged that Detective Reynaldo Guevara coerced false statements against him and Armando Serrando. +The judge's decision: Slattery Boyle blocked key witness testimony implicating Guevara. +The appellate court: The appellate court reversed her decision in 2016 and sent the case to a different judge. In the opinion, Justice John Simon wrote that Slattery Boyle ignored two pieces of evidence "which provide direct evidence of misconduct in this case." He concluded, "The interests of justice would be best and most efficiently served by the case being assigned to a different judge on remand." +The fallout: Charges were dropped against Montañéz on July 20, 2016. People v. Rodriguez, 2015 +The issue: Ricardo Rodriguez was pursuing his claims that Detective Reynaldo Guevara had told a witness to falsely implicate him, resulting in Rodriguez's murder conviction. Without funds to employ a private lawyer for any longer, Rodriguez's family reached out to the Exoneration Project at the University of Chicago, which agreed to represent Rodriguez for free. +The judge's decision: Slattery Boyle filed an ethics complaint in response, saying the Exoneration Project attorneys had stepped in to the case while Rodriguez was still being represented by a private attorney. Though Illinois' attorney disciplinary agency found no need for disciplinary action, she disqualified Rodriguez's new lawyers from representing him. +The appellate court: An appeals court panel reversed her decision and sent the case to a different judge. In the unpublished opinion, Justice Margaret McBride wrote that Slattery Boyle had "abused her discretion." +The fallout: Rodriguez was released March 27 after his conviction was overturned at the request of the state attorney's office. He was then taken into custody by immigration officials, as his permanent residence status had been revoked while he was in prison. People v. Baldwin 2017: +The issue: Derrick Baldwin was convicted of home invasion, burglary, unlawful restraint and two counts of aggravated criminal sexual assault. Baldwin had filed a motion in the first 10 days asking that the case be assigned to a different judge. He also was permitted to represent himself at his trial. +The judge's decision: Slattery Boyle turned down the motion to substitute judges, saying the request was not presented to her within the 10-day period — though, in fact, it was filed within that time. And she permitted Baldwin to represent himself, without giving him the required admonitions to ensure that decision was an informed choice. +The appellate court: An appellate court panel reversed all five convictions, ruling that Slattery Boyle had wrongly ruled that the motion for a substitute judge was not timely and also failed to properly admonish the defendant about representing himself. Both errors, the court wrote, required the conviction be dismissed. +The fallout: The appellate court ordered that the case be assigned to another judge for retrial. People v. Williams (2016): +The issue: Slattery Boyle found Clarence Williams guilty of murder in the shooting death of a 10-year old bystander named Arthur Jones during a gang dispute. WIlliams had fired a gun once, into the air, which he told authorities he did to disperse the crowd. The evidence at trial was that another man fired the shots that killed Jones, who was on his way to buy candy. +The judge's ruling: Slattery Boyle ruled that although Williams was not part of the gang, he was convicted under the theory of accountability for the murder by another. She sentenced Williams to 43 years in prison.. +The appellate court: An appellate panel wrote that "the evidence [was] so improbable and unsatisfactory that is creates a reasonable doubt of the defendant's guilt." It overturned the murder conviction and upheld a conviction for unlawful discharge of a firearm. In addition, the court wrote, "We direct the trial court to conform to the requirements of the Sex Offender Registration Act before requiring defendant to register as a sex offender for a seemingly non-sexual crime." +The fallout: In 2017, Slattery Boyle resentenced Williams to 15 years in prison. While she said she stood by her original conviction, she said in court that she was bound by the appellate decision. Jacob Toner Gosselin and Kobi Guillory | Injustice Watch Currently Trendin \ No newline at end of file diff --git a/input/test/Test333.txt b/input/test/Test333.txt new file mode 100644 index 0000000..7a12451 --- /dev/null +++ b/input/test/Test333.txt @@ -0,0 +1,13 @@ +Apple Inc. (AAPL) is Boston Research & Management Inc.'s 5th Largest Position Anthony Miller | Aug 17th, 2018 +Boston Research & Management Inc. cut its stake in Apple Inc. (NASDAQ:AAPL) by 1.6% in the first quarter, according to the company in its most recent disclosure with the Securities and Exchange Commission. The firm owned 26,930 shares of the iPhone maker's stock after selling 450 shares during the period. Apple comprises about 2.3% of Boston Research & Management Inc.'s holdings, making the stock its 5th largest holding. Boston Research & Management Inc.'s holdings in Apple were worth $4,518,000 as of its most recent filing with the Securities and Exchange Commission. +A number of other large investors also recently added to or reduced their stakes in AAPL. Livingston Group Asset Management CO operating as Southport Capital Management boosted its position in Apple by 13.3% in the fourth quarter. Livingston Group Asset Management CO operating as Southport Capital Management now owns 56,115 shares of the iPhone maker's stock valued at $9,498,000 after buying an additional 6,570 shares in the last quarter. Hennessy Advisors Inc. boosted its position in Apple by 84.0% in the fourth quarter. Hennessy Advisors Inc. now owns 28,249 shares of the iPhone maker's stock valued at $4,781,000 after buying an additional 12,899 shares in the last quarter. Duncker Streett & Co. Inc. boosted its position in Apple by 11.7% in the fourth quarter. Duncker Streett & Co. Inc. now owns 48,658 shares of the iPhone maker's stock valued at $8,234,000 after buying an additional 5,082 shares in the last quarter. Hudson Capital Management LLC acquired a new position in Apple in the fourth quarter valued at about $3,477,000. Finally, Northstar Group Inc. boosted its position in Apple by 14.5% in the fourth quarter. Northstar Group Inc. now owns 31,734 shares of the iPhone maker's stock valued at $5,371,000 after buying an additional 4,017 shares in the last quarter. Hedge funds and other institutional investors own 60.11% of the company's stock. Get Apple alerts: +AAPL opened at $213.32 on Friday. The company has a quick ratio of 1.24, a current ratio of 1.31 and a debt-to-equity ratio of 0.84. The company has a market cap of $1,020.04 billion, a P/E ratio of 23.16, a price-to-earnings-growth ratio of 1.64 and a beta of 1.16. Apple Inc. has a fifty-two week low of $149.16 and a fifty-two week high of $213.81. +Apple (NASDAQ:AAPL) last posted its quarterly earnings results on Tuesday, July 31st. The iPhone maker reported $2.34 earnings per share for the quarter, topping the Zacks' consensus estimate of $2.18 by $0.16. The business had revenue of $53.27 billion during the quarter, compared to the consensus estimate of $52.43 billion. Apple had a net margin of 21.98% and a return on equity of 43.50%. Apple's revenue for the quarter was up 17.3% compared to the same quarter last year. During the same period in the previous year, the firm posted $1.67 earnings per share. equities research analysts anticipate that Apple Inc. will post 11.68 earnings per share for the current fiscal year. +The firm also recently declared a quarterly dividend, which was paid on Thursday, August 16th. Investors of record on Monday, August 13th were paid a dividend of $0.73 per share. This represents a $2.92 dividend on an annualized basis and a dividend yield of 1.37%. The ex-dividend date of this dividend was Friday, August 10th. Apple's dividend payout ratio (DPR) is 31.70%. +Apple announced that its board has authorized a share buyback program on Tuesday, May 1st that allows the company to buyback $100.00 billion in shares. This buyback authorization allows the iPhone maker to purchase up to 11.9% of its shares through open market purchases. Shares buyback programs are usually an indication that the company's board of directors believes its stock is undervalued. +A number of equities analysts have commented on the stock. Loop Capital boosted their price target on shares of Apple from $195.00 to $210.00 and gave the company a "buy" rating in a research report on Friday, July 6th. Morgan Stanley reduced their price target on shares of Apple from $203.00 to $200.00 and set an "overweight" rating on the stock in a research report on Friday, April 20th. Needham & Company LLC boosted their price target on shares of Apple from $210.00 to $220.00 and gave the company a "buy" rating in a research report on Wednesday, August 1st. BidaskClub lowered shares of Apple from a "buy" rating to a "hold" rating in a research report on Wednesday, May 23rd. Finally, DZ Bank restated a "buy" rating on shares of Apple in a research report on Wednesday, August 1st. One analyst has rated the stock with a sell rating, fifteen have given a hold rating, thirty-two have issued a buy rating and one has given a strong buy rating to the company's stock. The company currently has an average rating of "Buy" and a consensus target price of $219.51. +In related news, insider Craig Federighi sold 47,796 shares of the business's stock in a transaction that occurred on Thursday, August 9th. The shares were sold at an average price of $207.50, for a total transaction of $9,917,670.00. Following the completion of the sale, the insider now directly owns 412,571 shares of the company's stock, valued at $85,608,482.50. The transaction was disclosed in a legal filing with the SEC, which is available at this link . Also, insider Luca Maestri sold 4,769 shares of the business's stock in a transaction that occurred on Friday, June 1st. The stock was sold at an average price of $189.54, for a total transaction of $903,916.26. Following the sale, the insider now directly owns 68,044 shares of the company's stock, valued at $12,897,059.76. The disclosure for this sale can be found here . Over the last three months, insiders have sold 141,066 shares of company stock valued at $28,208,138. 0.06% of the stock is currently owned by insiders. +About Apple +Apple Inc designs, manufactures, and markets mobile communication and media devices, and personal computers to consumers, and small and mid-sized businesses; and education, enterprise, and government customers worldwide. The company also sells related software, services, accessories, networking solutions, and third-party digital content and applications. +Featured Story: Closed-End Mutual Funds +Want to see what other hedge funds are holding AAPL? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Apple Inc. (NASDAQ:AAPL). Receive News & Ratings for Apple Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Apple and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test3330.txt b/input/test/Test3330.txt new file mode 100644 index 0000000..0f2df6f --- /dev/null +++ b/input/test/Test3330.txt @@ -0,0 +1,26 @@ +close Video Ancient Egyptian Mummy embalming 'recipe' revealed Archaeologists have discovered new secrets of the Ancient Egyptian embalming process +A mummy buried in Southern Egypt more than 5,000 years ago has revealed its grisly secrets, shedding new light on prehistoric embalming practices. +Researchers from the Universities of York, Oxford and Warwick in the U.K., Macquarie University in Australia, and the universities of Trento and Turin in Italy studied the mummy, which has been housed in the Egyptian Museum in Turin since 1901. +"It is the first time that extensive tests have been carried out on an intact prehistoric mummy," explains the University of York, in a statement . The latest study backs up researchers' previous findings that embalming was taking place 1,500 years earlier than previously thought. +STUNNING SPHINX DISCOVERY: WORKERS MAKE INCREDIBLE FIND WHILE FIXING ROAD +The mummy, which has been dated to around 3700 to 3500 BC, was thought to have been naturally mummified by Egypt's hot, dry desert sand. However, scientists led by the Universities of York and Macquarie found that the mummy had actually been embalmed. +A 'recipe' of plant oil, heated conifer resin, an aromatic plant extract and a plant gum/sugar mixed together was used to impregnate the textiles in which the body was wrapped, according to the researchers. +Antibacterial agents were identified in the mixture. The agents were "used in similar proportions to those employed by the Egyptian embalmers when their skill was at its peak some 2,500 years later," the scientists said. +MUMMY WEARING GOLD-GILDED FACE MASK DISCOVERED AT ANCIENT EGYPT BURIAL GROUND +A previous study in 2014 found complex embalming agents in linen fragments that were wrapped around bodies in a prehistoric tomb in Middle Egypt. The latest research indicates that the "embalming recipe" was used over a larger geographical area than previously thought. +"Having identified very similar embalming recipes in our previous research on prehistoric burials, this latest study provides both the first evidence for the wider geographical use of these balms and the first ever unequivocal scientific evidence for the use of embalming on an intact, prehistoric Egyptian mummy," said archaeological chemist Dr. Stephen Buckley of the University of York. +Ancient Egypt continues to reveal its secrets. A mysterious sphinx, for example, has been discovered during roadwork in the Egyptian city of Luxor. +ARCHAEOLOGISTS IN EGYPT DISCOVER ANCIENT MUMMIFICATION WORKSHOP +"By combining chemical analysis with visual examination of the body, genetic investigations, radiocarbon dating and microscopic analysis of the linen wrappings, we confirmed that this ritual mummification process took place around 3600 BC on a male, aged between 20 and 30 years when he died," said Dr. Jana Jones, an Egyptologist at Macquarie University, in a statement. +Archaeologists recently opened a 'cursed' ancient black granite sarcophagus. In a separate project, experts also unearthed a 2,200-year-old gold coin depicting the ancient King Ptolemy III, an ancestor of the famed Cleopatra. +Experts in Southern Egypt recently discovered an extremely rare marble head depicting the Roman Emperor Marcus Aurelius. +MYSTERIOUS ANCIENT ARTWORK DEPICTING FEMALE PHARAOH FOUND BY ACCIDENT +Additionally, experts in Australia found the tattered remains of an ancient priestess in a 2,500-year-old Egyptian coffin that was long thought to be empty. +On the other side of the world, a rare ancient artifact depicting the famous female pharaoh Hatshepsut surfaced in the U.K. Stunning new research also claims that King Tutankhamun may have been a boy soldier, challenging the theory he was a weak and sickly youth before his mysterious death at around 18 years of age. +Experts in the U.K. also found the world's oldest figurative tattoos on two ancient Egyptian mummies recently, one of which is the oldest tattooed female ever discovered. +RARE ROMAN DISCOVERY THRILLS EXPERTS: EMPEROR'S MARBLE HEAD FOUND AT EGYPTIAN TEMPLE SITE +Other recent finds include an ancient cemetery in Egypt with more than 40 mummies and a necklace containing a "message from the afterlife." An ancient statue of a Nubian king with an inscription written in Egyptian hieroglyphics was also found at a Nile River temple in Sudan. +Scientists also believe that they may have found the secret of the Great Pyramid's near-perfect alignment. Experts are also confident that they have solved the long-standing mystery of the "screaming mummy." +In February, archaeologists announced the discovery of a 4,400-year-old tomb near the pyramids. Late last year, archaeologists also revealed that they had uncovered the graves of four children at an ancient site in Egypt. +The Associated Press contributed to this article. +Follow James Rogers on Twitter @jamesjroger \ No newline at end of file diff --git a/input/test/Test3331.txt b/input/test/Test3331.txt new file mode 100644 index 0000000..8a68bad --- /dev/null +++ b/input/test/Test3331.txt @@ -0,0 +1 @@ +Nvidia, Nordstrom, Elon Musk and Google - 5 Things You Must Know Joseph Woelfel Reblog during the previous session after China and the U.S. agreed to hold trade talks next week and Walmart Inc. The Dow ended Thursday, Aug. 16, up 396 points, or 1.58%, to 25,558, the S&P 500 gained 0.79% and the Nasdaq added 0.42%. The meeting between China and the U.S. will take place next week as the world's two largest economies ready tariffs on billions of dollars of each other's goods on Aug. 23, on top of those already levied on July 6 \ No newline at end of file diff --git a/input/test/Test3332.txt b/input/test/Test3332.txt new file mode 100644 index 0000000..935c525 --- /dev/null +++ b/input/test/Test3332.txt @@ -0,0 +1,18 @@ +All Case Studies HubSpot Silver Partner Fractional CMO Increases Revenue by 60% +Shreyansh Surana is the CEO and co-founder of Fractional CMO, an India-based agency that offers a full suite of digital solutions to help small to medium-sized businesses achieve business growth. When Shreyansh co-founded Fractional CMO with Rahul Mehta in 2017, Marketing Automation had flooded the market, but the duo realized there were only a handful of agencies specializing in marketing automation within the APAC region. The pair knew that as a new agency in the market, they had to associate themselves with a leading marketing automation platform and brand. This meant looking for a partner that could deliver the framework and resources to implement what they needed at scale and speed, and that's when they engaged HubSpot. Since implementing HubSpot, Fractional CMO has successfully transitioned into a full-stack digital marketing service and gained a steady stream of retainer clients, allowing the business to increase revenue by 60%. This includes a 400% increase in traffic to the website and 2x more proposals generated monthly 400% +Increase in website traffic compared to the previous year 2X +More proposals generated monthly using HubSpot automation 60% Tweet Scrapping Fragmented Solutions for One Powerful Platform +Before HubSpot, Fractional CMO was using multiple tools for marketing - they had Agile CRM for email campaigns, WordPress for blogging, HootSuite for social media, Raven for keywords data, and deals were tracked on Excel. The disjointed marketing and sales added inefficiencies to operations, sales, and their overall promotional efforts. +Also, while the team invested time, energy, and resources into creating content and sending emails to nurture leads, they lacked clarity on its impact, making it challenging to plan ahead and optimize their campaigns so that it attracted the right audience. +Considering how quick yet tedious the proposal creation process is, Fractional CMO needed a more efficient way to create, manage, and track proposal creation, as well as be able to gather better insights into their sales pipeline and performance. Fractional CMO was familiar with the benefits of setting up marketing automation for clients; however, they had not set it up for themselves due to a combination of meeting current client deadlines, responding to urgent requests, and securing new projects. "As we were new entrants we wanted to associate ourselves with the best brand in the market. From the day one we had this partnership, and in one year with HubSpot's teams' support we achieved silver status" Shreyansh Surana +Fractional CMO Organized and Automated: Consistency in Marketing +Guided by the Inbound framework and the platform to execute in tow, Fractional CMO transformed their marketing by creating detailed buyer personas and then mapping out content against those personas. Meanwhile, the HubSpot tool worked in the background to collect data on website visitors and leads that interacted with the content. +The valuable insights gathered helped Fractional CMO tailor their email marketing, and deliver messages in a more personalized manner. This approach led to better lead nurturing programs and improved lead quality overall, which in turn meant better customers - evidenced by the 60% increase in revenue achieved. +In terms of tools, the agency's favorite HubSpot features are workflows and emails, especially when it comes to nurturing leads. The team set up workflows that accelerated their proposal creation to 2 to 3 proposals weekly, compared to the 3 or 4 generated monthly before HubSpot marketing automation. They are also fond of using blogs and landing pages enhanced by SEO and calls-to-action to execute closed loop marketing. The HubSpot's Analytics tools is also a favourite as it not only provides a much needed big picture view, but they get to present clients with comprehensive reporting when needed as well. +For Fractional CMO's continued success, their dedicated channel consultants ensure the team maximizes usage of the tool with specialised training and provide advice on positioning and selling tactics for their new inbound services. "I would definitely recommend HubSpot, It's an amazing platform that binds the entire marketing process together. Also, the support (Knowledgebase and Human Support) is top class, which helps clients like me maximize usage of the tool" Shreyansh Surana +Fractional CMO Strategic Content Creation and Aligned Marketing and Sales Teams +After becoming a HubSpot Partner Agency in April 2017, Fractional CMO adopted a holistic approach to marketing, and that resulted in their achievement of Silver status within a year. Today, everyone in their customer delivery team is a certified inbound marketing professional and are driven to educate, collaborate, and deliver value. By having a well-defined persona, Fractional CMO has better marketing planning in the long run, and their marketing campaigns and offers are targeted to the right groups of prospective consumers. +Fractional CMO knew the best way to scale the efforts of their small team was to automate the way they sourced and nurtured prospective leads. Since implementing HubSpot, Fractional CMO has successfully transitioned into a full-stack digital marketing service and gained a steady stream of retainer clients, allowing the business to increase revenue by 60%. This includes a 400% increase in website traffic that led to downstream benefits such as 2X more proposals weekly. "As an Inbound Agency, we want to 'walk the talk' and aim to secure one new customer monthly by the end of 2018. In the long run, we want to spearhead the adoption of HubSpot in the APAC region" Rahul Mehta +Fractional CMO Questions? Call us. +We're here to help. Call us and speak with an Inbound Marketing Specialist who will answer any questions you might have. 1-888-HUBSPOT (888-482-7768) Start a free trial. +Give the HubSpot software a try by signing up for a 30-day free trial. You'll get a fully functional account. No credit card necessary \ No newline at end of file diff --git a/input/test/Test3333.txt b/input/test/Test3333.txt new file mode 100644 index 0000000..ee11c61 --- /dev/null +++ b/input/test/Test3333.txt @@ -0,0 +1 @@ +When India scripted history in Pokhran under Vajpayee's leadership 1 Jaipur, Aug 17 (IANS) Twenty years ago, India scripted a success story on May 11 and May 13, 1998 when five nuclear tests were performed in Rajasthan's Pokhran under the guidance of former Prime Minister Atal Bihari Vajpayee, who had assumed power only a little while ago. It was a completely secret exercise only known to a select few. On May 11, 1998, Jaisalmer woke up to an ordinary day. However, there were a few bulldozers heading to a particular site to dig up well-like sites. Sand was filled into these wells. Within a few minutes, they were ignited. It was followed by a huge thunder that brought loud cheer from a few scientists at the site who had kept a constant vigil on all the developments. In Delhi, Vajpayee along with the then Home Minister Lal Krishna Advani, former Defence Minister George Fernandes, Finance Minister Yashwant Sinha and Principal Secretary to Prime Minister, Brijesh Mishra, were sitting with bated breath. However, the moment, Dr A.P.J. Abdul Kalam, who happened to be the Scientific Advisor to Vajpayee, sent a message on the hotline, saying, "Buddha smiles again", all of them jumped with joy. The former Prime Minister immediately called the scientists to congratulate them on their success. The tests left the Western world shocked and surprised. India gained a new identity after the tests. However, there were economic sanctions imposed by the US. An unfazed Vajpayee, however, continued with the next round of nuclear tests two days later. –IAN \ No newline at end of file diff --git a/input/test/Test3334.txt b/input/test/Test3334.txt new file mode 100644 index 0000000..f21eb81 --- /dev/null +++ b/input/test/Test3334.txt @@ -0,0 +1,13 @@ +Back to Netflix +Netflix Originals & TV Series +Disenchantment +From the mind of Matt Groening, comes Disenchantment, where viewers will be whisked away to the crumbling medieval kingdom of Dreamland, where they will follow the misadventures of hard-drinking young princess Bean, her feisty elf companion Elfo, and her personal demon Luci. +From baffling people on the street to orchestrating elaborate tricks, Justin Willman blends good-natured magic with grown-up laughs. +Designer Genevieve Gorder and real estate expert Peter Lorimer show property owners how to turn their short-term rentals into moneymaking showstoppers. +Gotham's origin story continues to unfold, and as the show enters its fourth season, the stakes will be higher than ever! With the Court of Owls decimated, the aftermath of the Tetch virus crippling the city, and every (surviving) villain in Gotham's underworld jockeying for power, Jim Gordon and the GCPD will have their hands full. +To All The Boys I've Loved Before +What if all the crushes you ever had found out how you felt about them…all at once? Lara Jean Song Covey's love life goes from imaginary to out of control when the love letters for every boy she's ever loved—five in all-- are mysteriously mailed out. +Dr. Ryan Stone (Sandra Bullock) is a medical engineer on her first shuttle mission. Her commander is veteran astronaut Matt Kowalsky (George Clooney), helming his last flight before retirement. Then, during a routine space walk by the pair, disaster strikes. As fear turns to panic, they realize that the only way home may be to venture further into space. +When retiring police Detective William Somerset (Morgan Freeman) tackles a final case with the aid of newly transferred David Mills (Brad Pitt), they discover a number of elaborate and grizzly murders. They soon realize they are dealing with a serial killer who is targeting people he thinks represent one of the seven deadly sins. +Following the sudden death of her best friend, Debbie, Laine finds an antique Ouija board in Debbie's room and tries to use it to say goodbye. Instead, she makes contact with a spirit that calls itself DZ. As strange events begin to occur, Laine enlists others to help her determine DZ's identity and what it wants. +Fun, fashion and friendship continue to define the lives of Carrie (Sarah Jessica Parker), Samantha (Kim Cattrall), Charlotte (Kristin Davis) and Miranda (Cynthia Nixon). They have more than they ever wished for, but when the combination of marriage and motherhood approach, the gals take an exotic vacation in Abu Dhabi \ No newline at end of file diff --git a/input/test/Test3335.txt b/input/test/Test3335.txt new file mode 100644 index 0000000..421da75 --- /dev/null +++ b/input/test/Test3335.txt @@ -0,0 +1,15 @@ +GM-6 CONFIRM CENTRE ADMINISTRATOR +Contract: Temporary (11 months) Part Time (50%) +Reporting to Head of Centre, the Confirm Centre Administrator will be responsible for the administration and support of a range of activities in support of the management of the day to day activities of the Confirm Centre. This will involve working closely with the Head of Centre, Group Heads and other senior personnel to ensure that the Centre operates effectively and all relevant policies are adhered to. It will also require supporting the implementation of financial, budgetary, general administrative structures and additional projects as required by Tyndall and our stakeholders. +Key Responsibilities Develop and manage an efficient tracking and filing system to allow for immediate access and retrieval of all documentation. Liaise with finance and accounts offices on matters as required. Provide support for Centre Staff in terms of travel arrangements/accommodation and facilities. Provide support for incoming visitors and for related seminars/workshops, including any travel arrangements/accommodation and facilities. Liaise and develop relationships with relevant bodies external to Tyndall, including key UCC contacts and external funding agencies. Support events organised by Tyndall centrally as required. Liaise with the appropriate offices concerning security, safety, maintenance and IT issues within the Centre. Assist with the implementation and maintenance of intellectual property procedures for the Centre. Participate in Education and Public Engagement activities, as required. Ensure all activities are compliant with the Tyndall Quality Management system. Ensure all activities are compliant with the required Health and Safety standards. Carry out any additional duties as may reasonably be required within the general scope and level of the post. +Essential Criteria 5 years' experience in a similar role at a similar level. Degree/diploma in a relevant area. Previous experience of supporting senior executives in a fast moving environment. Previous financial administration experience in a challenging role including experience of purchasing management systems, purchase order tracking and related documentation. Advanced knowledge of the Microsoft Office suite of products (i.e. Word, Excel, PowerPoint, Access, etc.). Professional, discreet and confidential in approach at all times with an accommodating and efficient manner. Excellent administration, organisational, communication and interpersonal skills with an eye for detail. Ability to multi-task and a flexibility and willingness to work additional hours when required. Ability to work on own initiative, both independently and as part of a team. Strong customer service orientation with the ability to work effectively to achieve tight deadlines. +Desirable Criteria Experience in website administration and website maintenance. Experience in dealing with government agencies and departments. Experience in project management and knowledge of MS Project software or similar. +For enquiries please email Dr. Graeme Maxwell at Graeme.maxwell@tyndall.ie +Appointment may be made on the Senior Executive Assistant Scale B (new entrants) salary scale €31,144-€44,497. In all instances the successful appointment will be at the first point of the scale. +The closing date for applications is 31st August 2018. Application Instructions: +Application Instructions : Please click the APPLY button +Please note that Garda vetting and/or an international police clearance check may form part of the selection process. +The University, at its discretion, may undertake to make an additional appointment(s) from this competition following the conclusion of the process. +Please note that an appointment to posts advertised will be dependent on University approval, together with the terms of the employment control framework for the higher education sector. +At this time, Tyndall National Institute does not require the assistance of recruitment agencies. +Tyndall National Institute at University College, Cork is an Equal Opportunities Employer \ No newline at end of file diff --git a/input/test/Test3336.txt b/input/test/Test3336.txt new file mode 100644 index 0000000..04a0624 --- /dev/null +++ b/input/test/Test3336.txt @@ -0,0 +1,17 @@ +Golden Arrows coach Clinton Larsen talks up Cape Town City's quality squad Posted: 17 August 2018 Time: 09:35 Print this article +Golden Arrows coach Clinton Larsen believes Cape Town City have one of the strongest teams on paper in the PSL this season. +City came fifth in the league and reached the MTN8 final last term with the likes of Thami Mkhize, Thabo Nodada, Ayanda Patosi and Lehlohonolo Majoro in their ranks. +The Citizens have since signed Siphelele Mthembu, Keanu Cupido, Kouassi Kouadja, Peter Leeuwenburgh, Gift Links and Riyaad Norodien. +Larsen, who operates off a modest budget at Abafana Bes'thende, expects a tough assignment when his side takes on Benni McCarthy's men at Cape Town Stadium in the league on Saturday. +Arrows lost 2-0 to Mamelodi Sundowns in their previous outing in the MTN8, but can draw some encouragement for the upcoming game from earning four points against City in 2017/18. +The hosts enter the match fresh off a 1-0 win over Maritzburg United in their respective MTN8 opener. +"There's a lot of quality in that team and it is a team that must be respected in the premier league," Larsen tells KickOff.com . +"Even back when Eric Tinkler was there [in 2016/17] they had assembled a very good squad from Mpumalanga Black Aces. I'm very impressed with them, they've got a quality team. +"You look at the defence; Thami Mkhize, Edmilson Dove, Taariq Fielies. And in the midfield; Roland Putsche, Thabo Nodada, Bradley Ralani and Teko Modise. And now Riyaad Norodien has been added to the fray, as well as Siphelele Mthembu. So there's a lot of quality in the team. +"I think it is a team that must be respected in the league. In my opinion they're going to have a good season and that is just based on the quality of the team they've got. +"But we also want to improve from last season. We did well against them last season and we'll try and do the same. But it is a different season, it's a different approach being used. They've slightly changed the way they play. So have we, so it's going to be an interesting tussle." +He adds: "Golden Arrows also want to be competitive this season. We've got a year under the belt now as a young team and that should hold us in good stead moving forward. +"We are a lot more experienced with how we want to play and how we need to get the best out of our players. So we are looking forward to what the season brings for us." +In team news, midfielder Sandile Zuke and captain Matome Mathiane have returned to full training, on-loan defender Siyanda Zwane faces a late fitness test, while left-back Zolani Nkombelo is expected back in November after breaking a foot in pre-season. Article by: Robin-Duke Madlala Terms of use: +The comments posted do not reflect the views of KickOff.com. Users are reminded that no misuse of this comment facility will be tolerated. Any abusive, racist, inflammatory, defamatory, discriminatory comments or hate speech will be deleted and the user banned. If legally obliged we will hand over your information under the Protection of Information Act. Please report abusive posts to . KICK OFF POLL Who will lead Chiefs charge? +Giovanni Solinas has promised a return to attacking football at Naturena. Which Kaizer Chiefs attacker will shine brightest this season \ No newline at end of file diff --git a/input/test/Test3337.txt b/input/test/Test3337.txt new file mode 100644 index 0000000..6d899c5 --- /dev/null +++ b/input/test/Test3337.txt @@ -0,0 +1,21 @@ +'Judges, Most Times, Under Unnecessary External Influence' By Judge Smith: "Judges must support, uphold, protect and defend judicial independence..." -Judge Smith says at Samuel Geevon Smith's funeral +A Liberian jurist, Judge George W. Smith has made a call for judges to independently exercise their judicial functions void of extraneous (extra, unnecessary) influence. The Judge's exhortation was made during the funeral of the late C. Samuel Geevon Smith, former Resident Judge of of the 14th Judicial Circuit in Rivercess County +Judge Smith (no relation to the deceased) is the current Resident Circuit Judge of the 15th Judicial Circuit, in River-Gee County. He spoke at the funeral service that was held in the late Judge Geevon Smith's hometown in River Cess County. +Addressing justices, judges and family members, Smith recalled how he was informed by Judge Geevon Smith, prior to his death in July this year, about a decision he (Geevon) took to recuse himself from a high profile case, "because of intense external pressure from some influential individuals." +Judge Smith did not mention any name during the tribute. +"As a judge, I tried to decide cases based on the law, and my conscience. But this job we are doing is difficult, especially when a case of a high profile and/or political nature is before you," Smith said. +"We are usually under intense pressure from influential personalities to influence our decision," he said. +Even on his sick bed, Judge Smith told the gathering, the late Geevon picked-up his mobile phone, and then downloaded and read a March 2014 Term of the Supreme Court's opinion in one of the high profile cases. Smith was then speaking on behalf of the judges. +"He could not exercise his judicial function based on extraneous pressure; and in the final analysis, the Supreme Court reversed his decision; he could not conscientiously exercise his judicial function independently as per the Constitution, and subsequently suffered the wrath of some influential force with nobody defending him," Judge Smith said. +Smith spoke of his friend's recusal from that case as a "revolt" in defense of judicial independence, and "he was bequeathing to us from his dying bed this advice: Judges must diligently support, uphold, protect and defend judicial independence." +"Our dying colleague was reminding us that our Constitution requires judges to exercise their judicial function independently, and devoid of extraneous influence," Smith told his colleagues. +He added, "We judges are now members of the International Association of Judges (IAJ). Individually and collectively, we have acceded to those international agreements regarding judicial independence." +Smith said in the legal rule, judges exercise their judicial function independently on the basis of their conscientious understanding of the law, "and so we must be free of external influences, inducements, pressures, threats or influence." +Smith recalled how he and Judge Geevon Smith became acquainted in 2014, when he was assigned to preside over the 14th Judicial Circuit of River Cess County during the August and November 2014 Terms of Court. Geevon was then the Resident Circuit Judge. +During those years, Smith said he was driven by Geevon's commitment to the rule of law. +Despite Geevon's deteriorating health, he was still lecturing people about the rule of law and the Constitution, while even on his deathbed. +"I advised him to go and rest, but the ailing judge did not heed my advice, and I decided to listen to the lecture," declared Judge Smith reflecting on Geevon's passion for the rule of law up to his death. +Meanwhile some members of the Liberia National Bar Association have welcomed the Judge's call for judges to independently "exercise their judicial functions void of extraneous influence". A prominent member of the Bar, name withheld told the Daily Observer that while Judge Smith did not name any individual or the source of the extraneous influence referred to, his remarks nevertheless spoke to the practice allegedly by members of the Supreme Court Bench to interfere in cases in which they have vested interest. +The lawyer made reference to cases involving the West African Fisheries and the case involving the intestate estate of Milad Hage vs Ecobank, represented by his widow Oumou Hage. According to a Daily Observer report of January 5, 2015, the Supreme Court ordered the recusal of Judge Vinton Holder from presiding over the case and instead transferred jurisdiction of the case to Judge Eva Mappy Morgan of the Commercial Court. Judge Holder's removal was based on the Supreme Court's perception of bias on the part of Judge Holder. +A communication from the Court addressed to Judge Holder in December 2015, reads "His Honor J. Vinton Holder, who has been handling this case, can no longer preside over the this case to project and portray the cool neutrality that a judge provides in such cases." +But Judge Holder, in reaction at the time, told the Daily Observer the decision taken by the Court was a relief. "I'm very much happy that this case has gotten off my back, because everyday a jeep will come to my house asking for me," the Judge alleged. Author \ No newline at end of file diff --git a/input/test/Test3338.txt b/input/test/Test3338.txt new file mode 100644 index 0000000..0b38eef --- /dev/null +++ b/input/test/Test3338.txt @@ -0,0 +1,6 @@ +Ricker's to Launch Frictionless Checkout The new hybrid checkout technology combines AmazonGo and mobile pay. +​SALT LAKE CITY – Ricker's and Skip announced the rollout of their new frictionless checkout technology that combines mobile pay and AmazonGo's "just walk out" experience to customers in 58 Ricker's stores in Indiana. The partnership will provide a best-in-class convenience store experience, offer easy access to promotional deals and enable customers to purchase in-store items at the pump or prior to arrival. +Skip said it selected Ricker's because of the chain's dedication to customer-centric retail experiences via clean convenience, a strong commitment to the Indiana community, best-in-class customer service and a long history of corporate trust. "We are so excited to work with Ricker's to tailor our proven product specifically to the convenience store customer experience. Their long-standing dedication to this objective and vision for the future was a match made in heaven for Skip," said Chase Thomason, CEO and founder of Skip, in a press release. +Ricker's has focused on providing best-in-class customer experience as a primary company initiative and by partnering with Skip, the chain continues this mission by adding frictionless checkout to its omni-channel solution for its customers. The benefit to Ricker's consumers is a simpler, faster and easier purchase process. Skip's technology reduces the speed of checkout from an average of 60 seconds to an instant pay-and-go action controlled by the customer. Via its partnership with Zipline, Skip also acts as a cost-cutter for retail businesses, bringing down transaction fees. +For Ricker's, Skip provides a competitive advantage expected to drive more transactions and frequency, including higher conversions from the forecourt to the food court. "By adding Skip to our arsenal of customer service competencies, we expect to see higher frequency and volume of transactions simply from the competitive advantage this partnership will provide. Not to mention being able to convert frequent fuel purchasers into loyal in-store customers," said Quinn Ricker, CEO and president of Ricker's. +Once the experience is fully optimized, including integrations with Zipline and Kickback Rewards, it will roll out across all Ricker's locations by the end of September \ No newline at end of file diff --git a/input/test/Test3339.txt b/input/test/Test3339.txt new file mode 100644 index 0000000..70b9de1 --- /dev/null +++ b/input/test/Test3339.txt @@ -0,0 +1,3 @@ +By Erica Kam • Entertainment 2 minutes ago The Netflix adaptation of Jenny Han's YA novel To All the Boys I've Loved Before has been highly anticipated for featuring an Asian-American character as a romantic and comedic lead. Lana Condor stars as Lara Jean Covey, a half-Korean girl attempting to navigate love and life in high school—a journey that gets a lot harder once you throw in a fake boyfriend, a jealous ex-best friend and five secret love letters that were never supposed to be read. The movie is sweet and funny and at times cringeingly nostalgic (I don't miss high school one bit), but what really struck me was the attention to detail in the portrayal of the Song-Covey family and their culture. As one of the very few films starring an Asian-American woman, To All the Boys has a chance to walk the line between showing Lara Jean's connection to her culture and its important place in her life, without placing too much importance on her race and making it an "Asian-American" movie instead of a movie with Asian-Americans. In doing so, it fills a gap in the industry that has been there for so long—because, yes, we've had films that focus on Asian and even Asian-American people, but I can't think of any that didn't center the film around their race. Full #ToAllTheBoysIveLovedBefore trailer. Streaming AUGUST 17TH on @netflix . pic.twitter.com/10sG5ymPRb +— To All The Boys I've Loved Before (@alltheboysfilm) July 26, 2018 +Stories about those with marginalized identities have had to grapple with this before. For example, Love, Simon and Moonlight and all the others in the increasing amount of films focused on queer people are great, but why are so many LGBTQ+ movies coming-out stories? When can we have a film with an out-and-proud character who has a queer relationship without their "struggle" over their sexuality being at the forefront? In a similar vein, Netflix's Insatiable recently faced backlash for featuring a plus-size woman (or, well, thin girl in a fatsuit playing a plus-size woman) who gets a "revenge" body and then tries to get back at the people who were mean to her when she was fat. As Cosmopolitan pointed out, putting a fat woman in the lead doesn't do much good if she's being told to hate herself and her fatness the whole time. When can we get a film about a plus-size woman whose fatness is just a part of her, not her whole identity? And that's what To All the Boys does so well. We never forget that the Covey family is mixed-race and Korean, but we don't feel that their Asianness is a burden on them in some way, or that it is the focal point of their lives. They drink Korean yogurt smoothies, they call out the racism of Long Duk Dong's character in Sixteen Candles , their white father attempts to cook the Korean food their mother used to for dinner. Author Jenny Han even requested that there be a rice cooker in the Covey kitchen, because, as she says, "Pretty much every Asian household has a rice cooker!" But these are short moments, small aspects of the larger story of Lara Jean's life. She isn't a victim of racist bullying, she doesn't struggle with her cultural identity. She's more focused on her love letters getting sent out and her feelings for Josh vs. Peter. The details of her Asianness don't actually make a huge difference in the story and, precisely for that reason, they do make a huge difference. We're so used to Asian characters being forced into the sidekick roles , where they play the smart geeks or the gothy characters ( Asian hair streak , anyone?). Their complexity on the screen is limited, and more often than not, their portrayal becomes irresponsible—because you can have as many Asian characters in a show as you want, but if you don't show them the respect of treating them as people first and Asian people second, how truly effective is your diversity? So Lara Jean is Korean, yes, but she's also hilarious and thoughtful and introverted. And her impact will be felt. Han says, "It's important for Asian American kids to see themselves in stories and to feel seen. They need to know that their stories are universal too, that they too can fall in love in a teen movie. They don't have to be the sidekick; they can be the hero. I've never seen an Asian American character like Lara Jean in a movie before—sweet, quirky, funny and just herself. She's Asian, and that's part of her identity, but it's not the whole of her identity. There doesn't need to be 'a point' to her being Asian. She just is." "She just is" could be the gateway to a new era of film and television, one in which minority characters have access to romantic comedies and action films and all the other genres in the same way that white people do. Getting characters with marginalized identities on screen at all was the first step, and I'm not denying the importance of stories that focus on that marginalization. But now we have the opportunity to open the door for more stories, ones that showcase these same people in situations that go beyond the "struggle" or "burden" of having a certain identity. I hope that, in the future, Asian characters are handled as caringly and responsibly as Lara Jean was. Han waited to tell the right story, and it paid off. "There was interest [in adapting the book for the screen] early on," she says, "but it took almost five years to actually get made. One of the sticking points was people didn't understand why the main character needed to be Asian. I explained to them that it wasn't that she needed to be Asian, it's that she was ." She just was. You can stream To All the Boys I've Loved Before on Netflix starting August 17. Tagged \ No newline at end of file diff --git a/input/test/Test334.txt b/input/test/Test334.txt new file mode 100644 index 0000000..4c6e1d5 --- /dev/null +++ b/input/test/Test334.txt @@ -0,0 +1,11 @@ +Cornerstone Wealth Management LLC Acquires Shares of 19,478 Centene Corp (CNC) Paula Ricardo | Aug 17th, 2018 +Cornerstone Wealth Management LLC acquired a new stake in Centene Corp (NYSE:CNC) in the second quarter, according to its most recent disclosure with the Securities and Exchange Commission (SEC). The fund acquired 19,478 shares of the company's stock, valued at approximately $157,000. +Other hedge funds and other institutional investors have also recently modified their holdings of the company. CWM Advisors LLC purchased a new position in Centene in the second quarter valued at $206,000. Nisa Investment Advisors LLC boosted its holdings in Centene by 5.9% in the second quarter. Nisa Investment Advisors LLC now owns 118,078 shares of the company's stock valued at $14,548,000 after purchasing an additional 6,540 shares during the period. Amalgamated Bank boosted its holdings in Centene by 42.8% in the second quarter. Amalgamated Bank now owns 30,929 shares of the company's stock valued at $3,811,000 after purchasing an additional 9,264 shares during the period. World Asset Management Inc boosted its holdings in Centene by 34.3% in the second quarter. World Asset Management Inc now owns 14,047 shares of the company's stock valued at $1,731,000 after purchasing an additional 3,590 shares during the period. Finally, Louisiana State Employees Retirement System boosted its holdings in Centene by 14.2% in the second quarter. Louisiana State Employees Retirement System now owns 12,100 shares of the company's stock valued at $1,491,000 after purchasing an additional 1,500 shares during the period. 76.73% of the stock is owned by institutional investors and hedge funds. Get Centene alerts: +In other news, EVP Keith H. Williamson sold 2,000 shares of the business's stock in a transaction dated Monday, June 11th. The stock was sold at an average price of $120.00, for a total value of $240,000.00. The transaction was disclosed in a filing with the Securities & Exchange Commission, which is available through this hyperlink . Also, Director Robert K. Ditmore sold 8,750 shares of the business's stock in a transaction dated Thursday, July 26th. The shares were sold at an average price of $131.44, for a total value of $1,150,100.00. Following the completion of the sale, the director now directly owns 472,241 shares of the company's stock, valued at $62,071,357.04. The disclosure for this sale can be found here . Insiders sold a total of 13,750 shares of company stock valued at $1,785,800 over the last three months. Company insiders own 3.00% of the company's stock. +Centene stock opened at $143.92 on Friday. Centene Corp has a fifty-two week low of $82.98 and a fifty-two week high of $145.38. The company has a quick ratio of 1.26, a current ratio of 1.25 and a debt-to-equity ratio of 0.59. The stock has a market capitalization of $28.43 billion, a PE ratio of 28.61, a PEG ratio of 1.33 and a beta of 0.79. +Centene (NYSE:CNC) last posted its earnings results on Tuesday, July 24th. The company reported $1.80 earnings per share for the quarter, beating the Thomson Reuters' consensus estimate of $1.77 by $0.03. Centene had a return on equity of 14.57% and a net margin of 2.06%. The business had revenue of $14.18 billion during the quarter, compared to the consensus estimate of $13.82 billion. During the same period in the previous year, the business earned $1.59 EPS. The business's quarterly revenue was up 18.6% on a year-over-year basis. equities research analysts expect that Centene Corp will post 7.08 EPS for the current year. +CNC has been the subject of a number of recent analyst reports. Morgan Stanley lifted their price target on Centene from $126.00 to $127.00 and gave the stock an "overweight" rating in a report on Wednesday, April 25th. Oppenheimer lifted their price target on Centene from $130.00 to $138.00 in a report on Monday, June 18th. Wells Fargo & Co lifted their price target on Centene from $126.00 to $142.00 and gave the stock an "outperform" rating in a report on Monday, June 18th. Citigroup reaffirmed a "neutral" rating and set a $147.00 price target on shares of Centene in a report on Wednesday, July 18th. Finally, Barclays initiated coverage on Centene in a report on Monday, July 23rd. They set an "overweight" rating and a $158.00 price target for the company. Four investment analysts have rated the stock with a hold rating and fifteen have issued a buy rating to the stock. The stock presently has an average rating of "Buy" and an average target price of $139.18. +Centene Company Profile +Centene Corporation operates as a diversified and multi-national healthcare enterprise that provides programs and services to under-insured and uninsured individuals in the United States. It operates through two segments, Managed Care and Specialty Services. The Managed Care segment offers health plan coverage to individuals through government subsidized programs, including Medicaid, the State children's health insurance program, long-term care, foster care, and dual eligible individual, as well as aged, blind, or disabled programs. +Featured Story: Asset Allocation +Want to see what other hedge funds are holding CNC? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Centene Corp (NYSE:CNC). Receive News & Ratings for Centene Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Centene and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test3340.txt b/input/test/Test3340.txt new file mode 100644 index 0000000..cd02d0d --- /dev/null +++ b/input/test/Test3340.txt @@ -0,0 +1,18 @@ +Google staff protest over China search engine plans August 17, 2018 Viber +Google's plans to re-enter China with a search engine are at an "exploratory" stage, Google's chief executive Sundar Pichai has said, as he tried to soothe anger among employees. +According to reports, the company is seeking Chinese government approval for a mobile search service called Dragonfly, that would censor some websites and search terms. +Mr Pichai told staff development was at an "early stage" and it was "very unclear" if Google would launch the product. +"We are not close to launching a search product in China," Mr Pichai said. +"The team has been in an exploration stage for quite a while now, and I think they are exploring many options." Image: Google's Sundar Pichai tells staff the company's mission is to 'organise the world's information' +Employees are concerned by agreeing to Chinese censorship it would violate Google's "don't be evil" code of conduct. +Google co-founder Sergey Brin at the same staff meeting said the search giant would not compromise its principles. +It is the second time this year that Google staff have protested against the company's plans. +More than 3,500 employees signed a letter protesting against the company's work with the Pentagon's surveillance drones programme. +Before the staff meeting, employees called for more "transparency, oversight and accountability"– according to an internal petition. +"We, the undersigned, are calling for Code Yellow addressing Ethics and Transparency, asking leadership to work with employees to implement concrete transparency and oversight process," the petition said. +"Dragonfly and Google's return to China raise urgent moral and ethical issues. +"Currently we do not have the information required to make ethically informed decisions about our work, our projects and our employment." +"Code Yellow" is a coding term to address issues. +Google pulled its servers out of China in 2010 amid concerns about censorship. While it still maintains offices in the country, it has been seeking to increase its presence. +Mr Pichai told staff Google's mission was to "organise the world's information". +"China is one-fifth of the world's population. I think if we were to do our mission well, I think we have to think seriously about how we do more in China," Mr Pichai said \ No newline at end of file diff --git a/input/test/Test3341.txt b/input/test/Test3341.txt new file mode 100644 index 0000000..b7992cf --- /dev/null +++ b/input/test/Test3341.txt @@ -0,0 +1,11 @@ +First American Financial Corp (FAF) Position Increased by CIBC Private Wealth Group LLC Paula Ricardo | Aug 17th, 2018 +CIBC Private Wealth Group LLC increased its holdings in First American Financial Corp (NYSE:FAF) by 10.9% during the 2nd quarter, Holdings Channel reports. The firm owned 25,957 shares of the insurance provider's stock after buying an additional 2,543 shares during the period. CIBC Private Wealth Group LLC's holdings in First American Financial were worth $1,342,000 at the end of the most recent quarter. +Other hedge funds and other institutional investors have also bought and sold shares of the company. Three Peaks Capital Management LLC bought a new stake in shares of First American Financial in the first quarter worth about $111,000. Advisors Preferred LLC bought a new stake in shares of First American Financial in the first quarter worth about $140,000. Jane Street Group LLC bought a new stake in shares of First American Financial in the fourth quarter worth about $202,000. CIBC Asset Management Inc bought a new stake in First American Financial during the 1st quarter valued at approximately $208,000. Finally, Cambridge Investment Research Advisors Inc. bought a new stake in First American Financial during the 4th quarter valued at approximately $212,000. 84.62% of the stock is currently owned by institutional investors. Get First American Financial alerts: +First American Financial stock opened at $55.51 on Friday. The company has a market cap of $6.35 billion, a price-to-earnings ratio of 20.19, a PEG ratio of 0.96 and a beta of 0.81. First American Financial Corp has a fifty-two week low of $46.75 and a fifty-two week high of $62.71. +First American Financial (NYSE:FAF) last posted its quarterly earnings data on Thursday, July 26th. The insurance provider reported $1.37 earnings per share for the quarter, beating the Thomson Reuters' consensus estimate of $1.24 by $0.13. The business had revenue of $1.49 billion for the quarter, compared to analysts' expectations of $1.47 billion. First American Financial had a return on equity of 15.03% and a net margin of 8.19%. The business's revenue was up 2.5% on a year-over-year basis. During the same period in the previous year, the firm posted $1.09 EPS. equities research analysts anticipate that First American Financial Corp will post 4.53 earnings per share for the current year. +The company also recently disclosed a quarterly dividend, which will be paid on Monday, September 17th. Shareholders of record on Monday, September 10th will be given a dividend of $0.42 per share. This represents a $1.68 annualized dividend and a yield of 3.03%. This is a boost from First American Financial's previous quarterly dividend of $0.38. The ex-dividend date is Friday, September 7th. First American Financial's payout ratio is presently 55.27%. +FAF has been the topic of several research reports. Zacks Investment Research cut First American Financial from a "hold" rating to a "sell" rating in a research report on Wednesday, May 2nd. Keefe, Bruyette & Woods raised First American Financial from a "market perform" rating to an "outperform" rating and set a $39.00 price objective on the stock in a research report on Monday, July 16th. Finally, Piper Jaffray Companies lifted their price objective on First American Financial from $63.00 to $65.00 and gave the company a "neutral" rating in a research report on Friday, July 27th. Two equities research analysts have rated the stock with a hold rating and three have issued a buy rating to the stock. The company has an average rating of "Buy" and an average price target of $57.50. +First American Financial Company Profile +First American Financial Corporation, through its subsidiaries, provides financial services. It operates through Title Insurance and Services, and Specialty Insurance segments. The Title Insurance and Services segment issues title insurance policies on residential and commercial property, as well as offers related products and services. +Recommended Story: Technical Analysis +Want to see what other hedge funds are holding FAF? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for First American Financial Corp (NYSE:FAF). First American Financial First American Financia \ No newline at end of file diff --git a/input/test/Test3342.txt b/input/test/Test3342.txt new file mode 100644 index 0000000..84d4062 --- /dev/null +++ b/input/test/Test3342.txt @@ -0,0 +1 @@ +Utilising apps to manage and grow Utilising apps to manage and grow Utilising apps to manage and grow They're in all of our pockets now, aren't they? 17 August 2018 | Business Businesses, regardless of their size or function, should consider utilising applications for agility and efficiency. PowerCom Pty Ltd's CEO, Alisa Amupolo, made these remarks during her presentation titled 'Utilising apps to manage and grow your business', at the Economist Women's Business Breakfast held in Ongwediva recently."Apps can be used for advertising, promoting businesses, managing businesses, more productivity, as well as gathering business intelligence from the market in order to remain competitive," she said.Applications, commonly referred to as 'apps' by consumers, can serve varied purposes in commercial environments.If utilised correctly, business owners can benefit from the low cost and maintenance that comes with mobile or computer-related apps, which have a tangible impact on both the consumer experience and commercial management activities, Amupolo said.Advancements in technology have enabled businesses to utilise different mobile, tablet and web-based apps.RelevanceThese range from business, social media, productivity, health and fitness and gaming, through to banking apps. Although these types of apps are all available, it is important that businesses still determine which apps are relevant to their operations and tailor their efforts accordingly. Amupolo went on to highlight the research and development required for businesses to bring new products to market, and the opportunities that apps offer to access that market and leverage those networks to optimise delivery."Apps such as social media have location-based and targeted advertising features. If the app is easy to use, at low or no cost, and has the capability to reach out to customers in different towns, without physically going on foot to sell, that app is right these days, and you can promote a product in the language your customers use, for example."Businesses experience the positive impact of apps in several ways. For instance, they can be used to lower the costs of operational expenditure within a business, by reducing the IT spend, which increases profits."Using dedicated content that is easy to navigate, apps require low IT skills, if at all; enabling entrepreneurs to have more control over their value chain, from supply to service delivery and access to markets," Amupolo explained.She highlighted examples of efficiency-improving apps. These included local banking apps, Google's own integrated business apps, plus social media apps such as LinkedIn, WhatsApp, Facebook, Instagram and Twitter.All these apps are gaining traction in terms of advertising and access to market. The apps most frequently used by entrepreneurs are for bookings and scheduling, customer relationship management, accounting, banking, productivity monitoring, surveying, and meeting planning. The modern business owner no longer encounters any opportunity costs that come with waiting in banking queues, when mobile banking is implemented within a business. Equally, app-based personal assistants are available across the globe at a low cost, via artificial intelligence (AI). Voice command options on our smartphones, for instance, allow you to search for information without actively inputting the query into your phone. Amupolo was careful to caution business owners that despite the numerous benefits associated with apps, many of them demand internet usage and cannot operate effectively offline.In remote areas with unreliable internet access, entrepreneurs may experience challenges utilising apps. Therefore, emphasis should also be placed on acquiring internet connectivity and smartphones that have low internet consumption \ No newline at end of file diff --git a/input/test/Test3343.txt b/input/test/Test3343.txt new file mode 100644 index 0000000..33e73b6 --- /dev/null +++ b/input/test/Test3343.txt @@ -0,0 +1,4 @@ +Companies & Finance Russian investor Proxima withdraws from JKX Russian Investment fund Proxima Capital Group has sold its shares in JKX Oil & Gas, a UK-listed explorer attempting to drill in Ukraine By Staff reporter 15 August 2018 0 32158 +Russian Investment fund Proxima Capital Group has sold its shares in JKX Oil & Gas, a UK-listed explorer attempting to drill in Ukraine, Interfax reported on Wednesday. +Proxima sold its shares to Vitaliy Khomutynnik's Cascade Investment Fund. Khomutynnik is a businessmen cited as one of the 30 richest people in Ukraine by Forbes Ukraine. +The other shareholders in JKX include Eclairs Group (with 27.47%), Keyhall Holding (with 11.42%), Neptune Invest & Finance Corp. (with 12.95%), and Interneft (with 6.6%). Lates \ No newline at end of file diff --git a/input/test/Test3344.txt b/input/test/Test3344.txt new file mode 100644 index 0000000..3e2c553 --- /dev/null +++ b/input/test/Test3344.txt @@ -0,0 +1,22 @@ +FDA warns of pet owners using animals to get opioids CNN 10:33 AM, Aug 16, 2018 10:36 AM, Aug 16, 2018 Share Article Copyright 2018 Scripps Media, Inc. All rights reserved. This material may not be published, broadcast, rewritten, or redistributed. Show Caption Previous Next +The US Food and Drug Administration has raised alarm about one way people might access opioids to misuse and abuse: their pets. +As America's opioid epidemic rages, some pet owners could be stealing pain medications intended for their furry friends, according to a statement from FDA Commissioner Dr. Scott Gottlieb . +"We recognize that opioids and other pain medications have a legitimate and important role in treating pain in animals -- just as they do for people," Gottlieb said in Wednesday's statement. +"But just like the opioid medications used in humans, these drugs have potentially serious risks, not just for the animal patients, but also because of their potential to lead to addiction, abuse and overdose in humans who may divert them for their own use," he said. +Gottlieb also said there hasn't been much information about responsible opioid prescribing for veterinary medicine professionals, and so the FDA developed a resource guide on what veterinarians need to know . +The resource includes information on state and federal regulations, alternatives to opioids and how to properly safeguard and store opioids, as well as how to identify if a client or employee may be abusing opioids and take action with a safety plan. +"While each state creates its own regulations for the practice of veterinary medicine within its borders, including regulations about secure storage of controlled substances like opioids, veterinarians should also follow professional standards set by the American Veterinary Medical Association in prescribing these products to ensure those who are working with these powerful medications understand the risks and their role in combatting this epidemic," Gottlieb said. +"Veterinarians are also required to be licensed by the Drug Enforcement [Administration] to prescribe opioids to animal patients, as are all health care providers when prescribing for use in humans," he said. +"These measures are in place to help ensure the critical balance between making sure animals can be humanely treated for their pain, while also addressing the realities of the epidemic of misuse, abuse and overdose when these drugs are diverted and used illegally by humans." +The FDA statement came one week after a perspective paper in the American Journal of Public Health called for the veterinary, public health, pharmaceutical and regulatory communities to dedicate time and resources to addressing the issue of prescription opioid diversion in veterinary medicine . +"I was thrilled to see the FDA commissioner make a statement that not only validated our findings but also demonstrates why research is so important for good policy," said Liliana Tenney, a senior instructor with the Colorado School of Public Health at the University of Colorado Anschutz Medical Campus and deputy director of the Center for Health, Work & Environment, who was a co-author of the paper. +Tenney was unaware of the FDA statement until CNN contacted her for an interview, she said. +The paper included data from a 24-item online survey that 189 veterinarians in Colorado completed in collaboration with a local veterinary society. The survey, which was about the possible abuse and misuse of opioids by pet owners and the role veterinarians play in prevention, was administered in summer 2016, Tenney said. +The survey results showed that 13% of the veterinarians were aware that an animal owner had intentionally made an animal ill or injured -- or seem to be ill or injured -- to obtain opioid medications. +"This is significant for two reasons. These providers want to ensure the treatment of pets," Tenney said. "If this is truly the case and pet owners are intentionally harming animals, that's an animal rights issue. If opioids are being prescribed and aren't getting to the pets that need them because these drugs are being diverted, that's a public health issue." +The survey results also showed that 44% of the veterinarians were aware of opioid abuse or misuse by either a client or a veterinary practice staff member, and 62% believed that they had a role in preventing opioid abuse and misuse. +"We recognize that this ... sample, representing 10% of the society's members, has limited generalizability and cannot be used to extrapolate to all practices. Nonetheless, these data are sufficient to warrant immediate action," the authors wrote. +American Veterinary Medical Association spokesman Michael San Filippo emphasized in a statement Wednesday that the association has provided resources for veterinary staff to help combat this issue and the association will continue to monitor the situation. +"Though our animal patients are not the ones struggling with opioid addiction, concerns about misuse and diversion are top-of-mind for the veterinary profession, and the AVMA is actively involved in providing resources to practitioners describing alternative ways to treat pain and minimize opioid use," the statement said. +"While the limited data available suggests diversion from veterinary practices isn't a widespread problem, that doesn't mean we should pretend it doesn't exist," it said. "In fact, AVMA policy calls for further research to determine the prevalence of veterinary drug shoppers and to further clarify the degree to which veterinary prescriptions are impacting, or not, the human opioid epidemic." +™&© 2018 Cable News Network, Inc., a Time Warner Company. All rights reserved. Copyright 2018 Scripps Media, Inc. All rights reserved. This material may not be published, broadcast, rewritten, or redistributed \ No newline at end of file diff --git a/input/test/Test3345.txt b/input/test/Test3345.txt new file mode 100644 index 0000000..345b2b4 --- /dev/null +++ b/input/test/Test3345.txt @@ -0,0 +1 @@ +Vietnam Online Marketing Forum 2018 opens in Hanoi VNA Illustrative image (Source: VNA) Hanoi (VNA) – The Vietnam Online Marketing Forum 2018, themed "Human or Robot", took place in Hanoi on August 17, following its success last year. Speaking at the event, Nguyen Thanh Hung, Chairman of the Vietnam E-Commerce Association (VECOM) – the organiser, said Vietnam's e-commerce annually grew by 25 percent in 2017, which is expected to keep its pace this year thanks to change in consumers' shopping habit amid the fourth industrial revolution. Specifically, revenue from online retail expanded by 35 percent while shipping companies posted revenue growth of 62 – 200 percent, leading to higher earnings in online payment sector. The forum featured four sessions featuring online marketing trends in the world and changing consumers' shopping experience, artificial intelligence in online marketing and effective exploitation of chatbox, data-driven marketing and marketing 020 from strategy to planning and tools. It offered participants a chance to share information and seek business opportunities in online marketing. Nguyen Trong Dat, a manager from Nielsen Hanoi, said Vietnam only ranks behind Singapore in terms of users' online time, adding that the number of mobile phone users in Vietnam accounts for 95 percent, with smart phone users accounting for 78 percent. As many as 79 percent of users view products on mobile phone applications or websites and 75 percent use smart phones to seek product information before deciding to purchase. Enterprises also tend to acquire data about users, which is an indispensable trend for sustainable growth. Speakers at the event hoped that the event would not only help firms devise proper online marketing strategies but also increase their market shares.-VNA Related New \ No newline at end of file diff --git a/input/test/Test3346.txt b/input/test/Test3346.txt new file mode 100644 index 0000000..e60e133 --- /dev/null +++ b/input/test/Test3346.txt @@ -0,0 +1 @@ +Mesothelioma Law Firm - Battling for Your Compensation Mesothelioma cancer is often a painful condition increased with high-priced therapy. Mesothelioma performs an important role in the human body and is the covering produce all around the heart. It also works on other essential organs of the completely human body and safe security officers the areas from injury. When air is consumed, it is filtered within the respiratory program and infected blood full of co2 is actually removed. In the event that small or even minute dirt become consumed into the respiratory program, they can become included in the mesothelioma. If these types of dirt are built up in huge numbers eventually, then it causes numerous types of bronchi related problems or even heart problems. In many situations, it eventually leads to a rare cancer, known as mesothelioma. Possibly huge amount of money could be provided to one who has developed mesothelioma due to contact with mesothelioma. Mesothelioma court action involves many rules and accurate procedures to get the payment from companies that have exposed their employees to mesothelioma contaminants. A well specific lawyer, which deals with the mesothelioma situation, can help you to get a reasonable settlement. Various law companies offer you the best service along with getting the highest settlement. Before choosing an lawyer to signify you, it is advisable to analysis the various mesothelioma law companies available to see what their regular settlement amounts provided to clients is and what their regular achievements are. For the consumer the particular mesothelioma court action is a two-way profit. If the situation ends up being won, they will be provided the settlement and if the situation is lost, the consumer does not need to pay a penny. Actually, the consumer does not need to spend a single cent from the start of the situation up to the conclusion of the situation unless it is successful and the assess rules in their benefit. A portion of money from the settlement provided will go towards the lawyer fees. Typically, the affiliate payouts for mesothelioma have run from the 10's of lots of money all the way to the huge numbers. However, the mesothelioma victim needs to ensure that the chances of achievements in gaining economical settlement will be in their benefit by seeking lawful counsel along with assistance as soon as the analysis has been verified. Most states just provide a certain period of your energy and effort that you can file a mesothelioma court action, so it is important that you do this immediately. Mesothelioma law companies may also need a longer period to put your specific situation together and carry out important analysis associated with the circumstances regarding your contact with mesothelioma. Time can be of the substance where mesothelioma situations are concerned, and just a few days of delay may make the difference between getting the economical settlement you are entitled to and getting no settleme nt at all, causing needless monetary problems to match with the medical concerns. If you have obtained the life changing information that you have been clinically identified as having asbestos, then the last thing you are probably thinking about is a lawsuit. However, it would probably turn out to be in your best attention and in the very best attention of your close relatives that you begin to look at the chance of selecting an asbestos attorney as fast as possible since the necessary costs for therapies can be remarkable. In the event that you do not currently know this, dangerous asbestos is a terminal problem, which could have been activated if you consumed asbestos fibers components, probably age groups back while you had been employed at your career. It is also rather expensive to cure. If you have not currently eliminate, you will need to get ready to quit since the start of asbestos will soon make operating a job inability due to its continuous devastating results. The main thinking as to why you should seek the services of an asbestos law company is that there is a time period restrict on the lawful actions that are available to you once a analysis has been given to be able to computer file a declare. If that time ends yourself you, members are not able to gather any sort of settlement from the company, which activated you to acquire the illness by not offering proper breathing security. It is recommended that you choose a lawyer with whom you experience safe. These choices may information you in selecting someone with whom you experience most relaxed. Because of the way the system works, you will need to maintain an attorney to signify you. This is the only one genuine method for you. It is use to keep the company that activated you, to become impacted with cancer. These cases usually include a large amount of financial settlement. Mesothelioma cancer may sometimes reveal itself several years after subjection to asbestos fibers. Therefore, it can present a unique hurdle for the lawful specialist that symbolizes the mesothelioma patients. A majority of the firms charged of not offering precautionary features against contact with asbestos have either long gone out of business, modified their titles to be able to cover up their past, and a lot of the charged companies have also modified their places as well. The main job of a qualified mesothelioma law company is always to track down the people that have introduced about your sickness. Massive research and planning are part of any lawsuit and keep especially true in mesothelioma legal cases. Your attorney will also have to create a cause and effect situation displaying the company charged has gotten about your cancer due to their carelessness. This will usually call for professional medical records, observe statement and records displaying your situation will need to be created. Mesothelioma law offices will be able to deal with all these issues and any more that will occur during a judge fight and will not quit until you are granted the settlement you are entitled. from Mesothelioma Law Firm https://ift.tt/2GStc7 \ No newline at end of file diff --git a/input/test/Test3347.txt b/input/test/Test3347.txt new file mode 100644 index 0000000..249fb0f --- /dev/null +++ b/input/test/Test3347.txt @@ -0,0 +1,2 @@ +Recent Jobs LATEST JOBS IN RUSSIA IN 50 COMPANIES +Multiple Vacancies Available | High School, Diploma, Degree Welcome | Same Day Visa Process | No Fee | 2 Way Flight Ticket Provided | Accommodation | Telephone and Transport Allowance | Children Education Support | Attractive Perks and Bonus | Annual Leave | Click Here to Apply Share this \ No newline at end of file diff --git a/input/test/Test3348.txt b/input/test/Test3348.txt new file mode 100644 index 0000000..4072161 --- /dev/null +++ b/input/test/Test3348.txt @@ -0,0 +1,3 @@ +Meet Engen Namibia's new MD Meet Engen Namibia's new MD Meet Engen Namibia's new MD Engen, Namibia's leading marketer of liquid fuels and lubricants, has announced the appointment of Christian Li as its new managing director in Namibia. +Engen Namibia's new MD +Engen Namibia's new MD Elizabeth JosephLi holds a Bachelor of Engineering honours degree in production technology and mechanical engineering and an MBA. He started working in the petroleum industry at Total in Mauritius as a consumer sales manager, before moving to Chevron. Amongst various roles at Chevron, he was a district manager in Mauritius and the MD in the Republic of Congo. In 2011, Li served as the marketing manager on the island nation. He was later appointed key account manager: commercial and then as commercial business development manager in Cape Town, but focused on Engen's business outside South Africa.General manager of Engen's International business division, Drikus Kotze, is in no doubt that the company's Namibian business will benefit from Li's leadership qualities and considerable experience, as well as his relentless energy and positive outlook. With over 20 years' experience, spanning the retail and lubricants side of the downstream oil business, as well as the commercial side, inclusive of special products, marine and aviation, Li has been charged with the challenging task of maintaining Engen's market position in Namibia and leading the company's next phase of growth. "I look forward to strengthening Engen's value proposition and relationships with customers and partners, in order to consolidate our leadership position in Namibia. "We plan to ensure that we not only have the best retail footprint in Namibia but also the best in class in terms of fuels, convenience offerings, innovations, business solutions and services," Li said.He takes the helm at an exciting time in the development of the Namibian market. "I like diversity and respect individuality, which has allowed me to learn a lot as well as to mentor many people. I am also results-oriented and always believe that all problems have at least one solution." Li says his immediate plans are to drive the team spirit and dynamism amongst staff and to build a customer-facing culture, emphasising safety, reliability and operational excellence."We also built a bulk fuel facility in the west, in Swakopmund, which services key industries in the area. The facility includes a storage capacity for lubricants and a pipeline to nearby mining activities as, well as loading facilities," Li said.He is passionate about travelling and is a self-confessed foodie.Li is a people's person with a positive attitude and boundless passion. "Plans afoot are engagement of our dealer network and further development of the Namibian convenience market. In a heavily price-regulated market, the company will also continue engaging actively with government on margin-affecting issues," Kotze added.Engen has distributed fuels and lubricants in Namibia for over 100 years. Currently the company operates 58 service stations in the country, of which 31 have Quickshops \ No newline at end of file diff --git a/input/test/Test3349.txt b/input/test/Test3349.txt new file mode 100644 index 0000000..60a8b8d --- /dev/null +++ b/input/test/Test3349.txt @@ -0,0 +1,23 @@ +They have been a much-valued feature of British high streets for more than 160 years. +But public loos are being wiped out at a staggering rate as councils struggle with government budget cuts. +More than a QUARTER of public toilets have disappeared since the turn of the century, according to data obtained under Freedom of Information laws. +According to the new information - supplied by council areas across the UK - the total number of public toilets across the country has dropped from 3,084 in 2000 to 2,290 in 2018. That is a fall of nearly 800. +And authorities in Bolsover, North East Derbyshire, and Wokingham admitted they no longer had ANY council-run loos. +In London, of the councils that provided information, the number of public loos was down from 197 in 2000 to just 132 today. +The rest of England saw a fall from 2,400 to 1,534, while in Wales numbers had more than halved from 504 to 243. +Scotland was down from 759 to 421 while Northern Ireland dropped from 95 to 84. Britain's first public toilet was built in 1852, in London's Hyde Park +Campaigners say the problem leaves people with nowhere to go when they need to go and it is affecting everyone from outdoor workers such as builders as well as pregnant women and parents with children. Toilets that can be easily found and used are essential for the elderly and disabled. +And with one in five people above 40 suffering from an over-active bladder, the lack of public facilities can make some reluctant to leave their homes due to the risk of being caught short. +It is not a legal requirement to provide public lavatories and so when councils aren't feeling flush, toilet blocks are often targeted first when it comes to cuts. A typical toilet block is estimated to cost between £12,000 to £15,000 a year to maintain. +But Domestos believes that clean, safe toilets should be within everyone's reach. That is why it is launching the nationwide Use Our Loos initiative to tackle the demise and unlock loos in local coffee shops, cafes, restaurants and bars across Britain's towns, cities and villages. It costs a council around £15,000 per year to run a toilet block +The scheme is urging local shops and businesses to sign up, throw open their cubicles and make their toilets available to non-customers. +As part of the initiative, Domestos is also partnering with The Great British Public Toilet Map – an interactive street map that shows users where their nearest public toilet is and which businesses have signed up to the scheme. +The map will be regularly updated as new businesses join. +Domestos also plays a role in the Unilever Sustainable Living Plan's aim to get 25 million people across the world access to a clean and safe toilet by 2020. Domestos has partnered with Unicef, the world's leading children's organisa­tion, since 2012 and has already helped 10 million people around the world get cleaner, safer toilets. Around 20 percent of people over 40 suffer from an overactive bladder +Raymond Martin of the British Toilet Association which campaigns for better public facilities, has praised the initiative, saying it will increase visitors to Britain's high streets. +He says : "As human beings we all have to eat, drink, sleep, breathe and go to the toilet," he said. "Having access to a clean hygienic toilet is absolutely vital for our everyday life and activity." +Rebecca Light, Domestos Senior Brand Manager, says: "In the UK the problem is locating a public toilet. An estimated 2.3 billion people worldwide lack access to clean, safe sanitation. This comes with significant health risks, including diarrhoea, which kills one child every two minutes. It's vital we change this – and quickly." Join the Use Our Loos campaign +In the UK, many people take it for granted that they can access a clean toilet. But with the number of council-run loos falling, the search is becoming harder. +Local businesses can help. By signing up to the Use Our Loos initiative - launched by us and Domestos - cafes, restaurants, bars, theatres and even shops can unlock hidden loos… and give them back to the community. +And it's easy to join the campaign. If you are a business-owner who wants to get on board, simply visit toiletmap.org.uk and register online. +By joining the initiative and opening their toilets to non-customers, businesses are not only offering relief to those who find themselves caught short. They are helping to bring customers and visitors into Britain's towns, cities and villages. Like us on Faceboo \ No newline at end of file diff --git a/input/test/Test335.txt b/input/test/Test335.txt new file mode 100644 index 0000000..c746584 --- /dev/null +++ b/input/test/Test335.txt @@ -0,0 +1,12 @@ +Capstone Financial Advisors Inc. Purchases Shares of 20,808 General Electric (GE) Alanna Baker | Aug 17th, 2018 +Capstone Financial Advisors Inc. bought a new stake in General Electric (NYSE:GE) during the first quarter, according to the company in its most recent disclosure with the Securities and Exchange Commission. The institutional investor bought 20,808 shares of the conglomerate's stock, valued at approximately $280,000. +Other hedge funds also recently bought and sold shares of the company. Baldwin Investment Management LLC lifted its stake in shares of General Electric by 32.1% during the 1st quarter. Baldwin Investment Management LLC now owns 23,650 shares of the conglomerate's stock worth $319,000 after purchasing an additional 5,750 shares during the period. Wealthsource Partners LLC lifted its stake in shares of General Electric by 41.5% during the 4th quarter. Wealthsource Partners LLC now owns 85,175 shares of the conglomerate's stock worth $1,486,000 after purchasing an additional 24,989 shares during the period. Wade G W & Inc. lifted its stake in shares of General Electric by 13.6% during the 1st quarter. Wade G W & Inc. now owns 90,810 shares of the conglomerate's stock worth $1,224,000 after purchasing an additional 10,885 shares during the period. Barings LLC lifted its stake in shares of General Electric by 533.0% during the 1st quarter. Barings LLC now owns 118,762 shares of the conglomerate's stock worth $1,601,000 after purchasing an additional 100,000 shares during the period. Finally, Cambridge Investment Research Advisors Inc. lifted its stake in shares of General Electric by 6.3% during the 1st quarter. Cambridge Investment Research Advisors Inc. now owns 1,382,624 shares of the conglomerate's stock worth $18,638,000 after purchasing an additional 82,017 shares during the period. 54.01% of the stock is currently owned by hedge funds and other institutional investors. Get General Electric alerts: +In other news, Director H Lawrence Culp, Jr. purchased 191,000 shares of the company's stock in a transaction on Tuesday, July 24th. The shares were bought at an average price of $13.04 per share, for a total transaction of $2,490,640.00. The purchase was disclosed in a document filed with the Securities & Exchange Commission, which is available at the SEC website . 1.12% of the stock is currently owned by company insiders. +GE has been the topic of a number of recent analyst reports. JPMorgan Chase & Co. reissued a "sell" rating on shares of General Electric in a research note on Friday, April 20th. Goldman Sachs Group set a $14.00 price target on General Electric and gave the stock a "neutral" rating in a research note on Monday, April 23rd. William Blair reissued a "buy" rating on shares of General Electric in a research note on Monday, April 23rd. Zacks Investment Research raised General Electric from a "sell" rating to a "hold" rating in a research note on Wednesday, April 25th. Finally, Stifel Nicolaus increased their price target on General Electric from $13.00 to $15.00 and gave the stock a "hold" rating in a research note on Friday, April 27th. Four analysts have rated the stock with a sell rating, fifteen have assigned a hold rating, four have given a buy rating and one has issued a strong buy rating to the company. The company has a consensus rating of "Hold" and an average target price of $17.15. +Shares of NYSE:GE opened at $12.30 on Friday. General Electric has a 52 week low of $11.94 and a 52 week high of $25.30. The company has a market capitalization of $110.88 billion, a price-to-earnings ratio of 11.71, a PEG ratio of 2.41 and a beta of 1.00. The company has a current ratio of 1.81, a quick ratio of 1.51 and a debt-to-equity ratio of 1.39. +General Electric (NYSE:GE) last announced its quarterly earnings results on Friday, July 20th. The conglomerate reported $0.19 EPS for the quarter, beating the consensus estimate of $0.18 by $0.01. General Electric had a negative net margin of 6.59% and a positive return on equity of 10.40%. The company had revenue of $30.10 billion for the quarter, compared to analyst estimates of $29.39 billion. During the same quarter last year, the business earned $0.21 earnings per share. General Electric's revenue was up 3.5% compared to the same quarter last year. sell-side analysts predict that General Electric will post 0.96 EPS for the current year. +The company also recently declared a quarterly dividend, which was paid on Wednesday, July 25th. Shareholders of record on Monday, June 18th were paid a $0.12 dividend. The ex-dividend date was Friday, June 15th. This represents a $0.48 annualized dividend and a dividend yield of 3.90%. General Electric's payout ratio is currently 45.71%. +General Electric Profile +General Electric Company operates as a digital industrial company worldwide. It operates through Power, Renewable Energy, Oil & Gas, Aviation, Healthcare, Transportation, Lighting, and Capital segments. The Power segment offers technologies, solutions, and services related to energy production, including gas and steam turbines, engines, generators, and high voltage equipment; and power generation services and digital solutions. +Featured Article: Dividend Stocks – Are They Right For You? +Want to see what other hedge funds are holding GE? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for General Electric (NYSE:GE). Receive News & Ratings for General Electric Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for General Electric and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test3350.txt b/input/test/Test3350.txt new file mode 100644 index 0000000..60a8b8d --- /dev/null +++ b/input/test/Test3350.txt @@ -0,0 +1,23 @@ +They have been a much-valued feature of British high streets for more than 160 years. +But public loos are being wiped out at a staggering rate as councils struggle with government budget cuts. +More than a QUARTER of public toilets have disappeared since the turn of the century, according to data obtained under Freedom of Information laws. +According to the new information - supplied by council areas across the UK - the total number of public toilets across the country has dropped from 3,084 in 2000 to 2,290 in 2018. That is a fall of nearly 800. +And authorities in Bolsover, North East Derbyshire, and Wokingham admitted they no longer had ANY council-run loos. +In London, of the councils that provided information, the number of public loos was down from 197 in 2000 to just 132 today. +The rest of England saw a fall from 2,400 to 1,534, while in Wales numbers had more than halved from 504 to 243. +Scotland was down from 759 to 421 while Northern Ireland dropped from 95 to 84. Britain's first public toilet was built in 1852, in London's Hyde Park +Campaigners say the problem leaves people with nowhere to go when they need to go and it is affecting everyone from outdoor workers such as builders as well as pregnant women and parents with children. Toilets that can be easily found and used are essential for the elderly and disabled. +And with one in five people above 40 suffering from an over-active bladder, the lack of public facilities can make some reluctant to leave their homes due to the risk of being caught short. +It is not a legal requirement to provide public lavatories and so when councils aren't feeling flush, toilet blocks are often targeted first when it comes to cuts. A typical toilet block is estimated to cost between £12,000 to £15,000 a year to maintain. +But Domestos believes that clean, safe toilets should be within everyone's reach. That is why it is launching the nationwide Use Our Loos initiative to tackle the demise and unlock loos in local coffee shops, cafes, restaurants and bars across Britain's towns, cities and villages. It costs a council around £15,000 per year to run a toilet block +The scheme is urging local shops and businesses to sign up, throw open their cubicles and make their toilets available to non-customers. +As part of the initiative, Domestos is also partnering with The Great British Public Toilet Map – an interactive street map that shows users where their nearest public toilet is and which businesses have signed up to the scheme. +The map will be regularly updated as new businesses join. +Domestos also plays a role in the Unilever Sustainable Living Plan's aim to get 25 million people across the world access to a clean and safe toilet by 2020. Domestos has partnered with Unicef, the world's leading children's organisa­tion, since 2012 and has already helped 10 million people around the world get cleaner, safer toilets. Around 20 percent of people over 40 suffer from an overactive bladder +Raymond Martin of the British Toilet Association which campaigns for better public facilities, has praised the initiative, saying it will increase visitors to Britain's high streets. +He says : "As human beings we all have to eat, drink, sleep, breathe and go to the toilet," he said. "Having access to a clean hygienic toilet is absolutely vital for our everyday life and activity." +Rebecca Light, Domestos Senior Brand Manager, says: "In the UK the problem is locating a public toilet. An estimated 2.3 billion people worldwide lack access to clean, safe sanitation. This comes with significant health risks, including diarrhoea, which kills one child every two minutes. It's vital we change this – and quickly." Join the Use Our Loos campaign +In the UK, many people take it for granted that they can access a clean toilet. But with the number of council-run loos falling, the search is becoming harder. +Local businesses can help. By signing up to the Use Our Loos initiative - launched by us and Domestos - cafes, restaurants, bars, theatres and even shops can unlock hidden loos… and give them back to the community. +And it's easy to join the campaign. If you are a business-owner who wants to get on board, simply visit toiletmap.org.uk and register online. +By joining the initiative and opening their toilets to non-customers, businesses are not only offering relief to those who find themselves caught short. They are helping to bring customers and visitors into Britain's towns, cities and villages. Like us on Faceboo \ No newline at end of file diff --git a/input/test/Test3351.txt b/input/test/Test3351.txt new file mode 100644 index 0000000..86c22da --- /dev/null +++ b/input/test/Test3351.txt @@ -0,0 +1,2 @@ +Event Management Software Market 2018 Global Industry Analysis, Opportunities and Forecast to 2023 Event Management Software -Market Demand, Growth, Opportunities and Analysis Of Top Key Player Forecast To 2023 +New York, NY -- ( SBWIRE ) -- 08/17/2018 -- Event Management Software Industry Description Wiseguyreports.Com Adds "Event Management Software -Market Demand, Growth, Opportunities and Analysis Of Top Key Player Forecast To 2023" To Its Research Database The Asia-Pacific Event Management Software market will reach xxx Million USD in 2018 and CAGR xx% 2018-2023. The report begins from overview of Industry Chain structure, and describes industry environment, then analyses market size and forecast of Event Management Software by product, region and application, in addition, this report introduces market competition situation among the vendors and company profile, besides, market price analysis and value chain features are covered in this report. Company Coverage (Sales Revenue, Price, Gross Margin, Main Products etc.): Cven \ No newline at end of file diff --git a/input/test/Test3352.txt b/input/test/Test3352.txt new file mode 100644 index 0000000..e8be7cd --- /dev/null +++ b/input/test/Test3352.txt @@ -0,0 +1,8 @@ +Bowling Portfolio Management LLC acquired a new stake in Haemonetics Co. (NYSE:HAE) during the second quarter, according to its most recent Form 13F filing with the SEC. The institutional investor acquired 11,413 shares of the medical instruments supplier's stock, valued at approximately $1,024,000. +Other large investors have also recently made changes to their positions in the company. Arjuna Capital purchased a new position in shares of Haemonetics in the 2nd quarter valued at $224,000. Wagner Bowman Management Corp purchased a new position in shares of Haemonetics in the 2nd quarter valued at $224,000. Zeke Capital Advisors LLC purchased a new position in shares of Haemonetics in the 2nd quarter valued at $244,000. Commonwealth Equity Services LLC purchased a new position in shares of Haemonetics in the 2nd quarter valued at $249,000. Finally, LS Investment Advisors LLC grew its position in shares of Haemonetics by 75.8% in the 2nd quarter. LS Investment Advisors LLC now owns 3,174 shares of the medical instruments supplier's stock valued at $285,000 after buying an additional 1,369 shares during the last quarter. 96.68% of the stock is currently owned by institutional investors. Get Haemonetics alerts: +A number of research analysts recently commented on HAE shares. Zacks Investment Research raised shares of Haemonetics from a "sell" rating to a "hold" rating in a research report on Friday, May 4th. Morgan Stanley increased their target price on shares of Haemonetics from $77.00 to $100.00 and gave the company an "overweight" rating in a research report on Wednesday, May 9th. Jefferies Financial Group increased their target price on shares of Haemonetics to $95.00 and gave the company a "buy" rating in a research report on Wednesday, May 9th. Barrington Research increased their target price on shares of Haemonetics to $90.00 and gave the company an "outperform" rating in a research report on Wednesday, May 9th. Finally, TheStreet raised shares of Haemonetics from a "c+" rating to a "b" rating in a research report on Tuesday, May 8th. Two analysts have rated the stock with a hold rating, five have issued a buy rating and one has issued a strong buy rating to the company. Haemonetics has a consensus rating of "Buy" and an average target price of $98.33. +NYSE HAE opened at $103.32 on Friday. The firm has a market capitalization of $5.16 billion, a P/E ratio of 55.25, a P/E/G ratio of 4.38 and a beta of 0.99. The company has a current ratio of 2.84, a quick ratio of 1.94 and a debt-to-equity ratio of 0.49. Haemonetics Co. has a 12 month low of $41.10 and a 12 month high of $108.37. +Haemonetics (NYSE:HAE) last issued its quarterly earnings results on Tuesday, August 7th. The medical instruments supplier reported $0.59 earnings per share for the quarter, topping the Zacks' consensus estimate of $0.42 by $0.17. The firm had revenue of $229.35 million during the quarter, compared to analysts' expectations of $219.52 million. Haemonetics had a net margin of 2.45% and a return on equity of 15.00%. research analysts forecast that Haemonetics Co. will post 2.28 EPS for the current fiscal year. +In related news, VP Dan Goldstein sold 3,794 shares of the stock in a transaction on Thursday, June 7th. The shares were sold at an average price of $95.09, for a total transaction of $360,771.46. The sale was disclosed in a legal filing with the Securities & Exchange Commission, which is accessible through this link . Also, CEO Christopher Simon sold 3,595 shares of the stock in a transaction on Friday, June 29th. The stock was sold at an average price of $40.39, for a total transaction of $145,202.05. The disclosure for this sale can be found here . In the last quarter, insiders have sold 23,711 shares of company stock valued at $1,926,700. 1.04% of the stock is owned by company insiders. +Haemonetics Company Profile +Haemonetics Corporation, a healthcare company, provides hematology products and solutions. The company operates through five segments: North America Plasma; Americas Blood Center and Hospital; Europe, Middle East and Africa; Asia Pacific; and Japan. It offers automated plasma collection devices and related disposables, including NexSys PCS plasmapheresis system and PCS2 equipment and disposables, plasma collection containers, and intravenous solutions, as well as information technology platforms for plasma customers to manage their donors, operations, and supply chain; and NexLynk DMS donor management system. Haemonetics Haemonetic \ No newline at end of file diff --git a/input/test/Test3353.txt b/input/test/Test3353.txt new file mode 100644 index 0000000..e11a6be --- /dev/null +++ b/input/test/Test3353.txt @@ -0,0 +1 @@ +LIMS (Laboratory Information Management System) Software Industry Analysis, Size, Share, Growth, Trends Forecasts 2025 shrikant Rane 17 WiseGuyreports WiseGuyReports.Com Publish a New Market Research Report On –" LIMS (Laboratory Information Management System) Software Industry Analysis, Size, Share, Growth, Trends Forecasts 2025". Description:- This report focuses on the global LIMS (Laboratory Information Management System) Software status, future forecast, growth opportunity, key market and key players. The study objectives are to present the LIMS (Laboratory Information Management System) Software development in United States, Europe and China. In 2017, the global LIMS (Laboratory Information Management System) Software market size was million US$ and it is expected to reach million US$ by the end of 2025, with a CAGR of during 2018-2025. Get a Sample Report @ https://www.wiseguyreports.com/sample-request/3340432-global-lims-laboratory-information-management-system-software-market For more information or any query mail at sales@wiseguyreports.com The key players covered in this study LabWar \ No newline at end of file diff --git a/input/test/Test3354.txt b/input/test/Test3354.txt new file mode 100644 index 0000000..b597e87 --- /dev/null +++ b/input/test/Test3354.txt @@ -0,0 +1,29 @@ +How to Naturally Induce Labour/ Avoid Medical Induction Posted on by MilkAdmin +If there has ever been a more asked question on any motherhood forum or in my blog emails wrt pregnancy than this one, then I'll eat my freakin' hat. (And I really, really like my hat!) But honestly, this is a popular question, especially, and not surprisingly, from lots of first time moms. And I get it. +I really do. Either because these mums just can't anymore…Or more applicably, when you're staring down the barrel of a basically enforced medical induction, that you're just hoping to avoid. And that's because, no one in their right mind, and completely understandably so, would ever choose a medical induction willingly. Well, I think at least not if they actually understood that the natural way was far more pleasant, comparatively speaking, and just far less intense and just far better for mom and baby than the medical one. +But whatever your reasons may be, here you go, all the natural ways to induce labour neatly organized into one place: NB!! Just very important to note, though, that unless there are any valid medical reasons, it's recommended that any induction efforts only really ever be attempted from your due date onwards. In fact,even if your due date (which really is just a serious guesstimate, and NOTHING SOLID to bet on), does come and go with no sign of labour, a good way to test whether your body is actually ready for any sort of induction – both medical or natural- would be to find out your Bishop Score . +The Bishop Score will help determine whether your body is ripe for induction or not. As in, if your body (i.e baby) is not ready, it wouldn't matter what all you tried till you're blue in the face or ready to throw up from all the pineapples, nothing will happen. Only difference is, that in the case of medical induction, this would then often lead to a c-section, that would have more than likely now become unavoidable due to the effects of the drugs on baby. +So,mamas, one of the main takeaways here is that you have to understand that baby will come when baby is ready. No matter what. I know of women who've even given birth at 45weeks! So, hang tight! +So, if you're ready to try them out, here are a few things that traditionally are supposed to work to help get things started: 1. Rasberry Leaf Tea +Now first up, this one actually isnt an "inducer" as such. It's actually "uterine toner". And can be used well before your due date to help strengthen your uterine muscles, and apparently help shorten the actual labour. However,for me, personally, this one works like a charm EVERY TIME! I've had three kids so far (with another on the way) and this made them come almost immediately. One cup usually does it for me, but that's probably because my body and baby were just ready. In fact, with my third birth, I didnt even have ebfore labour started, but when things slowed down a bit, it did help to kick things back into gear. So, as a uterine toner, this won't induce earlier than it's supposed to, because it only works if baby is ready. What is very important to note though is that it is NOT recommended for those who are at risk of preterm labour or miscarriage. +2. Egg plant: I have three friends who both went into labour the very evening after eating an egg plant dish from Nitida for lunch. There is also a world famous recipe online (Scalinis) for inducing labour that contains a serious amount of egg plant. Now, Im actually not really sure what it is about the egg plant that has this effect on the body, but countless women have reported this as what has worked for them. +3. Sex. Lots and lots of climatic sex. Now, you're either extremely happy about this, or you're thinking, "but how?!" hahaha… That all depends on your personal situation. But it's a known fact that sperm contains prostaglandins that will help softens the cervix. Also, female climaxing helps stimulate the uterus and is known to help raise oxytocin levels in the body, which just so happens to be one of most important hormones involved in labour. It also helps you relax, and having the right state of mind, which then affects the state of your body, is vital for labour to occur. So, listen to ol Marvin Gaye, and get it on! +4. Have a big laugh Watching Great comedies that get you belly laughing also helps.This is because it helps release endorphins, which is yet another major hormone in the whole birthing scene. YOu want to labour to start, be sure that your stress hormones are non existent, and crank up your endorphins with a good laugh. +Physiologically speaking, humour is the best means of relaxation, as it produces endorphins in the body, which in turn block the introduction of catecholamines – which are hormones that are released due to stress. Basically, they are the antitheses of that natural induction you're looking for, and want to be sure you keep them out of your system. +Mike and I have a go to movie that we first watched with Morgy's birth…it had me rolling on my birth ball. Like, crying-laughing. It really helped keep the fun mood of the day, kept things going hormone wise, and I mean,really, who doesnt love a good laugh. Find your kind of comedy and enjoy! +5. Nipple stimulation. Much like climaxing, this one helps release that love-drug, oxytocin, which as previously mentioned, is key in the whole birthing process. You want to be sure to keep your oxytocin levels up. So have some fun, and have your partner gently stimulate them. But please note, gentleman, you are not..I repeat…you are NOT tuning a freakin' radio. WOrk with your woman, and develop some smooth operator techniques that work well for her. Enjoy! +6. A delicious,strong curry: +7. Pineapple: Eating a bunch of pineapples is also said to stimulate the uterus enough to start labour. Apparently, pineapples contain a type of proteolytic enzyme, called bromelain, that helps soften the cervix and induce labor. Just make sure you eat fresh pineapples to induce labor as they contain useful amounts of bromelain. For more information, have a look see over here . +Just be sure to do a bit more reading up on this one though, as there is a serious amount of pineapples you have to consume for the proper effect, but there have been a few reports about it also causing miscarriage. So be sure of this option. +8. Visit your chiropractor And not just any one.Be sure it's a chiro who's well versed in this aspect, otherwise it may just turn out to be a useless and expensive exercise that leaves you even more frustrated. The main idea behind the chiro is that, by opening and balancing your pelvis through a chiropractor adjustment, your baby can settle into a great, deep position and stimulate your body to start labor. But, like I said, be sure to use a professionally and highly recommended chiro for this one that is well known for their abilities in this arena. +9. Accupuncture There has been reports that points to acupuncture being potentially beneficial in inducing labor, but there isn't a lot of reliable studies on the topic. However, it's known that acupuncture and acupressure have been used for many years to stimulate labor and many women swear by it. +Once more, I'd only recommend that you use someone you trust, that is highly qualified and experienced in this area of the practice. I for one, know that I would never want to take any unnecessary chances with my babies. +10. Emotional release Now, if you havent yet picked up, your state of mind also has huge impact on the effecacy of these techniques. If your stress levels are high, this could very well be the reason for why nothings happening. And what you must bear in mind is how the human brain works – it only sees the world in black and white. That is, safe or dangerous. And we as humans, exactly like any other animal that goes into labour, are genetically designed to ensure,by all means, that our off spring life is preserved. This would then include either halting labour, or even refusing to start labour at all until we are deemed to be in a safe zone. +So much like how an animal would stall or hold off labour if it's in danger – like say if it's being hunted, so do our bodies work. But since the brain only works in "black or white", this could mean that any situation that causes these stress hormones would be catalogued as "being in danger". (Yes, your brain produces the same hormones for a stressful situation like a financial worries over how to afford a new baby, as it would for you being hunted by some stalker…Not even kidding!) +So if you have anything that's bothering you – anything at all- this could also very well be the very factor that keeps your labour from starting up. +I know with Morgan-Lee I had to find a gynae and midwife to help me deliver baby, for I had just fired my old one. Only once I had secured them, and finally finished the nursery, did labour kick in. (That is, two days after meeting my gynae, and about an hour after finishing the nursery,). Similarly with Parker, only once I felt I ticked all the boxes in the nursery did she come later that evening. And with Coco, only once I had secured all the homebirth supplies did she come. +So, either a) try to finalize your to-do list, so that you can feel better about things, or b) have that difficult discussion with your partner about that "thing" that may be bothering you, or c) go do an emotional release with a professional in this field. (I'd highly recommend Kim Young who is an amazing hypnotherapist, and highly experienced in this particular field). +Warning: Please, whatever you do, just do NOT ever use the severely outdated, and actually quite dangerous technique of using castor oil ! There are grave dangers and risks involved for baby by using this method – and definitely a topic I will cover another time. But just know that it would be ill advised to use it. +And there you go.I hope you'll have fun trying them out, mama. In fact, why not make a day of it? Go on an epic date – it may be your last one for a little while after baby comes!;) So maybe have hubby whip up some eggplant dish with a strong curry, watch a couple of comedies, have pineapple for dessert. Then round with some foreplay and nipple action, and some mind blowing sex! +Even if labour doesnt start after that, you'd have had a great time…and can do it all over again!;) But just remember,mama, nature has perfect timing, mama! +Enjoy! \ No newline at end of file diff --git a/input/test/Test3355.txt b/input/test/Test3355.txt new file mode 100644 index 0000000..81b0d81 --- /dev/null +++ b/input/test/Test3355.txt @@ -0,0 +1,12 @@ +Here's To The Romantic Comedy Pleasures Of 'To All The Boys I've Loved Before' By Linda Holmes • 1 hour ago L to R: Anna Cathcart, Janel Parrish, and Lana Condor play Kitty, Margot, and Lara Jean Covey in To All the Boys I've Loved Before . Netflix +Well, it's safe to say Netflix giveth and Netflix taketh away. +Only a week after the Grand Takething that was Insatiable , the streamer brings along To All The Boys I've Loved Before , a fizzy and endlessly charming adaptation of Jenny Han's YA romantic comedy novel. +In the film, we meet Lara Jean Covey (Lana Condor), who's in high school and is the middle sister in a tight group of three: There's also Margot, who's about to go to college abroad, and Kitty, a precocious (but not too precocious) tween. Unlike so many teen-girl protagonists who war with their sisters or don't understand them or barely tolerate them until the closing moments where a bond emerges, Lara Jean considers her sisters to be her closest confidantes — her closest allies. They live with their dad (John Corbett); their mom, who was Korean, died years ago, when Kitty was very little. +Lara Jean has long pined for the boy next door, Josh (Israel Broussard), who is Margot's boyfriend, and ... you know what? This is where it becomes a very well-done execution of romantic comedy tricks, and there's no point in giving away the whole game. Suffice it to say that a small box of love letters Lara Jean has written to boys she had crushes on manages to make it out into the world — not just her letter to Josh, but her letter to her ex-best-friend's boyfriend Peter (Noah Centineo), her letter to a boy she knew at model U.N., her letter to a boy from camp, and her letter to a boy who was kind to her at a dance once. +This kind of mishap only happens in romantic comedies (including those written by Shakespeare), as do stories where people pretend to date — which, spoiler alert, also happens in Lara Jean's journey. But there's a reason those things endure, and that's because when they're done well, they're as appealing as a solid murder mystery or a rousing action movie. +So much of the well-tempered rom-com comes down to casting, and Condor is a very, very good lead. She has just the right balance of surety and caution to play a girl who doesn't suffer from traditionally defined insecurity as much as a guarded tendency to keep her feelings to herself — except when she writes them down. She carries Han's portrayal of Lara Jean as funny and intelligent, both independent and attached to her family. +In a way, Centineo — who emerges as the male lead — has a harder job, because Peter isn't as inherently interesting as Lara Jean. Ultimately, he is The Boy, in the way so many films have The Girl, and it is not his story. But he is what The Boy in these stories must always be: He is transfixed by her, transparently, in just the right way. +There is something so wonderful about the able, loving, unapologetic crafting of a finely tuned genre piece. Perhaps a culinary metaphor will help: Consider the fact that you may have had many chocolate cakes in your life, most made with ingredients that include flour and sugar and butter and eggs, cocoa and vanilla and so forth. They all taste like chocolate cake. Most are not daring; the ones that are often seem like they're missing the point. But they deliver — some better than others, but all with similar aims — on the pleasures and the comforts and the pattern recognition in your brain that says "this is a chocolate cake, and that's something I like." +When crafting a romantic comedy, as when crafting a chocolate cake, the point is to respect and lovingly follow a tradition while bringing your own touches and your own interpretations to bear. Han's characters — via the Sofia Alvarez screenplay and Susan Johnson's direction — flesh out a rom-com that's sparkly and light as a feather, even as it brings along plenty of heart. +And yes, this is an Asian-American story by an Asian-American writer. It's emphatically true, and not reinforced often enough, that not every romantic comedy needs white characters and white actors. Anyone would be lucky to find a relatable figure in Lara Jean; it's even nicer that her family doesn't look like most of the ones on American English-language TV. +The film is precisely what it should be: pleasing and clever, comforting and fun and romantic. Just right for your Friday night, your Saturday afternoon, and many lazy layabout days to come. Copyright 2018 NPR. To see more, visit http://www.npr.org/. © 2018 MTP \ No newline at end of file diff --git a/input/test/Test3356.txt b/input/test/Test3356.txt new file mode 100644 index 0000000..997381a --- /dev/null +++ b/input/test/Test3356.txt @@ -0,0 +1,18 @@ +News Banned Australian batsman Cameron Bancroft to play for English county side Durham in 2019 Cameron Bancroft received a nine-month ban for his part in a ball-tampering scandal in Australia's Test series with South Africa in March. 0 +London: Disgraced Australian cricketer Cameron Bancroft will play for Durham in 2019, the English county side announced on Friday, omitting to mention in their statement his role in a scandal that rocked the sport. +The 25-year-old opening batsman received a nine-month ban for his part in a ball-tampering scandal in Australia's Test series with South Africa in March. +Bancroft was punished along with Australian captain Steve Smith and opening partner David Warner, who both received one year suspensions from international and state cricket. File image of Cameron Bancroft. AP +"Durham County Cricket Club are delighted to announce the signing of Cameron Bancroft for 2019," the club said. +"The Australian opener will sign as the club's overseas player and be available in all formats for the full campaign, subject to international selection." +Bancroft, who has played eight Tests with a top score of 82 not out during the Ashes series with England last winter, welcomed the contract but indicated he was also eyeing possible selection for his country in two major events taking place in England in 2019. +"I am excited to join Durham for the 2019 county season," he said. +"Having played at Riverside in 2017 I know what a great place it is to play cricket. +"With the Ashes and ODI World Cup both being played in the UK in 2019 it will be a huge summer of cricket. +"I am grateful for the opportunity." +Jon Lewis, Durham's head coach, said Bancroft would be a more than capable replacement for their present overseas player New Zealand's Tom Latham. +"Cameron provides us with a very talented overseas signing who can bulk up our batting line up and help us compete for silverware," said Lewis. +"Tom Latham has done a great job for us over the past two seasons but we anticipate Tom being unavailable due to the World Cup in 2019, therefore we were delighted to be able to bring Cameron in. +"Cameron is a talented top order batsman and a great talent across all formats, he has the appetite and temperament for scoring big runs." +Bancroft, seen as the junior party in the ball-tampering scandal, asked for forgiveness after being exposed for using sandpaper to scratch the surface of the ball during the third Test against South Africa in Cape Town. +He then tried to hide the evidence down his trousers, only to be caught on camera and later said it would be something he would regret for the rest of his life. +Following the scandal, he returned to the sport in a low-level limited-overs tournament not covered by the ban in Darwin in July. Updated Date: Aug 17, 2018 03:48 PM Tags : #Cameron Bancroft #Cricket #Darwin #David Warner #Durham County Cricket Club #ODI World Cup #South Africa #SportsTracker #Steve Smith #The Ashes #Tom Latham Also Se \ No newline at end of file diff --git a/input/test/Test3357.txt b/input/test/Test3357.txt new file mode 100644 index 0000000..e52bb04 --- /dev/null +++ b/input/test/Test3357.txt @@ -0,0 +1 @@ +Below is what happened in search today, as reported on Search Engine Land and from other places across the web. Please visit Search Engine Land for the full article \ No newline at end of file diff --git a/input/test/Test3358.txt b/input/test/Test3358.txt new file mode 100644 index 0000000..9ab989e --- /dev/null +++ b/input/test/Test3358.txt @@ -0,0 +1 @@ +- Construction - Others On the basis of product, this report displays the production, revenue, price, and market share and growth rate of each type, primarily split into - Horizontal Lever - Others Region wise performance of the Mechanical Caliper industry This report studies the global Mechanical Caliper market status and forecast, categorizes the global Mechanical Caliper market size (value & volume) by key players, type, application, and region. This report focuses on the top players in North America, Europe, China, Japan, Southeast Asia India and Other regions (Middle East & Africa, Central & South America). The Fundamental key point from TOC 7 Global Mechanical Caliper Manufacturers Profiles/Analysis 7.1 Ausco Products 7.1.1 Company Basic Information, Manufacturing Base, Sales Area and Its Competitors 7.1.2 Mechanical Caliper Product Category, Application and Specification 7.1.2.1 Product A 7.1.3 Ausco Products Mechanical Caliper Capacity, Production, Revenue, Price and Gross Margin (2013-2018) 7.1.4 Main Business/Business Overview 7.2.1 Company Basic Information, Manufacturing Base, Sales Area and Its Competitors 7.2.2 Mechanical Caliper Product Category, Application and Specification 7.2.2.1 Product A 7.2.3 Wilwood Disc Brakes Mechanical Caliper Capacity, Production, Revenue, Price and Gross Margin (2013-2018) 7.2.4 Main Business/Business Overview 7.3.1 Company Basic Information, Manufacturing Base, Sales Area and Its Competitors 7.3.2 Mechanical Caliper Product Category, Application and Specification 7.3.2.1 Product A 7.3.3 W.C. Branham Mechanical Caliper Capacity, Production, Revenue, Price and Gross Margin (2013-2018) 7.3.4 Main Business/Business Overview Continue.. This Mechanical Caliper market report holds answers to some important questions like: - What is the size of occupied by the prominent leaders for the forecast period, 2018 to 2025? What will be the share and the growth rate of the Mechanical Caliper market during the forecast period? - What are the future prospects for the Mechanical Caliper industry in the coming years? - Which trends are likely to contribute to the development rate of the industry during the forecast period, 2018 to 2025? - What are the future prospects of the Mechanical Caliper industry for the forecast period, 2018 to 2025? - Which countries are expected to grow at the fastest rate? - Which factors have attributed to an increased sale worldwide? - What is the present status of competitive development? Browse Full RD with TOC of This Report @ https://www.marketexpertz.com/industry-overview/mechanical-caliper-market About MarketExpertz Planning to invest in market intelligence products or offerings on the web? Then MarketExpertz has just the thing for you - reports from over 500 prominent publishers and updates on our collection daily to empower companies and individuals catch-up with the vital insights on industries operating across different geography, trends, share, size and growth rate. There's more to what we offer to our customers. With marketexpertz you have the choice to tap into the specialized services without any additional charges. Our in-house research specialists exhibit immense knowledge of not only the publisher but also the types of market intelligence studies in their respective business verticals. Contact 40 Wall St. 28th floor New York City, NY 10005 United State \ No newline at end of file diff --git a/input/test/Test3359.txt b/input/test/Test3359.txt new file mode 100644 index 0000000..9627a5f --- /dev/null +++ b/input/test/Test3359.txt @@ -0,0 +1 @@ +B y recent estimates, more than two-thirds of all retail transactions in Britain are now being made on debit and credit cards . With significantly less cash in use , people have less spare change – and that is hitting the homeless hard. Now there is a scramble to make up the difference. Greater Change , a social enterprise in partnership with Oxford University, has come up with one such solution: homeless people sign up to a service that provides them with a QR code that cashless givers can scan with their phones to transfer money. All donations feed into the homeless person's account, which is managed by a caseworker to ensure the money helps them reach an agreed target, such as saving for a rental deposit. Some will argue that assigning people a code, as if they are consumer goods, is dehumanising and dystopian, but with unremitting government apathy towards the homelessness crisis, Greater Change is attempting to make the best of a terrible situation. To those critical of Greater Change's efforts, there is a simple proposition: what is more degrading to the homeless, that technology is being used to create a practical solution to a very real issue, or that swathes of homeless people have become a fixture on our high streets, their presence so normalised most onlookers are unmoved by their suffering? These are people who have been reduced to mere statistics in studies. Scanning the code provides a short biography of the person in need, detailing how they ended up on the streets and what they're saving for. This can allow them to reclaim their identity in a society where they are often ignored. The absence of an official record of the amount of rough sleepers dying on our streets is a huge issue, as a Manchester Evening News story underlined this week. Government research from late 2017 estimates there were 4,751 people sleeping rough on a given night. The homelessness charity Crisis believes the actual figure is in excess of 8,000 . Theresa May declares this to be an issue of "national shame" , yet her government is unwilling to take account of the full scope of the crisis. The rollout of universal credit , calamitous cuts to mental health and addiction services, and a mammoth shortfall in affordable housing have caused misery across the country. With 80% of rough sleepers suffering from a mental illness and two-thirds citing drug and alcohol abuse as the reason they ended up on the streets, it's clear that the Tories' austerity measures have had a direct impact on the dramatic increase in homelessness since they came to power in 2010. This week the prime minister unveiled a £100m pledge to eradicate rough sleeping by 2027 , but it was a hollow promise. Not long after the announcement the communities secretary, James Brokenshire, conceded that half of this money had already been allocated to homelessness, and the other half had been "reprioritised" from elsewhere in the housing budget. It seems clear that the homelessness epidemic isn't quite the priority that the government claims it to be. There is scepticism about whether schemes such as Greater Change will make a difference, but where the state is failing society's most vulnerable, it's left to charities and the goodwill of the public to help. To meet the overwhelming need of the homeless, ingenuity is a necessity – and that includes finding ways to adapt to our cashless society. • Eloise Millard is a freelance journalist and film-maker specialising in poverty and inequalit \ No newline at end of file diff --git a/input/test/Test336.txt b/input/test/Test336.txt new file mode 100644 index 0000000..ca9053d --- /dev/null +++ b/input/test/Test336.txt @@ -0,0 +1,7 @@ + John. R. Edwardson on Aug 17th, 2018 // No Comments +Fresnillo (LON:FRES) had its target price cut by Morgan Stanley from GBX 1,330 ($16.97) to GBX 1,200 ($15.31) in a report issued on Tuesday. They currently have an equal weight rating on the stock. +Several other equities analysts have also commented on FRES. JPMorgan Chase & Co. reduced their price target on Fresnillo from GBX 1,300 ($16.58) to GBX 1,250 ($15.95) and set a neutral rating on the stock in a research report on Wednesday, August 8th. UBS Group reissued a neutral rating and set a GBX 1,200 ($15.31) price target on shares of Fresnillo in a research report on Wednesday, August 1st. Numis Securities reissued a buy rating on shares of Fresnillo in a research report on Wednesday, August 1st. Goldman Sachs Group reduced their price target on Fresnillo from GBX 1,575 ($20.09) to GBX 1,550 ($19.77) and set a conviction-buy rating on the stock in a research report on Monday, August 6th. Finally, Citigroup reduced their price target on Fresnillo from GBX 1,395 ($17.80) to GBX 1,285 ($16.39) and set a neutral rating on the stock in a research report on Thursday, April 26th. Eight investment analysts have rated the stock with a hold rating, three have given a buy rating and one has assigned a strong buy rating to the company. Fresnillo presently has an average rating of Hold and an average target price of GBX 1,381.25 ($17.62). Get Fresnillo alerts: +Fresnillo stock opened at GBX 909.51 ($11.60) on Tuesday. Fresnillo has a one year low of GBX 1,174 ($14.98) and a one year high of GBX 1,746 ($22.27). The firm also recently announced a dividend, which will be paid on Friday, September 7th. Shareholders of record on Thursday, August 9th will be given a $0.11 dividend. This represents a dividend yield of 0.8%. The ex-dividend date of this dividend is Thursday, August 9th. +Fresnillo Company Profile +Fresnillo plc mines, develops, and produces non-ferrous minerals in Mexico. It primarily explores for silver, gold, lead, and zinc concentrates. The company's operating mines include the Fresnillo, Saucito, Ciénega, Herradura, Noche Buena, and San Julián; development projects comprise the Pyrites Plant, and second line of the DLP at Herradura; and advanced exploration projects consist of the Orisyvo, Juanicipio, Las Casas Rosario and Cluster Cebollitas, and Centauro Deep, as well as various other long term exploration prospects. +Further Reading: Trading Strategy Receive News & Ratings for Fresnillo Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Fresnillo and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test3360.txt b/input/test/Test3360.txt new file mode 100644 index 0000000..42c1896 --- /dev/null +++ b/input/test/Test3360.txt @@ -0,0 +1,10 @@ +Tweet +CIBC Private Wealth Group LLC bought a new stake in shares of Wyndham Hotels & Resorts Inc (NYSE:WH) during the 2nd quarter, according to its most recent 13F filing with the Securities and Exchange Commission. The institutional investor bought 19,526 shares of the company's stock, valued at approximately $1,149,000. +Several other hedge funds and other institutional investors have also made changes to their positions in WH. Squar Milner Financial Services LLC purchased a new stake in shares of Wyndham Hotels & Resorts during the 2nd quarter valued at about $115,000. CENTRAL TRUST Co purchased a new stake in Wyndham Hotels & Resorts in the 2nd quarter worth about $134,000. Factorial Partners LLC purchased a new stake in Wyndham Hotels & Resorts in the 2nd quarter worth about $188,000. Duncker Streett & Co. Inc. purchased a new stake in Wyndham Hotels & Resorts in the 2nd quarter worth about $202,000. Finally, First Quadrant L P CA purchased a new stake in Wyndham Hotels & Resorts in the 2nd quarter worth about $224,000. Hedge funds and other institutional investors own 19.44% of the company's stock. Get Wyndham Hotels & Resorts alerts: +A number of research firms recently weighed in on WH. UBS Group raised shares of Wyndham Hotels & Resorts from a "hold" rating to a "buy" rating in a research report on Thursday, August 2nd. Wolfe Research lowered shares of Wyndham Hotels & Resorts from a "market perform" rating to an "underperform" rating in a research report on Tuesday, July 10th. Goldman Sachs Group raised shares of Wyndham Hotels & Resorts from a "buy" rating to a "conviction-buy" rating in a research report on Monday, June 25th. SunTrust Banks began coverage on shares of Wyndham Hotels & Resorts in a research report on Thursday, June 14th. They issued a "buy" rating and a $71.00 price objective on the stock. Finally, Oppenheimer began coverage on shares of Wyndham Hotels & Resorts in a research report on Monday, June 4th. They issued an "outperform" rating and a $69.00 price objective on the stock. One research analyst has rated the stock with a sell rating, six have given a buy rating and one has given a strong buy rating to the stock. Wyndham Hotels & Resorts has an average rating of "Buy" and a consensus price target of $72.67. In other news, insider Thomas Hunter Barber sold 879 shares of the firm's stock in a transaction that occurred on Wednesday, August 8th. The shares were sold at an average price of $60.07, for a total transaction of $52,801.53. The sale was disclosed in a document filed with the SEC, which is available through the SEC website . Also, insider Geoffrey A. Ballotti bought 10,000 shares of Wyndham Hotels & Resorts stock in a transaction dated Monday, August 6th. The shares were bought at an average cost of $61.48 per share, for a total transaction of $614,800.00. The disclosure for this purchase can be found here . +Wyndham Hotels & Resorts stock opened at $57.41 on Friday. The company has a quick ratio of 1.15, a current ratio of 1.15 and a debt-to-equity ratio of 1.48. Wyndham Hotels & Resorts Inc has a 1-year low of $54.41 and a 1-year high of $66.95. +Wyndham Hotels & Resorts (NYSE:WH) last posted its quarterly earnings data on Wednesday, August 1st. The company reported $0.73 earnings per share for the quarter, missing the Zacks' consensus estimate of $0.78 by ($0.05). The company had revenue of $435.00 million for the quarter, compared to the consensus estimate of $514.63 million. The business's revenue for the quarter was up 31.4% compared to the same quarter last year. equities research analysts anticipate that Wyndham Hotels & Resorts Inc will post 3.07 earnings per share for the current fiscal year. +The company also recently disclosed a quarterly dividend, which will be paid on Friday, September 28th. Investors of record on Friday, September 14th will be given a $0.25 dividend. This represents a $1.00 dividend on an annualized basis and a yield of 1.74%. The ex-dividend date of this dividend is Thursday, September 13th. +Wyndham Hotels & Resorts Company Profile +Wyndham Hotels & Resorts, Inc operates as a hotel franchisor worldwide. The company licenses its hotel brands, including Super 8, Days Inn, Ramada, Microtel Inn & Suites, La Quinta, Wingate, AmericInn, Hawthorn Suites, The Trademark Collection, and Wyndham to hotel owners in approximately 80 countries. +Featured Article: Trading Strategy Receive News & Ratings for Wyndham Hotels & Resorts Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Wyndham Hotels & Resorts and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test3361.txt b/input/test/Test3361.txt new file mode 100644 index 0000000..f4c4862 --- /dev/null +++ b/input/test/Test3361.txt @@ -0,0 +1 @@ +Website Designing Company In Indore (Indore) Reply to: (Use contact form below) (Please mention ChennaiClassic.com when contacting) ABIT CORP website designing company based in Indore,India providing web solution and digital marketing that will take your business to the pinnacle of success. We founded our business with the aim of providing high-quality website designing services and web development work for businesses which are growing and who are looking for best results. We're a dedicated team of professionals with large agency experience and business owners who understand the problems every businesses face. At ABIT CORP, different teams have been trying vigorously to understand client requirements throughout the globe in various IT sectors, and have been progressive in their methodologies. We offers versatile services in the domain of Information Technology and conduct major operations in diverse domains like web design,web app development,ERP development,software development,seo,smm,sem and all type of Internet services. Contact this User \ No newline at end of file diff --git a/input/test/Test3362.txt b/input/test/Test3362.txt new file mode 100644 index 0000000..ccb7910 --- /dev/null +++ b/input/test/Test3362.txt @@ -0,0 +1,9 @@ +Tweet +Brick & Kyle Associates bought a new stake in FedEx Co. (NYSE:FDX) in the 2nd quarter, according to its most recent 13F filing with the Securities & Exchange Commission. The firm bought 10,101 shares of the shipping service provider's stock, valued at approximately $2,294,000. FedEx makes up about 1.8% of Brick & Kyle Associates' portfolio, making the stock its 20th largest holding. +A number of other institutional investors and hedge funds have also recently made changes to their positions in FDX. Bank of Montreal Can acquired a new stake in FedEx in the second quarter valued at approximately $216,966,000. Assenagon Asset Management S.A. acquired a new stake in FedEx in the second quarter valued at approximately $62,966,000. Chevy Chase Trust Holdings Inc. acquired a new stake in FedEx in the second quarter valued at approximately $58,442,000. Prudential Financial Inc. boosted its stake in FedEx by 53.7% in the first quarter. Prudential Financial Inc. now owns 696,459 shares of the shipping service provider's stock valued at $167,226,000 after acquiring an additional 243,343 shares in the last quarter. Finally, Westwood Holdings Group Inc. boosted its stake in FedEx by 63.0% in the first quarter. Westwood Holdings Group Inc. now owns 624,805 shares of the shipping service provider's stock valued at $150,021,000 after acquiring an additional 241,604 shares in the last quarter. Institutional investors own 74.06% of the company's stock. Get FedEx alerts: +Shares of FedEx stock opened at $246.25 on Friday. The company has a debt-to-equity ratio of 0.79, a current ratio of 1.39 and a quick ratio of 1.33. FedEx Co. has a 1 year low of $204.69 and a 1 year high of $274.66. The firm has a market cap of $63.93 billion, a P/E ratio of 16.08, a price-to-earnings-growth ratio of 1.10 and a beta of 1.43. +FedEx (NYSE:FDX) last issued its earnings results on Tuesday, June 19th. The shipping service provider reported $5.91 earnings per share (EPS) for the quarter, topping the Thomson Reuters' consensus estimate of $5.72 by $0.19. FedEx had a net margin of 6.99% and a return on equity of 23.17%. The firm had revenue of $17.31 billion during the quarter, compared to analysts' expectations of $17.24 billion. During the same quarter last year, the company posted $4.25 earnings per share. The firm's revenue was up 10.1% compared to the same quarter last year. equities analysts anticipate that FedEx Co. will post 17.31 earnings per share for the current fiscal year. +FDX has been the subject of several recent analyst reports. Morgan Stanley lowered their target price on shares of FedEx from $248.00 to $245.00 and set an "equal weight" rating for the company in a research note on Wednesday, June 20th. UBS Group downgraded shares of FedEx from a "buy" rating to a "neutral" rating and set a $256.00 price objective for the company. in a research note on Monday, July 16th. Citigroup lifted their price objective on shares of FedEx from $274.00 to $282.00 and gave the stock an "outperform" rating in a research note on Wednesday, May 16th. Zacks Investment Research upgraded shares of FedEx from a "hold" rating to a "buy" rating and set a $282.00 price objective for the company in a research note on Wednesday, May 30th. Finally, Oppenheimer lifted their price objective on shares of FedEx from $282.00 to $288.00 and gave the stock an "outperform" rating in a research note on Thursday, June 14th. One equities research analyst has rated the stock with a sell rating, three have issued a hold rating and eighteen have assigned a buy rating to the stock. The company presently has a consensus rating of "Buy" and an average price target of $283.75. +About FedEx +FedEx Corporation provides transportation, e-commerce, and business services worldwide. The company's FedEx Express segment provides various shipping services for the delivery of packages and freight; international trade services specializing in customs brokerage, and ocean and air freight forwarding services; assistance with the customs-trade partnership against terrorism program; and customs clearance services, as well as an information tool that allows customers to track and manage imports. +Further Reading: Penny Stocks Receive News & Ratings for FedEx Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for FedEx and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test3363.txt b/input/test/Test3363.txt new file mode 100644 index 0000000..d506456 --- /dev/null +++ b/input/test/Test3363.txt @@ -0,0 +1,4 @@ +The age-old mishap: confusing the brake pedal with the accelerator pedal. Taking a dealer's car for a quick spin to see if it lives up to our expectations is a crucial component of the entire car buying experience. For most of us infatuated with everything on four wheels, it's an experience we will remember for the rest of our lives. A woman interested in buying the BMW X1 will also remember test driving the posh SUV, but for an entirely different reason. +After enjoying the X1 during the test drive, the prospective buyer returned to the dealer's parking lot. That's when things went south as while trying to park the high-riding BMW, she hit the gas pedal instead of pressing the brake, thus turning the test drive into an impromptu crash test. CCTV footage from the dealer shows employees minding their own business when all of the sudden, one of their own cars smashes into the building's entry. +Admit it, you like seeing cars crash: ⠀ BMW Z4 M Roadster Crashes While Carving Corners At The 'Ring Boat Smashes Into Truck That Was Towing It You'd think that's the end of the story, but even after getting stuck for a brief moment after hitting a pillar, the driver likely didn't take her foot off the accelerator pedal, hence why the X1 continued its adventure inside the BMW dealership located in southern China's Guangzhou. The eventful ride eventually came to an end after the blue SUV crashed into the wall. +Thankfully, both the driver and the salesperson got out of the car safe and sound, while the employees also managed to escape unscathed after running for their lives upon seeing the X1 coming right at them. We can't say the same thing about the X1 as it will need some TLC, much like the dealer's building. Reports say the driver has agreed to accept full responsibility for what happened, while the dealer's insurance company is currently estimating the total damages \ No newline at end of file diff --git a/input/test/Test3364.txt b/input/test/Test3364.txt new file mode 100644 index 0000000..d74153b --- /dev/null +++ b/input/test/Test3364.txt @@ -0,0 +1,10 @@ +CIBC Private Wealth Group LLC bought a new stake in shares of Wyndham Hotels & Resorts Inc (NYSE:WH) during the 2nd quarter, according to its most recent 13F filing with the Securities and Exchange Commission. The institutional investor bought 19,526 shares of the company's stock, valued at approximately $1,149,000. +Several other hedge funds and other institutional investors have also made changes to their positions in WH. Squar Milner Financial Services LLC purchased a new stake in shares of Wyndham Hotels & Resorts during the 2nd quarter valued at about $115,000. CENTRAL TRUST Co purchased a new stake in Wyndham Hotels & Resorts in the 2nd quarter worth about $134,000. Factorial Partners LLC purchased a new stake in Wyndham Hotels & Resorts in the 2nd quarter worth about $188,000. Duncker Streett & Co. Inc. purchased a new stake in Wyndham Hotels & Resorts in the 2nd quarter worth about $202,000. Finally, First Quadrant L P CA purchased a new stake in Wyndham Hotels & Resorts in the 2nd quarter worth about $224,000. Hedge funds and other institutional investors own 19.44% of the company's stock. Get Wyndham Hotels & Resorts alerts: +A number of research firms recently weighed in on WH. UBS Group raised shares of Wyndham Hotels & Resorts from a "hold" rating to a "buy" rating in a research report on Thursday, August 2nd. Wolfe Research lowered shares of Wyndham Hotels & Resorts from a "market perform" rating to an "underperform" rating in a research report on Tuesday, July 10th. Goldman Sachs Group raised shares of Wyndham Hotels & Resorts from a "buy" rating to a "conviction-buy" rating in a research report on Monday, June 25th. SunTrust Banks began coverage on shares of Wyndham Hotels & Resorts in a research report on Thursday, June 14th. They issued a "buy" rating and a $71.00 price objective on the stock. Finally, Oppenheimer began coverage on shares of Wyndham Hotels & Resorts in a research report on Monday, June 4th. They issued an "outperform" rating and a $69.00 price objective on the stock. One research analyst has rated the stock with a sell rating, six have given a buy rating and one has given a strong buy rating to the stock. Wyndham Hotels & Resorts has an average rating of "Buy" and a consensus price target of $72.67. +In other news, insider Thomas Hunter Barber sold 879 shares of the firm's stock in a transaction that occurred on Wednesday, August 8th. The shares were sold at an average price of $60.07, for a total transaction of $52,801.53. The sale was disclosed in a document filed with the SEC, which is available through the SEC website . Also, insider Geoffrey A. Ballotti bought 10,000 shares of Wyndham Hotels & Resorts stock in a transaction dated Monday, August 6th. The shares were bought at an average cost of $61.48 per share, for a total transaction of $614,800.00. The disclosure for this purchase can be found here . +Wyndham Hotels & Resorts stock opened at $57.41 on Friday. The company has a quick ratio of 1.15, a current ratio of 1.15 and a debt-to-equity ratio of 1.48. Wyndham Hotels & Resorts Inc has a 1-year low of $54.41 and a 1-year high of $66.95. +Wyndham Hotels & Resorts (NYSE:WH) last posted its quarterly earnings data on Wednesday, August 1st. The company reported $0.73 earnings per share for the quarter, missing the Zacks' consensus estimate of $0.78 by ($0.05). The company had revenue of $435.00 million for the quarter, compared to the consensus estimate of $514.63 million. The business's revenue for the quarter was up 31.4% compared to the same quarter last year. equities research analysts anticipate that Wyndham Hotels & Resorts Inc will post 3.07 earnings per share for the current fiscal year. +The company also recently disclosed a quarterly dividend, which will be paid on Friday, September 28th. Investors of record on Friday, September 14th will be given a $0.25 dividend. This represents a $1.00 dividend on an annualized basis and a yield of 1.74%. The ex-dividend date of this dividend is Thursday, September 13th. +Wyndham Hotels & Resorts Company Profile +Wyndham Hotels & Resorts, Inc operates as a hotel franchisor worldwide. The company licenses its hotel brands, including Super 8, Days Inn, Ramada, Microtel Inn & Suites, La Quinta, Wingate, AmericInn, Hawthorn Suites, The Trademark Collection, and Wyndham to hotel owners in approximately 80 countries. +Featured Article: Trading Strategy Wyndham Hotels & Resorts Wyndham Hotels & Resort \ No newline at end of file diff --git a/input/test/Test3365.txt b/input/test/Test3365.txt new file mode 100644 index 0000000..5655fb7 --- /dev/null +++ b/input/test/Test3365.txt @@ -0,0 +1,11 @@ +RT August 16, 2018 +A hearty bowl of oatmeal is a healthy way to start your day, but according to a new study, that bowl of oatmeal can contain dangerous levels of glyphosate, a weed-killing chemical linked to cancer. +The study, carried out by the non-profit Environmental Working Group, found that 43 out of 45 popular breakfast cereals tested in three locations in the US contained traces of glyphosate . 31 of these contained dangerously high levels of the chemical. +Glyphosate is the active ingredient in Roundup, a weedkiller manufactured by Monsanto. Roundup is the most popular weedkiller in the US, and last week a court in California ordered the company to pay $39 million in compensation and $250 million in punitive damages to a school groundskeeper who developed non-Hodgkin's lymphoma after years of using Roundup at work. +The World Health Organization's cancer research agency classified glyphosate as "probably carcinogenic to humans" in 2015. In the US, the Environmental Protection Agency (EPA) labeled glyphosate a carcinogen in 1985, but reversed its position in 1991. In 2017, California listed glyphosate in its Proposition 65 registry of chemicals known to cause cancer. +The cereals tested weren't all lurid-colored Lucky Charms or sugar-crusted Frosties, but oat-based 'healthy' choices. The high levels of glyphosate came from the oats themselves. +The highest levels were found in Quaker Old Fashioned Oats – 1,000 parts per billion (ppb) of glyphosate. The EWG calculated levels above 160 ppb as unsafe for children. Giant Instant Oatmeal contained 760 ppb, and three samples of Cheerios contained concentrations of between 470 and 530 ppb. +250 million pounds of glyphosate are sprayed on American crops every year, but the highest concentrations of the chemical are found in non-GMO wheat, barley, oats, and beans. Farmers spray these crops with glyphosate right before harvest time, as they kill the crop and dry it out, making it ready for harvest quicker. A d v e r t i s e m e n t +All oats are not equal though. The EWG also tested 16 cereals made with organically-grown oats. While five of these contained glyphosate, none were above the group's health benchmark of 160 ppb. While organic foods should by definition be free of chemicals like glyphosate, these chemicals can often drift onto these crops from nearby fields of conventionally-grown crops, or at factories that handle both kinds of crop. +"Glyphosate does not belong in cereal," said the EWG. The organization called on Americans to "urge the EPA to restrict pre-harvest applications of glyphosate and tell companies to identify and use sources of glyphosate-free oats." +Meanwhile, despite several contradictory studies and a multi-million dollar payout, Monsanto's parent company, Bayer, said last week that "glyphosate is safe for use and does not cause cancer when used according to the label." This article was posted: Thursday, August 16, 2018 at 6:19 am \ No newline at end of file diff --git a/input/test/Test3366.txt b/input/test/Test3366.txt new file mode 100644 index 0000000..8fc32c2 --- /dev/null +++ b/input/test/Test3366.txt @@ -0,0 +1,13 @@ +CHANGE REGION 1 of 2 In this Feb. 9, 2017, photo Benjamin Smith, President, Passenger Airlines Air Canada, speaks before revealing the new Air Canada Boeing 787-8 Dreamliner at a hangar at the Toronto Pearson International Airport in Mississauga, Ontario. Air Canada's chief operating officer Smith has been named the new CEO of Air France-KLM. Smith will replace former Air France CEO Jean-Marc Janaillac, who quit more than three months ago when staff turned down his offer of a pay deal aimed at halting a wave of strikes. (Mark Blinch/The Canadian Press via AP) 2 of 2 In this Dec. 18, 2012, photo, executive vice-president Benjamin Smith unveils the new leisure airline Air Canada Rouge in Toronto. Air Canada's chief operating officer Smith has been named the new CEO of Air France-KLM. Smith will replace former Air France CEO Jean-Marc Janaillac, who quit more than three months ago when staff turned down his offer of a pay deal aimed at halting a wave of strikes. (Aaron Vincent Elkaim/The Canadian Press via AP) Benjamin Smith new CEO of Air France-KLM, unions concerned @6:06 AM SHARE +PARIS (AP) — Air France-KLM has named Benjamin Smith, formerly a top executive at Air Canada, as its new CEO and unions said Friday they were concerned he would cut back on wages and work conditions. +The company has announced Thursday that Smith, who is 46 and was previously Air Canada's chief operating officer, will fill the role by Sept. 30. +Vincent Salles, union official at CGT-Air France union, said Friday on France Info radio that unions fear Smith's mission is to implement plans that would "deteriorate working conditions and wages." +Unions also have expressed concerns that he would tend to expand the company's low cost subsidiaries instead of developing Air France's main brand. +Smith becomes the first foreign CEO in the company's history, which has also sparked criticism from unions. +Nine unions objected to the appointment of a foreigner in the name of "the defense of our national airline's interests," in a joint statement issued before the board decision. +Union representatives are to gather on Aug. 27 to discuss potential strike actions. +The previous CEO, Jean-Marc Janaillac, resigned in May after Air France employees held 13 days of strike over pay and rejected the company's wage proposal, considered too low. +Unions are seeking a 6 percent pay rise. Crews and ground staff wages have been frozen since 2011. +The company estimates the strike cost it 335 million euros ($381 million) in the first half of the year. +Smith said he is "well aware of the competitive challenges" the group is facing. "I am convinced that the airlines' teams have all the strengths to succeed in the global airline market," he said in an Air France-KLM statement. +Finance Minister Bruno Le Maire said Smith's arrival was an "opportunity" for Air France-KLM and expressed his confidence in the new CEO's ability to "re-establish social dialogue." The French state holds a 14.3 percent stake in the company \ No newline at end of file diff --git a/input/test/Test3367.txt b/input/test/Test3367.txt new file mode 100644 index 0000000..1340a28 --- /dev/null +++ b/input/test/Test3367.txt @@ -0,0 +1,4 @@ +Make Your Brand Illustrious with Prominent Digital Marketing Company orion digital +Egg white peptide is an advanced amino acid peptide bond formulation which is produced by the hydrolysis of chicken egg albumin with the help of an enzyme. This egg white peptide i 17 August, 2018 +Multiple housing schemes and projects have introduced to provide the residential units to the people of Delhi NCR. The population is increasing at a rapid rate resulting in a rise 17 August, 2018 +Traveling, no doubt, is the best to explore new places, spend quality time with family and friends and bond a good relationship. If you want to get a holiday break from your bor 17 August, 201 \ No newline at end of file diff --git a/input/test/Test3368.txt b/input/test/Test3368.txt new file mode 100644 index 0000000..6728ab6 --- /dev/null +++ b/input/test/Test3368.txt @@ -0,0 +1,2 @@ +Registriert seit: 07.12.2017 +Arseus NV (Arseus) is a healthcare service provider. The company operates its business through four segments Adam Pelech Jersey , namely, Fagron Group, Corilus, Healthcare Solutions (Arseus Dental) and Healthcare Specialties (Arseus Medical). It together with its subsidiaries develops and distributes healthcare products and services for healthcare professionals including doctors, dentists, pharmacists, and hospitals. Arseus offers raw materials, services and concepts, and ready-made products, which are used in hospitals and pharmacies. The company imparts IT solutions to dentists, general practitioners, ophthalmologists and veterinarians, and also dental practitioners with solutions and services such as workflow and practice management, and interpretation. It operates a manufacturing facility located in Switzerland. Arseus Dental is subdivided into 3 divisions, namely, Arseus Dental Solutions, Arseus Dental Lab and Arseus Dental Technologies. Arseus is headquartered in Rotterdam, Belgium.This comprehensive SWOT profile of Arseus NV provides you an in-depth strategic analysis of the companys businesses and operations. The profile has been compiled by GlobalData to bring to you a clear and an unbiased view of the companys key strengths and weaknesses and the potential opportunities and threats. The profile helps you formulate strategies that augment your business by enabling you to understand your partners, customers and competitors better. This company report forms part of GlobalDatas Profile on Demand service, covering over 50,000 of the worlds leading companies. Once purchased, GlobalDatas highly qualified team of company analysts will comprehensively research and author a full financial and strategic analysis of Arseus NV including a detailed SWOT analysis, and deliver this direct to you in pdf format within two business days. (excluding weekends) \ No newline at end of file diff --git a/input/test/Test3369.txt b/input/test/Test3369.txt new file mode 100644 index 0000000..293c428 --- /dev/null +++ b/input/test/Test3369.txt @@ -0,0 +1,6 @@ +CIBC Private Wealth Group LLC raised its holdings in shares of British American Tobacco PLC (NYSE:BTI) by 10.9% during the 2nd quarter, according to the company in its most recent 13F filing with the Securities and Exchange Commission (SEC). The institutional investor owned 28,181 shares of the company's stock after acquiring an additional 2,770 shares during the quarter. CIBC Private Wealth Group LLC's holdings in British American Tobacco were worth $1,422,000 at the end of the most recent quarter. +A number of other large investors have also added to or reduced their stakes in the business. Assetmark Inc. grew its stake in British American Tobacco by 44.6% during the 2nd quarter. Assetmark Inc. now owns 3,121 shares of the company's stock valued at $157,000 after acquiring an additional 962 shares in the last quarter. Stratos Wealth Partners LTD. grew its stake in British American Tobacco by 8.5% during the 1st quarter. Stratos Wealth Partners LTD. now owns 13,051 shares of the company's stock valued at $753,000 after acquiring an additional 1,017 shares in the last quarter. Intrust Bank NA grew its stake in British American Tobacco by 7.8% during the 1st quarter. Intrust Bank NA now owns 14,923 shares of the company's stock valued at $861,000 after acquiring an additional 1,083 shares in the last quarter. Sigma Planning Corp grew its stake in British American Tobacco by 18.5% during the 2nd quarter. Sigma Planning Corp now owns 6,957 shares of the company's stock valued at $351,000 after acquiring an additional 1,088 shares in the last quarter. Finally, Premia Global Advisors LLC grew its stake in British American Tobacco by 21.3% during the 1st quarter. Premia Global Advisors LLC now owns 7,070 shares of the company's stock valued at $407,000 after acquiring an additional 1,241 shares in the last quarter. 8.43% of the stock is currently owned by institutional investors. Get British American Tobacco alerts: +Several equities analysts have weighed in on BTI shares. Piper Jaffray Companies cut British American Tobacco from an "overweight" rating to a "neutral" rating in a research note on Tuesday, May 1st. Zacks Investment Research cut British American Tobacco from a "hold" rating to a "sell" rating in a research note on Monday, June 4th. Two investment analysts have rated the stock with a sell rating, two have assigned a hold rating and three have issued a buy rating to the company. The company has an average rating of "Hold" and an average price target of $79.00. +NYSE:BTI opened at $53.09 on Friday. The company has a debt-to-equity ratio of 0.69, a quick ratio of 0.41 and a current ratio of 0.81. British American Tobacco PLC has a fifty-two week low of $48.00 and a fifty-two week high of $71.44. The stock has a market cap of $113.77 billion, a price-to-earnings ratio of 14.36, a price-to-earnings-growth ratio of 1.73 and a beta of 1.07. +British American Tobacco Company Profile +British American Tobacco p.l.c. provides cigarettes and other tobacco products worldwide. It manufactures vapour and tobacco heating products; oral tobacco and nicotine products, such as snus and moist snuff; cigars; and e-cigarettes. The company offers its products under the Dunhill, Kent, Lucky Strike, Pall Mall, Rothmans, Vogue, Viceroy, Kool, Peter Stuyvesant, Craven A, Benson & Hedges, John Player Gold Leaf, State Express 555, and Shuang Xi brands. British American Tobacco British American Tobacc \ No newline at end of file diff --git a/input/test/Test337.txt b/input/test/Test337.txt new file mode 100644 index 0000000..41ab20d --- /dev/null +++ b/input/test/Test337.txt @@ -0,0 +1,11 @@ +33,175 Shares in OGE Energy Corp. (OGE) Purchased by Connor Clark & Lunn Investment Management Ltd. Donna Armstrong | Aug 17th, 2018 +Connor Clark & Lunn Investment Management Ltd. bought a new position in shares of OGE Energy Corp. (NYSE:OGE) in the second quarter, HoldingsChannel reports. The firm bought 33,175 shares of the utilities provider's stock, valued at approximately $1,168,000. +Several other institutional investors have also recently bought and sold shares of OGE. BlackRock Inc. lifted its holdings in OGE Energy by 9.0% in the first quarter. BlackRock Inc. now owns 23,784,701 shares of the utilities provider's stock worth $779,426,000 after buying an additional 1,963,744 shares during the period. Amundi Pioneer Asset Management Inc. lifted its holdings in OGE Energy by 3.5% in the first quarter. Amundi Pioneer Asset Management Inc. now owns 1,492,000 shares of the utilities provider's stock worth $48,893,000 after buying an additional 49,804 shares during the period. Zimmer Partners LP lifted its holdings in OGE Energy by 90.4% in the first quarter. Zimmer Partners LP now owns 1,190,000 shares of the utilities provider's stock worth $38,996,000 after buying an additional 565,000 shares during the period. Principal Financial Group Inc. lifted its holdings in OGE Energy by 3.9% in the first quarter. Principal Financial Group Inc. now owns 911,889 shares of the utilities provider's stock worth $29,882,000 after buying an additional 34,313 shares during the period. Finally, Guggenheim Capital LLC lifted its holdings in OGE Energy by 5.7% in the first quarter. Guggenheim Capital LLC now owns 858,158 shares of the utilities provider's stock worth $28,121,000 after buying an additional 46,032 shares during the period. Institutional investors own 63.46% of the company's stock. Get OGE Energy alerts: +In other OGE Energy news, VP Patricia D. Horn sold 3,715 shares of the firm's stock in a transaction that occurred on Thursday, August 9th. The shares were sold at an average price of $37.00, for a total transaction of $137,455.00. The sale was disclosed in a filing with the Securities & Exchange Commission, which is available at this link . Also, VP Jerry A. Peace sold 2,513 shares of the firm's stock in a transaction that occurred on Tuesday, August 14th. The shares were sold at an average price of $36.71, for a total transaction of $92,252.23. Following the transaction, the vice president now directly owns 11,125 shares of the company's stock, valued at approximately $408,398.75. The disclosure for this sale can be found here . 0.44% of the stock is currently owned by company insiders. +OGE has been the subject of several research analyst reports. Zacks Investment Research upgraded shares of OGE Energy from a "sell" rating to a "hold" rating in a report on Friday, July 20th. UBS Group raised their price objective on shares of OGE Energy from $35.00 to $37.00 and gave the stock a "neutral" rating in a report on Friday, August 10th. ValuEngine lowered shares of OGE Energy from a "hold" rating to a "sell" rating in a report on Wednesday, May 2nd. Goldman Sachs Group lowered shares of OGE Energy from a "buy" rating to a "neutral" rating in a report on Sunday, June 24th. They noted that the move was a valuation call. Finally, Bank of America raised their price objective on shares of OGE Energy from $36.00 to $37.00 and gave the stock a "buy" rating in a report on Tuesday, June 19th. Seven research analysts have rated the stock with a hold rating and three have issued a buy rating to the company. OGE Energy has a consensus rating of "Hold" and a consensus target price of $36.83. +Shares of NYSE OGE opened at $37.54 on Friday. OGE Energy Corp. has a fifty-two week low of $29.59 and a fifty-two week high of $37.56. The company has a market cap of $7.37 billion, a price-to-earnings ratio of 19.45, a price-to-earnings-growth ratio of 3.75 and a beta of 0.66. The company has a quick ratio of 0.28, a current ratio of 0.45 and a debt-to-equity ratio of 0.64. +OGE Energy (NYSE:OGE) last announced its earnings results on Thursday, August 9th. The utilities provider reported $0.55 earnings per share for the quarter, missing the Zacks' consensus estimate of $0.57 by ($0.02). OGE Energy had a net margin of 28.26% and a return on equity of 10.74%. The business had revenue of $567.00 million for the quarter, compared to the consensus estimate of $592.64 million. During the same period in the prior year, the business posted $0.52 EPS. OGE Energy's revenue for the quarter was down 3.3% on a year-over-year basis. sell-side analysts anticipate that OGE Energy Corp. will post 2.04 EPS for the current year. +About OGE Energy +OGE Energy Corp., together with its subsidiaries, operates as an energy and energy services provider that offers physical delivery and related services for electricity and natural gas primarily in the south central United States. The company operates in two segments, Electric Utility and Natural Gas Midstream Operations. +Featured Story: Trading Strategy Examples and Plans +Want to see what other hedge funds are holding OGE? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for OGE Energy Corp. (NYSE:OGE). Receive News & Ratings for OGE Energy Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for OGE Energy and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test3370.txt b/input/test/Test3370.txt new file mode 100644 index 0000000..15b6b18 --- /dev/null +++ b/input/test/Test3370.txt @@ -0,0 +1,4 @@ +Smart Home +With the ultra-affordable Google Home Mini and Echo Dot often on sale for as little as $30, it's no surprise that sales of smart speakers have gone through the roof over the past 12 months. The global market saw year-on-year growth of 187% in Q2, with total shipments increasing from 5.8 million in 2017 to a staggering 16.8 million for the same period in 2018. Google's lead from Q1 has been retained — it sold 5.4 million Home devices in the second quarter. +This time last year, Amazon held a healthy lead in the space with 82.3% of sales against Google's 16.9%. While Echo devices now only make up 24.5% (4.1 million) of the market, Google has doubled its share (32.3%). According to the report from data firm Canalys , both companies rely heavily on increasing US demand for smart speakers, but improving availability in Europe and Asia has also been an important factor. +China was responsible for 52% of the total growth, with Alibaba and Xiaomi now third and fourth in overall shipments, respectively. They account for 90% of the market in a country where sales of smart speakers were almost non-existent a year ago. We can expect to see China overtake the US in total marketshare in the near future — another good reason for Google's renewed focus on rolling out its services in the region . Source \ No newline at end of file diff --git a/input/test/Test3371.txt b/input/test/Test3371.txt new file mode 100644 index 0000000..1c310ef --- /dev/null +++ b/input/test/Test3371.txt @@ -0,0 +1 @@ +Whole Smart Connected Washing Machines Market Size, Share, Development by 2025 - QY Research, Inc. Press release from: QYResearch PR Agency: QYR Whole Smart Connected Washing Machines Market Size, Share, Development by 2025 - QY Research, Inc. This report presents the worldwide Smart Connected Washing Machines market size (value, production and consumption), splits the breakdown (data status 2013-2018 and forecast to 2025), by manufacturers, region, type and application. This study also analyzes the market status, market share, growth rate, future trends, market drivers, opportunities and challenges, risks and entry barriers, sales channels, distributors and Porter's Five Forces Analysis. The smart connected top load washer segment led the market and accounted for close to 62% of the market share in terms of revenue. Top load washing machines are faster and have larger capacity drums that are capable of washing bigger loads of laundry in a single cycle. In terms of geography, the Americas dominated the global smart connected washing machine market. Recent technological advancements and increasing awareness among customers in the Americas, especially the US, is likely to spur the growth of this market. Moreover, factors like high internet and smartphone penetration in the region will aid in this marketâs growth in the next few years. The following manufacturers are covered in this report:     Whirlpool     LG Electronics     Robert Bosch     Electrolux     Samsung     GE Appliances     Siemens     Haier     Midea     Panasonic Corporation Smart Connected Washing Machines Breakdown Data by Type     Top Load     Front Load Smart Connected Washing Machines Breakdown Data by Application     Residential     Commercial Smart Connected Washing Machines Production by Region     United States     Europe     China     Japan     Other Regions     Other Regions The study objectives are:     To analyze and research the global Smart Connected Washing Machines status and future forecast�źinvolving, production, revenue, consumption, historical and forecast.     To present the key Smart Connected Washing Machines manufacturers, production, revenue, market share, and recent development.     To split the breakdown data by regions, type, manufacturers and applications.     To analyze the global and key regions market potential and advantage, opportunity and challenge, restraints and risks.     To identify significant trends, drivers, influence factors in global and regions.     To analyze competitive developments such as expansions, agreements, new product launches, and acquisitions in the market. Request Sample Report and TOC@ www.qyresearchglobal.com/goods-1790598.html About Us: QY Research established in 2007, focus on custom research, management consulting, IPO consulting, industry chain research, data base and seminar services. The company owned a large basic data base (such as National Bureau of statistics database, Customs import and export database, Industry Association Database etc), expertâs resources (included energy automotive chemical medical ICT consumer goods etc. QY Research Achievements:  Year of Experience: 11 Years Consulting Projects: 500+ successfully conducted so far Global Reports: 5000 Reports Every Years Resellers Partners for Our Reports: 150 + Across Globe Global Clients: 34000 \ No newline at end of file diff --git a/input/test/Test3372.txt b/input/test/Test3372.txt new file mode 100644 index 0000000..682ac5c --- /dev/null +++ b/input/test/Test3372.txt @@ -0,0 +1 @@ +Baby Care Product Market Present Scenario and the Growth Prospects with Forecast 2024 vilas jadhav 17th-Aug-2018 0 Axiom Market Research & Consulting™ added a " Baby Care Product Market Report, By Product Type, By Distribution Channel and Geography – Global Market Share, Trend Analysis & Forecast Up To 2024". Baby products are defined as products used for babies between the ages 0 months to 1 year. These products include alarms, car seats, prams, toys, clothes, baby carriers, clothes and prawns. Get the Free Sample: https://axiommrc.com/request-for-sample/?report=1675 Baby Care Product Market Report Analysis: The market for baby products is constantly growing due to the desire to be the perfect mother. These products are meant to make life easier as a parent and only focused on babies. Baby care product market is primarily driven by increased, rising awareness about health and hygiene of babies, disposable income and growing working women population. Increasing focus of prominent players on specially designed products, taking into consideration the wellbeing of kids boosted the demand for baby care products. However, increasing parents concern pertaining to the presence of harmful chemicals in baby products is hindering the growth of baby care product market. Baby Care Product Market Based On Type: Baby cosmetics & toiletries, baby safety and convenience products and baby food/formula. The baby cosmetics & toiletries segment is further bifurcated into baby skin care products (including baby lotions, creams/moisturizers, talcum powder and baby massage oil), baby hair care products (including hair oil and baby shampoo & conditioner), baby bath products (including soaps and bubble bath/shower gel) and diapers (waterproof nappy/disposable diapers, training nappy and cloth). Baby safety and convenience product are sub segmented into baby strollers, baby car seats and others. Baby food/formula is further categorized into baby food and baby formula. Cosmetics & toiletries accounted for the largest share in 2015 followed by baby food products. This largest share is attributed to increasing awareness among parents regarding benefits of infant food. Furthermore, in toiletries, baby diapers hold the largest market share in the baby care product market, owing to rise in expenditure of healthcare, increasing awareness in personal hygiene and sanitization and urbanization. Baby Care Product Market Based on Distribution Channel : Global baby care product market is categorized into online distribution channel and offline distribution channel. The online distribution channel segment is expected to expand at a fast pace during the forecast period, owing to the rise in adoption of smart phones, internet services, rise of digital technology and increasing consumers preference for ordering product through apps or websites, which provide maximum convenience and transparency. E-commerce platform is growing in many countries, due to the increase in Internet penetration, boosting the demand for baby care products. Furthermore, online shopping offers free shipping, home delivery, on-time delivery, and easy exchange and return. Therefore, consumers prefer the online buying model over the offline buying model. Baby Care Product Market by Region: North America, Europe, Asia Pacific, Latin America, and Middle East & Africa. North America comprises United States, Canada and Mexico whereas Europe would primarily cover Germany, France, UK, Italy and Rest of Europe. The key countries included under Asia Pacific are China, Japan, India, Australia, and Rest of Asia Pacific. In Latin America, Brazil, Argentina, and Rest of Latin America are the key countries whereas in Middle East & Africa, South Africa and Rest of MEA are the key countries covered in the report. Asia Pacific dominated the global baby care products market and is anticipated to maintain its leading position during the forecast period. Brows Full Report: https://axiommrc.com/product/1675-baby-care-product-market-report Baby Care Product Market by Top Key Players: Unilever Plc, Johnson & Johnson, Procter & Gamble Company, and Kimberly-Clark. In terms of baby food products, Nestle, Abbott Nutrition, Dabur, and Pristine Organics are leading the market place. About Axiom MRC: Axiom Market Research & Consulting™ (also known as Axiom MRC), is a full-service market research and data analytics firm, driven by a simple aim of providing key market intelligence to companies to assist them in taking informed business decisions pertaining to their marketing strategy, investments, new product launches, market competition, consumer or end users, social media trends etc. Media Contact: 616 Corporate Way, Suite 2-4268 Valley Cottage, NY, United States Email: sales@axiommrc.co \ No newline at end of file diff --git a/input/test/Test3373.txt b/input/test/Test3373.txt new file mode 100644 index 0000000..cac20fb --- /dev/null +++ b/input/test/Test3373.txt @@ -0,0 +1,16 @@ +Introduction One of the my main focuses is "long leading indicators," that is, economic data which usually turns a year or more before the economy as a whole turns. Perhaps the single one of those I have most often discussed is housing. Housing is somewhat unique among those indicators. There are others that focus on the financial sector, on producers, and on consumption. But housing is at the intersection of all three: production via house-building, consumption via the huge consumer spending on everything housing-related, and finance via mortgages. +Over the last year, the big question has been how increased interest rates and ever-escalating prices may finally be taking a bite out of the market. In order to examine this, and to put this morning's report on housing permits and starts in context, let me first step back and give you a "big picture" look at housing data - because there is a pattern to the order in which housing trends change. +The typical sequence of changes of trend in the housing market That order is as follows: +interest rates lead sales sales lead prices prices lead inventory I don't mean to suggest that the above sequence is inviolable, nor that causation is singular. As I have pointed out in the past, even if prices that are "too high" cause sales to slump, sales will turn first, even as prices rise for a while. That's because it takes a little while for sellers to get the message. Similarly, it is very clear that demographics can have a profound effect - in the case of the last 8 years, a significant tailwind of the large Millennial generation reaching their 30s. So, to show the sequence I laid out above, let's start with interest rates (inverted, blue) and sales, as measured by single family permits (red): As you can see, increased interest rates in 2014, and again last year caused a slowdown (albeit not a downturn) in housing permits. Since the lead time tends to average about 6 to 9 months, this strongly suggests that issuance of permits should stagnate. +Why do I focus on single family permits? Because they are the least volatile of all the housing data, and are just as leading as permits overall (first graph below) and slightly more leading than housing starts (second graph) (note these do not include this morning's data): +They are also *much* less volatile than new home sales, which are also very heavily revised: +Returning to our sequential paradigm, now let's compare the same permits metric with sale prices (as measured by the Case Shiller index): Sales have led prices by about 12 months. Most recently, although admittedly the effect has been small, the YoY% increase in housing has accelerated slightly, roughly one year after the YoY sales peak. Finally, let's compare prices (green) with inventory in the form of new houses for sale (purple): You can see, especially in the 2005-13 years, that house prices made peaks and troughs about 3 to 6 months before inventory did. Although inventory is much more variable, the general trend in the last few years for new homes is that inventory has been increasing. +While July housing starts were poor, permits - especially single family permits - rebounded So, mortgage interest rates have risen significantly in the past 24 months. Has it been enough to derail housing sales? With the above sequence in mind, let's take a look at today's overall housing starts (blue) and permits (red) data: +Here are the less volatile single family starts (blue) and permits (red): +There was a sharp divergence this month. While starts - both overall and single family - continued near 1 year lows, and at a rate no better than average for two years ago, p ermits rebounded. Most importantly, single family permits rebounded to a five month high, and only 2% below their February high. Most importantly, note that both overall and single family permits started to decline this year several months before starts. That single family permits look like they are recovering strongly suggests that starts will follow in a month or two. +Indeed, the general trend in the YoY% growth in permits has been some deceleration, but not nearly enough to turn negative: +Again, because permits tend to lead starts by a month or so, I expect starts to improve toward the good permits numbers next month. +The relatively good news from permits is especially important, because this week for the first time in several years, the 4 week moving average of purchase mortgage applications went negative, at levels close to an 18 month low. +Conclusion In conclusion, while we may be approaching the point where increased interest rates and prices are sufficient to overcome the demographic tailwind that has been buoying up housing, we don't seem to quite be there yet. +Disclosure: I/we have no positions in any stocks mentioned, and no plans to initiate any positions within the next 72 hours. +I wrote this article myself, and it expresses my own opinions. I am not receiving compensation for it (other than from Seeking Alpha). I have no business relationship with any company whose stock is mentioned in this article \ No newline at end of file diff --git a/input/test/Test3374.txt b/input/test/Test3374.txt new file mode 100644 index 0000000..c1cbd7c --- /dev/null +++ b/input/test/Test3374.txt @@ -0,0 +1,8 @@ +tech2 News Staff 17 August, 2018 15:57 IST Android Pie Go edition will save double the storage space compared to Oreo Go 0 Android Pie Go edition brings additional storage, faster boot times, better security, more. +A few days ago, Google officially started to release the public preview of the Android 9.0 Pie , and the company has now announced the 'Go edition' of its latest Android version, which is scheduled to roll out this fall. +For the uninitiated, Google introduced the Go edition of its regular Android operating system last year, which is targeted towards entry-level phones that have low RAM and onboard storage. +However, the Go edition for Android Pie is going to be way more efficient than the predecessor version. This year with Android Pie, the Go edition is bringing additional storage, faster boot times, better security, among other things. Representational image of Go edition apps on the new Android Pie version. +Apparently, where Android Oreo Go used up only a 3 GB installation on an 8 GB chip, Android Pie Go will take up 2.5 GB. +A few other features to look forward to on Android Pie Go are voice integration on Google Go, new features on YouTube Go and Maps Go, improved Files Go and Assistant Go, and Messages. +In the new Go version, Files Go will allow users to transfer data peer-to-peer, without using mobile data, that too at speeds up to 490 Mbps. On the other hand, Assistant Go has been improved with support for additional languages to the app, including Spanish, Brazilian Portuguese and Indonesian. In addition to that, Assistant Go on the new light Android app will support device actions like controlling Bluetooth, camera and flashlight, and adding reminders. +Finally, Android Messages App for the Go edition is now 50 percent smaller in size and the Phone App includes caller ID and spam detection. tag \ No newline at end of file diff --git a/input/test/Test3375.txt b/input/test/Test3375.txt new file mode 100644 index 0000000..3bfa6f2 --- /dev/null +++ b/input/test/Test3375.txt @@ -0,0 +1,2 @@ +RSS Medical Stretcher Chairs Market Analysis 2018-2025 Key Players Like: Stryker Corporation, Hill-Rom Holdings, Invacare Corp A closer look at the overall Medical Stretcher Chairs business scenario presented through self-explanatory charts, tables, and graphics images add greater value to the study. +New York, NY -- ( SBWIRE ) -- 08/17/2018 -- The latest market research report on Medical Stretcher Chairs market, samples and measures quality data on the overall business environment for the forecast period 2018-2025.Comprehensive data on growing investment pockets evaluated in the report on Medical Stretcher Chairs market are powered and backed by human answers. Comprehensive coverage of aspects such as market potential, size, share, and growth aims at creating an equation for profitability- whether stakeholders, business owners, and field marketing executives need to understand their market foothold and dynamics identify the white spaces or increase their yield. The broad scope of information on the current and future trends enable product owners to plan their growth such as the geography they should pursue and technology required for their success. Request for free sample report in PDF format @ https://www.marketexpertz.com/sample-enquiry-form/16298 In market segmentation by manufacturers, the report covers the following companies Allengers Medical Systems Limited, Blue Chip Medical Products, Inc, Stryker Corporation, AMTAI Medical Equipment, Inc, CDR Systems, C-RAD AB, GF Health Products, Inc, Elekta AB, Getinge AB, Hill-Rom Holdings, Invacare Corp, Medtronic Plc, Leoni AG, Medifa-hesse GmbH & CoKG, Novak M d.o.o, Skytron llc, Span America Medical System, Inc, OPT SurgiSystems S.R.L, STERIS, Transmotion Medical, Inc In market segmentation by types of Medical Stretcher Chairs market, the report covers- - General Stretcher Chair - Electric - Manual In market segmentation by applications of the Medical Stretcher Chairs, the report covers the following uses- - Hospitals - Ambulatory Surgical Centers (ASCs) - Clinics The extensive assessment of real-time data on the business environment offers a more specialized view of threats and challenges companies are likely to face in the years to come. In addition, the unique expertise of the researchers behind the study in strategic growth consulting enables product owners identifies important definition, product classification, and application. Coverage of critical data on investment feasibility, return on investment, demand and supply, import and export, consumption volume and production capability aim at supporting the business owners in multiple growth phases including the initial stages, product development and prioritizing potential geography. All valuable data assessed in the report are presented through charts, tables, and graphic images. Ask for discount on the report @ https://www.marketexpertz.com/discount-enquiry-form/16298 In market segmentation by geographical regions, the report has analysed the following regions- North America (USA, Canada and Mexico) Europe (Germany, France, UK, Russia and Italy) Asia-Pacific (China, Japan, Korea, India and Southeast Asia) South America (Brazil, Argentina, Columbia etc.) Middle East and Africa (Saudi Arabia, UAE, Egypt, Nigeria and South Africa) For further granularity, the study digs deep into aspects such as market segmentation, key driving forces, opportunities and threats for the forecast period of 2018-2025. To help business strategist strengthens their strategic planning and executes a plan to maintain and gain a competitive edge the research weighs up on buyer preferences, gross margin, profit and sale across different regions. Strong focus on financial competency, strengths, and weaknesses of the companies and recent acquisition and merger speaks a lot about the future adjacencies around the core business due to the on-going development in the Medical Stretcher Chairs market. Purchase complete report @ https://www.marketexpertz.com/checkout-form/16298 The research provides answers to the following key questions: - What will be the growth rate and the market size of the Medical Stretcher Chairs industry for the forecast period 2018-2025? - What are the major driving forces expected to impact the development of the Medical Stretcher Chairs market across different regions? - Who are the major driving forces expected to decide the fate of the industry worldwide? - Who are the prominent market players making a mark in the Medical Stretcher Chairs market with their winning strategies? - Which industry trends are likely to shape the future of the industry during the forecast period 2018-2025? - What are the key barriers and threats believed to hinder the development of the industry? - What are the future opportunities in the Medical Stretcher Chairs market? The report is distributed over 15 Chapters to display the analysis of the Medical Stretcher Chairs market. Chapter 1 covers the Medical Stretcher Chairs Introduction, product scope, market overview, market opportunities, market risk, market driving force; Chapter 2 talks about the top manufacturers and analyses their sales, revenue and pricing decisions for the duration 2018-2025; Chapter 3 displays the competitive nature of the market by discussing the competition among the top manufacturers. It dissects the market using sales, revenue and market share data for 2018-2025; Chapter 4, shows the global market by regions and the proportionate size of each market region based on sales, revenue and market share of Medical Stretcher Chairs, for the period 2018-2025; Chapter 5, 6, 7, 8 and 9, are dedicated to the analysis of the key regions, with sales, revenue and market share by key countries in these regions; Chapter 10 and 11, talk about the application and types of duty-free retail shops in the market using the same set of data for the period 2018-2025; Chapter 12 provides the market forecast by regions, types and applications using sales and revenue data for the period 2018-2025; Chapter 13, 14 and 15 describe the value chain by focusing on the sales channel and the distributors, traders, dealers of the Medical Stretcher Chairs. The concluding chapter also includes research findings and conclusion. Browse complete report description @ https://www.marketexpertz.com/industry-overview/medical-stretcher-chairs-market About MarketExpertz Planning to invest in market intelligence products or offerings on the web? Then marketexpertz has just the thing for you - reports from over 500 prominent publishers and updates on our collection daily to empower companies and individuals catch-up with the vital insights on industries operating across different geography, trends, share, size and growth rate. There's more to what we offer to our customers. With marketexpertz you have the choice to tap into the specialized services without any additional charges. Contact Us: 40 Wall St. 28th floor New York City, NY 10005 United States sales@marketexpertz.co \ No newline at end of file diff --git a/input/test/Test3376.txt b/input/test/Test3376.txt new file mode 100644 index 0000000..0014d78 --- /dev/null +++ b/input/test/Test3376.txt @@ -0,0 +1,2 @@ +06:27 EDT 17 Aug 2018 | Edison Investment Research +Edison Investment Research - Pharmaceutical & healthcare - Hutchison China MediTech: Highlights from Hutchison China MediTech's (HCM) H118 results relate to the substantial pipeline-related newsflow expected in 2018/19, the recent expansion of its US and international operations (which will enable HCM to execute its international R&D and commercialisation strategies) plus strong operational and financial performance by the China commercial platform division. Fruquintinib (third-line CRC) remains on track to launch in China by year end (approval decision expected by the CNDA in the next few months). Encouraging Phase II data so far on savolitinib (first-line NSCLC exon14m/deletion) could lead to accelerated approval in China, contingent on final data (expected in 2020) being consistent with data to date. We value HCM at $6.4bn or £73.3/share. ISIN: KYG4672N101 \ No newline at end of file diff --git a/input/test/Test3377.txt b/input/test/Test3377.txt new file mode 100644 index 0000000..2e60490 --- /dev/null +++ b/input/test/Test3377.txt @@ -0,0 +1,7 @@ +NFU confirms appointment of its Legal Panel firms NFU confirms appointment of its Legal Panel firms News +The NFU has confirmed the appointment of its Legal Panel firms after an intensive six-month review, with fifteen of its original members set to continue to serve on the panel. +The Legal Panel, which was originally appointed in its current format in May 2008, is reviewed every three years. Each review considers the firms' legal services, fee structures and commitment to the organisation and its members, as well as feedback from NFU members and staff. +NFU director of finance and business services Ken Sutherland said: "The Legal Panel is a vital part of the services offered to NFU members, and following a rigorous and robust review process I am delighted to confirm that fifteen firms have been reappointed. +"The firms have built upon and strengthened their agricultural and rural teams, and their professionalism and depth of knowledge is second-to-none." +Chairman of the Legal Board Trevor Foss added: "The increase in regulation in the industry over the past few years has put the Legal Panel in high demand and we are committed to delivering a high quality service for all. +" The reappointments will serve to strengthen the bond between the NFU, the LAS and the panel solicitors, which together delivers tangible benefits for all NFU members and LAS subscribers." Get Our E-Newsletter - Weekly email news from Poultry New \ No newline at end of file diff --git a/input/test/Test3378.txt b/input/test/Test3378.txt new file mode 100644 index 0000000..77cb897 --- /dev/null +++ b/input/test/Test3378.txt @@ -0,0 +1,31 @@ +Cellmid Ltd CDY Medical Equipment Deals and Alliances Profile [Report Updated: 12072018] Prices from USD $250 05:28 EDT 17 Aug 2018 | BioPortfolio Reports +Summary +Cellmid Ltd Cellmid, formerly Medical Therapies Ltd is a developer of therapies and diagnostic tests. The company holds comprehensive portfolio of intellectual property relating to the novel targets midkine and FGF5. It offers products such as midkine ELISA kit, advangen international hair loss products and evolis products. Cellmid is developing three therapeutic programs including AB102 oncology antibody , CAB101 inflammation antibody, and CMK103 cardiac ischemia. The company's products are used for the treatment and detection of cancers, the treatment of inflammatory, autoimmune diseases, and ischemic heart disease. It markets its products in Australia and Japan. Cellmid is headquartered in Sydney, New South Wales, Australia. +Cellmid Ltd CDY Medical Equipment Deals and Alliances Profile provides you comprehensive data and trend analysis of the company's Mergers and Acquisitions MAs, partnerships and financings. The report provides detailed information on Mergers and Acquisitions, Equity/Debt Offerings, Private Equity, Venture Financing and Partnership transactions recorded by the company over a five year period. The report offers detailed comparative data on the number of deals and their value categorized into deal types, subsector and regions. +GlobalData derived the data presented in this report from proprietary inhouse Medical eTrack deals database, and primary and secondary research. +Scope +Financial Deals Analysis of the company's financial deals including Mergers and Acquisitions, Equity/Debt Offerings, Private Equity, Venture Financing and Partnerships. +Deals by Year Chart and table displaying information encompassing the number of deals and value reported by the company by year, for a five year period. +Deals by Type Chart and table depicting information including the number of deals and value reported by the company by type such as Mergers and Acquisitions, Equity/Debt Offering etc. +Deals by Region Chart and table presenting information on the number of deals and value reported by the company by region, which includes North America, Europe, Asia Pacific, the Middle East and Africa and South and Central America. +Deals by Subsector Chart and table showing information on the number of deals and value reported by the company, by subsector. +Major Deals Information on the company's major financial deals. Each such deal has a brief summary, deal type, deal rationale; and deal financials and target Company's major public companies key financial metrics and ratios. +Business Description A brief description of the company's operations. +Key Employees A list of the key executives of the company. +Important Locations and Subsidiaries A list and contact details of key centers of operation and subsidiaries of the company. +Key Competitors A list of the key competitors of the company. +Key Recent Developments A brief on recent news about the company. +Reasons to Buy +Get detailed information on the company's financial deals that enable you to understand the company's expansion/divestiture and fund requirements +The profile enables you to analyze the company's financial deals by region, by year, by business segments and by type, for a five year period. +Understand the company's business segments' expansion / divestiture strategy +The profile presents deals from the company's core business segments' perspective to help you understand its corporate strategy. +Access elaborate information on the company's recent financial deals that enable you to understand the key deals which have shaped the company +Detailed information on major recent deals includes a summary of each deal, deal type, deal rationale, deal financials and Target Company's key financial metrics and ratios. +Equip yourself with detailed information about the company's operations to identify potential customers and suppliers. +The profile analyzes the company's business structure, locations and subsidiaries, key executives and key competitors. +Stay uptodate on the major developments affecting the company +Recent developments concerning the company presented in the profile help you track important events. +Gain key insights into the company for academic or business research +Key elements such as break up of deals into categories and information on detailed major deals are incorporated into the profile to assist your academic or business research needs. +Note*: Some sections may be missing if data is unavailable for the company. Related Biotechnology, Pharmaceutical and Healthcare New \ No newline at end of file diff --git a/input/test/Test3379.txt b/input/test/Test3379.txt new file mode 100644 index 0000000..cba6090 --- /dev/null +++ b/input/test/Test3379.txt @@ -0,0 +1,12 @@ +Shutterstock photo +Investors certainly have to be happy with ANGI Homeservices Inc. ANGI and its short term performance. After all, the stock has jumped by 19.2% in the past 4 weeks, and it is also above its 20 Day Simple Moving Average as well. This is certainly a good trend, but investors are probably asking themselves, can this positive trend continue for ANGI? +While we can never know for sure, it is pretty encouraging that estimates for ANGI have moved higher in the past few weeks, meaning that analyst sentiment is moving in the right way. Plus, the stock actually has a Zacks Rank #2 (Buy), so the recent move higher for this spotlighted company may definitely continue over the next few weeks. You can see the complete list of today's Zacks #1 Rank stocks here . +Will You Make a Fortune on the Shift to Electric Cars? +Here's another stock idea to consider. Much like petroleum 150 years ago, lithium power may soon shake the world, creating millionaires and reshaping geo-politics. Soon electric vehicles (EVs) may be cheaper than gas guzzlers. Some are already reaching 265 miles on a single charge. +With battery prices plummeting and charging stations set to multiply, one company stands out as the #1 stock to buy according to Zacks research. +It's not the one you think. +See This Ticker Free >> +Want the latest recommendations from Zacks Investment Research? Today, you can download 7 Best Stocks for the Next 30 Days. Click to get this free report +Angie's List, Inc. (ANGI): Free Stock Analysis Report +To read this article on Zacks.com click here. +Zacks Investment Researc \ No newline at end of file diff --git a/input/test/Test338.txt b/input/test/Test338.txt new file mode 100644 index 0000000..c60878c --- /dev/null +++ b/input/test/Test338.txt @@ -0,0 +1 @@ +Set your budget and timeframe Outline your proposal Get paid for your work It's free to sign up and bid on jobs 2 freelancers are bidding on average $15 for this job AlieGhazanfar "Greetings! My name is Ali Ghazanfar and I am an expert in Data Entry & Internet banking. I would love to have the opportunity to discuss your project with you. I can do it right now and I will not stop until it's f More $10 USD in 1 day (1 Review \ No newline at end of file diff --git a/input/test/Test3380.txt b/input/test/Test3380.txt new file mode 100644 index 0000000..c233dd4 --- /dev/null +++ b/input/test/Test3380.txt @@ -0,0 +1,13 @@ +CHANGE REGION A general view of Istanbul, Thursday, Aug. 16, 2018. Turkey's finance chief tried to reassure thousands of international investors on a conference call Thursday, in which he pledged to fix the economic troubles that have seen the country spiral into a currency crisis.The national currency recovered somewhat from record lows hit earlier this week. (AP Photo/Lefteris Pitarakis) US threatens more sanctions, keeping alive Turkish crisis @6:02 AM SHARE +ANKARA, Turkey (AP) — Turkey and the United States exchanged new threats of sanctions Friday, keeping alive a diplomatic and financial crisis that is threatening the economic stability of the NATO country. +Turkey's lira fell once again after the trade minister, Ruhsar Pekcan, said Friday that her government would respond to any new trade duties, which U.S. President Donald Trump threatened in an overnight tweet. +Trump is taking issue with the continued detention in Turkey of American pastor Andrew Brunson, an evangelical pastor who faces 35 years in prison on charges of espionage and terror-related charges. +Trump wrote in a tweet late Thursday: "We will pay nothing for the release of an innocent man, but we are cutting back on Turkey!" +He also urged Brunson to serve as a "great patriot hostage" while he is jailed and criticized Turkey for "holding our wonderful Christian Pastor." +U.S. Treasury chief Steve Mnuchin earlier said the U.S. could put more sanctions on Turkey. +The United States has already imposed sanctions on two Turkish government ministers and doubled tariffs on Turkish steel and aluminum imports. Turkey retaliated with some $533 million of tariffs on some U.S. imports — including cars, tobacco and alcoholic drinks — and said it would boycott U.S. electronic goods. +"We have responded to (US sanctions) in accordance to World Trade Organization rules and will continue to do so," Pekcan told reporters on Friday. +Turkey's currency, which had recovered from record losses against the dollar earlier in the week, was down about 6 percent against the dollar on Friday, at 6.17. +Turkey's finance chief tried to reassure thousands of international investors on a conference call Thursday, in which he pledged to fix the economic troubles. He ruled out any move to limit money flows — which is a possibility that worries investors — or any assistance from the International Monetary Fund. +Investors are concerned that Turkey's has amassed high levels of foreign debt to fuel growth in recent years. And as the currency drops, that debt becomes so much more expensive to repay, leading to potential bankruptcies. +Also worrying investors has been President Recep Tayyip Erdogan's refusal to allow the central bank to raise interest rates to support the currency, as experts say it should. Erdogan has tightened his grip since consolidating power after general elections this year \ No newline at end of file diff --git a/input/test/Test3381.txt b/input/test/Test3381.txt new file mode 100644 index 0000000..a53f8fc --- /dev/null +++ b/input/test/Test3381.txt @@ -0,0 +1,15 @@ +Bullock In Iowa: Dems Have Lost Ability To Speak To Heartland Voters Listen / 20:34 Montana Gov. Steve Bullock speaks at the Des Moines Register's "Political Soapbox" event at the Iowa State Fair, August 16, 2018. Listen / 5:35 Montana Gov. Steve Bullock answers questions from reporters after his speech at the Des Moines Register's "Political Soapbox" event at the Iowa State Fair, August 16, 2018. +Governor Steve Bullock made an appearance at the Iowa State Fair Thursday. He gave a speech at the Des Moines Register's "Political Soapbox" event. It's an event politicians go to when they're at least thinking about running for president. +Here's how Bullock responded when someone asked him if that's what he's doing. +"I do have a story of how I've been able to bring people together, and I think that's in part what our country desperately needs. I will tell you, I haven't just gone to Iowa. Before I even went to Iowa, I went to places like Michigan and Wisconsin. Two weeks ago, Arkansas as an example, used to be, had a Democratic governor, had a Democratic Legislature. It's fundamentally changed. Now the values of the people have not changed. So right now, what I'm doing is listening, and that's honestly as far as it goes. But I've been so actually blessed with the opportunity both to come to places like here in Iowa. I'm blessed to have a friend like Tom Miller, who is the attorney general who I got serve with when I was A.G. And I've had the opportunity to learn more, then, so that's as far as it goes now." +Some Democrats think Bullock has a future in national politics because of what he talks about here: +"If you look back to the 2016 election, Donald Trump took Montana by 20 points. I was up for re-election, I won by 4. The only Democrat in the country to get re-elected in a state where Donald Trump won. Twenty five to 30 percent of my voters, or 20 to 30 percent of my voters also voted for Donald Trump." +After his speech, a reporter asked Governor Bullock what he thinks he has in common with President Trump that caused Montanans to vote for both of them, despite their political differences. +"It wasn't, 'what do I have in common with the President' But I think, first of all, I showed up in places where there just wasn't Democrats. I engaged and I listened. I talked about the values that we ought to be fighting for. And I think that a good chunk of those voters, they might have had to overlook things that they didn't necessarily like about me, but they know that I would be fighting to try to make their lives better." +In his speech, Bullock addressed his party's political losses in recent years. +"The Democratic Party didn't necessarily change, we just haven't been able to figure out the ways to be speaking to people off of the coasts. And if we can'st speak the language of Iowa or Michigan or Wisconsin or others; even if you get an electoral majority you're never going to have a governing majority." +Bullock spent a lot of his speech talking about dark money in elections — that's campaign spending from sources who don't have to reveal their identities — and how prohibitions against dark money have been getting rolled back since the Citizens United ruling by the U.S. Supreme Court. +Bullock talked about how, as Montana's attorney general, his name was on that Supreme Court decision, in which the court ruled against him. +Bullock also mentioned a U.S. Treasury Department rule-change further loosening campaign finance reporting rules. +"The Treasury Secretary stood up and said, 'you know, there's been this rule that's been in place that these 501 C4s, these corpororations that get involved in politics, that they have to disclose their donors to the IRS, and we're gonna repeal that rule'. That was a month ago today. Think about this. Now, truly a Russian could write a check and influence our elections. We would never know. This rule was around since 1971. Richard Nixon was not kind of the model of good government and transparency. So we can accept this as like this is the new that corporations can control any part of our elections, any part of the process, or we can do something about it. That's another area where I and my Department of Revenue sued in federal court — that case is pending — and I think that we will be able to roll that back. " +You can listen to the entire speech Governor Steve Bullock gave at the Iowa State Fair Thursday, and to his answers to questions from reporters above. Thanks to Iowa Public Radio for sharing this audio. Tags \ No newline at end of file diff --git a/input/test/Test3382.txt b/input/test/Test3382.txt new file mode 100644 index 0000000..3548fee --- /dev/null +++ b/input/test/Test3382.txt @@ -0,0 +1,9 @@ +Tweet +SPX (NYSE:SPXC) was downgraded by research analysts at ValuEngine from a "buy" rating to a "hold" rating in a report issued on Wednesday. +Separately, Zacks Investment Research upgraded shares of SPX from a "hold" rating to a "buy" rating and set a $36.00 price objective for the company in a research note on Wednesday, May 9th. Two equities research analysts have rated the stock with a hold rating, two have issued a buy rating and one has given a strong buy rating to the company. The company presently has an average rating of "Buy" and a consensus price target of $38.00. Get SPX alerts: +Shares of NYSE SPXC opened at $34.26 on Wednesday. The company has a quick ratio of 0.88, a current ratio of 1.14 and a debt-to-equity ratio of 0.95. SPX has a 12 month low of $23.41 and a 12 month high of $39.28. The company has a market cap of $1.50 billion, a price-to-earnings ratio of 19.25 and a beta of 1.55. SPX (NYSE:SPXC) last announced its quarterly earnings data on Thursday, August 2nd. The company reported $0.53 EPS for the quarter, beating the consensus estimate of $0.47 by $0.06. SPX had a net margin of 7.93% and a return on equity of 27.30%. The business had revenue of $379.20 million during the quarter, compared to analysts' expectations of $354.20 million. During the same period in the previous year, the business posted $0.44 EPS. The business's quarterly revenue was up 8.4% compared to the same quarter last year. equities research analysts forecast that SPX will post 2.3 earnings per share for the current year. +In other SPX news, insider Michael Andrew Reilly sold 21,852 shares of SPX stock in a transaction that occurred on Wednesday, August 8th. The shares were sold at an average price of $35.82, for a total transaction of $782,738.64. The sale was disclosed in a legal filing with the Securities & Exchange Commission, which can be accessed through this hyperlink . Insiders own 1.60% of the company's stock. +Several institutional investors and hedge funds have recently bought and sold shares of the stock. Global X Management Co LLC lifted its stake in shares of SPX by 18.9% in the 2nd quarter. Global X Management Co LLC now owns 10,459 shares of the company's stock valued at $367,000 after purchasing an additional 1,665 shares during the period. Verition Fund Management LLC acquired a new position in shares of SPX in the 2nd quarter valued at $261,000. Millennium Management LLC lifted its stake in shares of SPX by 240.6% in the 2nd quarter. Millennium Management LLC now owns 303,423 shares of the company's stock valued at $10,635,000 after purchasing an additional 214,332 shares during the period. Aristotle Atlantic Partners LLC acquired a new position in shares of SPX in the 2nd quarter valued at $211,000. Finally, Macquarie Group Ltd. lifted its stake in shares of SPX by 22.1% in the 2nd quarter. Macquarie Group Ltd. now owns 75,714 shares of the company's stock valued at $2,654,000 after purchasing an additional 13,724 shares during the period. Hedge funds and other institutional investors own 86.64% of the company's stock. +About SPX +SPX Corporation supplies infrastructure equipment serving the heating and ventilation (HVAC), detection and measurement, power transmission and generation, and industrial markets in the United States, China, South Africa, the United Kingdom, and internationally. It operates through three segments: HVAC, Detection and Measurement, and Engineered Solutions. +To view ValuEngine's full report, visit ValuEngine's official website . Receive News & Ratings for SPX Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for SPX and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test3383.txt b/input/test/Test3383.txt new file mode 100644 index 0000000..f4669a1 --- /dev/null +++ b/input/test/Test3383.txt @@ -0,0 +1,21 @@ +News The Nottingham schoolboy who grew up to become a hero of the French Resistance Fearless John Coleman sabotaged German transport and supply lines in the Second World War - but his story has been largely forgotten Share French Resistance members pictured during the Second World War. Get Daily updates directly to your inbox Subscribe Thank you for subscribing! Could not subscribe, try again later Invalid Email +We write so much about the ones that never came home from the two world wars. +And those that did survive always say the real heroes were the ones who made the ultimate sacrifice. +But the truth is, without the millions who were saw it through to the end, there would have been no final victory. +They were all heroes, so many of them unsung and now forgotten. Men like Lieutenant John Henry Coleman, who served with the Royal Naval Volunteer Reserve … but whose bravery was displayed in the Nazi-occupied French countryside as a member of the resistance movement known as the Maquis. A French Resistance member at work on sabotaging train tracks. +Coleman was born in 1908 in Paris, the son of a Chilwell man who became managing director of the Franco-American Bank based in the French capital. +After early schooling in Lausanne, Coleman came to England and was a pupil at Nottingham High School from 1920-1923, living with a cousin in Beeston. +He returned to France but he and his father had to flee Paris when it was captured by the Nazis in 1940. Young Coleman was able to return to England, but his ailing father, then aged 80, was unable to get away. He was interned by the Germans but then released due to ill health, dying in Paris in 1943. Read More Why so many street names end in 'Gate' +A report in the Nottingham Guardian, dated September 8 1945, details what happened next. +Coleman joined the Royal Navy and in 1942 was part of the ill-fated Dieppe raid, which aimed to test the German defences against a sea-borne invasion of mainland France. It was a disaster for the Allied forces. Of more than 6,000 multi-national troops including British, Canadian, American and French personnel who landed at Dieppe, 3,260 were either killed, wounded or captured. How the Nottingham Guardian told the story of Beeston war hero John Henry Coleman. +After that debacle, Coleman decided to use his intimate knowledge of France by volunteering for service with the French Resistance Movement. +It was the job of the resistance, often advised by British and American secret agents, to disrupt German transport and supply lines, especially in the weeks leading up to the D-Day landings in June 1944. +The tragic West Bridgford teacher who survived for just two weeks after joining the First World War +According to the Nottingham Guardian, Coleman helped to sabotage railways and bridges, liaising with London through coded reports sent over radio sets which were never used twice in the same house for fear of being tracked by the Germans, whose reprisals against resistance members, and retaliation against innocent civilians, was ruthless and brutal. +It is estimated that 8,000 resistance members, men and women, were killed in action, 25,000 executed by firing squad and tens of thousands deported, of whom 27,000 died in death camps. +Coleman was based in the French city of Lyon, a major centre of resistance operations and which, today, provides a visitor trail of memorials and important sites linked to underground activities in the Second World War. The museum dedicated to the French Resistance in the city of Lyon. +"Lieut Coleman became the fearless deputy-leader of the Maquis in Lyons," reported the Guardian. "His chief was captured a few weeks before D-Day and Coleman took command until the chief escaped after the invasion. +"On one occasion, Lt Coleman 'studied' a railway while bathing in the river below. That night the bridge was blown up by the Maquis and that he (Coleman) regarded as his most satisfactory job." +In 1945 John Henry Coleman was presented with the MBE by King George VI. +An exhaustive search of official records has failed to find any further information about this forgotten hero of the Second World War. +If any Bygones reader can help, please contact or email bygones@nottinghampost.com Like us on Faceboo \ No newline at end of file diff --git a/input/test/Test3384.txt b/input/test/Test3384.txt new file mode 100644 index 0000000..0826813 --- /dev/null +++ b/input/test/Test3384.txt @@ -0,0 +1,9 @@ +23 minutes ago Real Madrid still frustrated over Kylian Mbappe - Monaco's Vadim Vasilyev Neymar says he is staying at PSG this season, but Shaka Hislop explains how Kylian Mbappe's rise could affect the Brazilian's future. Former director of football for PSG Patrick Kluivert shares his thoughts on Kylian Mbappe's World Cup and his chances of winning a Ballon d'Or. +Real Madrid Florentino Perez has not forgiven Monaco for selling Kylian Mbappe to Paris Saint-Germain rather than his club, Monaco vice-president Vadim Vasilyev has told RMC . +France international forward Mbappe joined PSG in a €180 million deal, dashing Madrid president Perez's hopes that he would move to the Bernabeu. +"I spoke with Florentino, and each time he sees me he blames me for not selling Kylian to him," Vasilyev said. +"I always tell him that it was up to the boy, but Florentino still blames me and says: 'Vadim, you did not sell Kylian to me!'" +Vasilyev, who described PSG and Madrid as "two friendly clubs," told ESPN that Mbappe was a "phenomenon" and tipped him as a future Ballon d'Or winner. +He said he believed the World Cup-winner was now worth €250m and was "proud" that he had come through the Monaco ranks. +Meanwhile, Spanish newspaper Marca reported that Madrid have €300m to spend in the transfer market but would want to spend it on a player such as Neymar or Mbappe. +It says Madrid believe there is the possibility of a move for one of the two PSG stars but are considering alternatives including Bayern Munich's Robert Lewnadowski and RB Leipzig's Timo Werner \ No newline at end of file diff --git a/input/test/Test3385.txt b/input/test/Test3385.txt new file mode 100644 index 0000000..7b9f3a0 --- /dev/null +++ b/input/test/Test3385.txt @@ -0,0 +1,9 @@ +25 Share Neymar says he is staying at PSG this season, but Shaka Hislop explains how Kylian Mbappe's rise could affect the Brazilian's future. Former director of football for PSG Patrick Kluivert shares his thoughts on Kylian Mbappe's World Cup and his chances of winning a Ballon d'Or. +Real Madrid Florentino Perez has not forgiven Monaco for selling Kylian Mbappe to Paris Saint-Germain rather than his club, Monaco vice-president Vadim Vasilyev has told RMC . +France international forward Mbappe joined PSG in a €180 million deal, dashing Madrid president Perez's hopes that he would move to the Bernabeu. +"I spoke with Florentino, and each time he sees me he blames me for not selling Kylian to him," Vasilyev said. +"I always tell him that it was up to the boy, but Florentino still blames me and says: 'Vadim, you did not sell Kylian to me!'" +Vasilyev, who described PSG and Madrid as "two friendly clubs," told ESPN that Mbappe was a "phenomenon" and tipped him as a future Ballon d'Or winner. +He said he believed the World Cup-winner was now worth €250m and was "proud" that he had come through the Monaco ranks. +Meanwhile, Spanish newspaper Marca reported that Madrid have €300m to spend in the transfer market but would want to spend it on a player such as Neymar or Mbappe. +It says Madrid believe there is the possibility of a move for one of the two PSG stars but are considering alternatives including Bayern Munich's Robert Lewnadowski and RB Leipzig's Timo Werner \ No newline at end of file diff --git a/input/test/Test3386.txt b/input/test/Test3386.txt new file mode 100644 index 0000000..8c68eaa --- /dev/null +++ b/input/test/Test3386.txt @@ -0,0 +1,8 @@ +Bowling Portfolio Management LLC bought a new position in shares of AES Corp (NYSE:AES) during the second quarter, according to its most recent Form 13F filing with the Securities and Exchange Commission (SEC). The fund bought 91,554 shares of the utilities provider's stock, valued at approximately $1,228,000. +Several other hedge funds and other institutional investors have also recently bought and sold shares of AES. Rhumbline Advisers boosted its holdings in AES by 0.8% in the first quarter. Rhumbline Advisers now owns 1,141,239 shares of the utilities provider's stock worth $12,976,000 after acquiring an additional 8,918 shares in the last quarter. Meag Munich Ergo Kapitalanlagegesellschaft MBH lifted its holdings in shares of AES by 259.0% in the first quarter. Meag Munich Ergo Kapitalanlagegesellschaft MBH now owns 568,069 shares of the utilities provider's stock valued at $6,352,000 after purchasing an additional 409,823 shares in the last quarter. Commerzbank Aktiengesellschaft FI lifted its holdings in shares of AES by 70.7% in the first quarter. Commerzbank Aktiengesellschaft FI now owns 71,396 shares of the utilities provider's stock valued at $812,000 after purchasing an additional 29,562 shares in the last quarter. Alps Advisors Inc. lifted its holdings in shares of AES by 0.5% in the first quarter. Alps Advisors Inc. now owns 4,477,515 shares of the utilities provider's stock valued at $50,909,000 after purchasing an additional 24,156 shares in the last quarter. Finally, Oppenheimer & Co. Inc. lifted its holdings in shares of AES by 182.5% in the first quarter. Oppenheimer & Co. Inc. now owns 28,252 shares of the utilities provider's stock valued at $321,000 after purchasing an additional 18,252 shares in the last quarter. 95.44% of the stock is currently owned by institutional investors and hedge funds. Get AES alerts: +AES stock opened at $13.87 on Friday. AES Corp has a twelve month low of $9.86 and a twelve month high of $13.99. The company has a debt-to-equity ratio of 3.24, a quick ratio of 1.18 and a current ratio of 1.32. The company has a market capitalization of $8.97 billion, a PE ratio of 12.84, a P/E/G ratio of 1.40 and a beta of 1.17. +AES (NYSE:AES) last issued its quarterly earnings results on Tuesday, August 7th. The utilities provider reported $0.25 EPS for the quarter, missing the Zacks' consensus estimate of $0.28 by ($0.03). The business had revenue of $2.54 billion for the quarter, compared to analysts' expectations of $3.41 billion. AES had a negative net margin of 1.87% and a positive return on equity of 19.26%. equities research analysts anticipate that AES Corp will post 1.21 EPS for the current fiscal year. +The firm also recently declared a quarterly dividend, which will be paid on Friday, August 17th. Investors of record on Friday, August 3rd will be given a dividend of $0.13 per share. This represents a $0.52 dividend on an annualized basis and a dividend yield of 3.75%. The ex-dividend date of this dividend is Thursday, August 2nd. AES's payout ratio is 48.15%. +A number of research firms have recently weighed in on AES. Zacks Investment Research lowered AES from a "hold" rating to a "sell" rating in a report on Tuesday, July 10th. Bank of America lowered AES from a "neutral" rating to an "underperform" rating and set a $12.50 target price on the stock. in a report on Monday, July 2nd. UBS Group raised their target price on AES from $12.00 to $13.00 and gave the company a "neutral" rating in a report on Wednesday, June 20th. Scotiabank upgraded AES from an "underperform" rating to a "sector perform" rating in a report on Wednesday, May 9th. Finally, Morgan Stanley began coverage on AES in a report on Friday, April 27th. They issued a "weight" rating and a $13.50 target price on the stock. Three investment analysts have rated the stock with a sell rating, three have given a hold rating and three have given a buy rating to the company. AES presently has a consensus rating of "Hold" and an average target price of $13.00. +About AES +The AES Corporation operates as a diversified power generation and utility company. It owns and/or operates power plants to generate and sell power to customers, such as utilities, industrial users, and other intermediaries. The company also owns and/or operates utilities to generate or purchase, distribute, transmit, and sell electricity to end-user customers in the residential, commercial, industrial, and governmental sectors; and generates and sells electricity on the wholesale market. AES AE \ No newline at end of file diff --git a/input/test/Test3387.txt b/input/test/Test3387.txt new file mode 100644 index 0000000..11eef03 --- /dev/null +++ b/input/test/Test3387.txt @@ -0,0 +1,7 @@ +New Enterprise Ireland "Prepare to Export Scorecard" for companies with global ambition +Interactive online tool helps potential exporters assess their export-readiness. +A new Prepare to Export Scorecard has been developed by Enterprise Ireland to help Irish entrepreneurs and business owners with global ambition to self-assess how prepared they are to start exporting. The interactive online facility is a free, easy-to-use tool which acts as a starting point for companies interested in exporting and reaching overseas markets. +The Prepare to Export Scorecard analyses answers submitted to a range of questions and generates an immediate report. The on-the-spot assessment focuses on the company's level of export-readiness across six key business pillars: business planning, people management, operations, sales and marketing, innovation, and finance. Users can opt to submit their report and request to be personally contacted by the Enterprise Ireland exporter development team. +By focusing on key aspects of business, the Prepare to Export Scorecard helps emerging and potential exporters to consider where to start as well as defining the practical steps that can be taken to plan and begin their export journey. The tool also includes a peer learning element allowing users to access video case studies in which fellow SME teams share their learnings from planning and implementing their export strategies. +Minister for Business, Enterprise and Innovation, Heather Humphreys TD said: +"Many Irish companies have the talent and ambition to succeed in global markets, but do not know how to get started. Therefore, I welcome the launch of Enterprise Ireland's new Prepare to Export Scorecard, which aims to help companies not only assess their current position, but to identify practical steps that they can take to become export ready. I particularly welcome the on-line tool showing good practices in export strategies. To be resilient in the face of potential economic shocks, such as Brexit, Irish exporting companies need to be innovative, competitive and have a diversified global footprint. The new Prepare to Export Scorecard is an important addition to the existing range of supports available through Enterprise Ireland in that regard." Leave a Repl \ No newline at end of file diff --git a/input/test/Test3388.txt b/input/test/Test3388.txt new file mode 100644 index 0000000..6f107ee --- /dev/null +++ b/input/test/Test3388.txt @@ -0,0 +1,7 @@ +Tweet +Barfresh Food Group (OTCMKTS:BRFH) 's stock had its "buy" rating restated by investment analysts at Maxim Group in a research report issued to clients and investors on Wednesday. They currently have a $1.50 target price on the stock. Maxim Group's price objective points to a potential upside of 188.46% from the stock's current price. +The analysts wrote, "Market close, BRFH reported lower-than-expected 2Q18 revenue. However, gross margin was above both our estimate and consensus. 3Q18 revenue had already exceeded $1.1M with about half the quarter remaining. We expect the education and military channel to partially offset the slower-than-expected rollout in the first national account. However, due to the slower national account rollout, we are reducing our 2018 revenue estimate."" Get Barfresh Food Group alerts: +Separately, Zacks Investment Research raised Barfresh Food Group from a "sell" rating to a "hold" rating in a research note on Tuesday, June 5th. BRFH stock opened at $0.52 on Wednesday. Barfresh Food Group has a fifty-two week low of $0.35 and a fifty-two week high of $0.73. The company has a debt-to-equity ratio of 0.72, a current ratio of 2.12 and a quick ratio of 1.39. +Barfresh Food Group (OTCMKTS:BRFH) last posted its quarterly earnings results on Tuesday, August 14th. The company reported ($0.02) earnings per share for the quarter, missing analysts' consensus estimates of ($0.01) by ($0.01). Barfresh Food Group had a negative return on equity of 179.14% and a negative net margin of 383.81%. The firm had revenue of $1.09 million for the quarter, compared to analyst estimates of $1.59 million. research analysts forecast that Barfresh Food Group will post -0.04 earnings per share for the current fiscal year. +Barfresh Food Group Company Profile +Barfresh Food Group, Inc manufactures and distributes ready to blend frozen beverages in the United States. It offers portion controlled and ready to blend beverage ingredient packs for smoothies, shakes, and frappes, as well as cocktails and mocktails. The company was founded in 2009 and is headquartered in Beverly Hills, California \ No newline at end of file diff --git a/input/test/Test3389.txt b/input/test/Test3389.txt new file mode 100644 index 0000000..13cb1a9 --- /dev/null +++ b/input/test/Test3389.txt @@ -0,0 +1,14 @@ +Medmeme appoints senior strategist for Europe Medmeme August 17, 2018 +Christian Schweiger, MD, PhD, has been appointed Vice President for Medical Affairs Strategy, Europe, at Medmeme, which is home to the world's most comprehensive, continuously updated and integrated online repository of disseminated medical science information. +Dr Schweiger is a senior medical affairs executive and pharmaceutical entrepreneur. He will be an ambassador for Medmeme across Europe, where he will help to shape its business strategy and maximise the utility of its massive scientific database. +Dr Schweiger has led medical affairs for both multi-national and small pharmaceutical companies and has vast experience in building and selling pharmaceutical assets in small biotech organisations. +In 2009, he co-founded Shield Therapeutics, a specialty pharmaceutical company and later floated it on the London Stock Exchange. He served as CMO and other medical positions within his organisations. +Dr Schweiger also founded a boutique consultancy business in 2008 – TACHRIS AG, which provides medical marketing and management strategic consultancy services. He is currently Managing Director of the company, which is based in Switzerland. +Prior to that, Dr Schweiger worked for Encysive Europe, where he was Senior Director and Head of Medical Affairs, Europe. Other companies that he has worked for include Actelion, where he was Head of Global Medical Communications and Scientific Relations, based in Switzerland. He was also Global Medical Director for Actelion's brand, Tracleer. +Dr Schweiger is a Lecturing Professor in Pharmaceutical Medicine at the University of Essen in Germany since 1997.Furthermore he is very active working with both patient and professional associations especially in rare disease. +Mahesh Naithani, Medmeme founder, said: "Dr Christian Schweiger is a highly skilled entrepreneur and medical affairs expert who brings a wealth of knowledge, skills and experience to this key post at Medmeme. +"He will be an excellent ambassador for Medmeme across Europe, where he will help to guide our business strategy and communicate the immense value that our big data and analysis can bring to the pharma industry." +For more information, please contact: Andrew Baud and Catherine McNulty, Tala, +44 (0) 20 3397 3383 or +44 (0) 7775 715775, Email: / +About Medmeme +Medmeme is home to the world's most comprehensive, continuously updated and integrated online repository of disseminated medical science information. This includes more than 15 million meeting presentations; 9 million publication abstracts and the results of over 300,000 clinical trials. +The company translates this data into actionable information that is used across the pharmaceutical sector . Its insights are most highly valued in respect of medical affairs, field medical activities, scientific communication, global R&D and commercial launches \ No newline at end of file diff --git a/input/test/Test339.txt b/input/test/Test339.txt new file mode 100644 index 0000000..031169e --- /dev/null +++ b/input/test/Test339.txt @@ -0,0 +1,18 @@ +MANSFIELD, LA (KSLA) - Time is of the essence in an emergency. +First responders are expected to act at a moment's notice. +On Thursday morning, firefighters from throughout Northwest Louisiana converged on Mansfield to be challenged by training for a worst-case scenario. +"This is very realistic. We work large-vehicle wrecks on a regular basis," said Rusty Canton, chief of DeSoto Parish Fire District 1. +"In this situation, the bus driver had a medical emergency, ran a red light and was struck by an 18-wheeler." +Fire crews were tasked with working as a collective unit to rescue three dummy victims trapped inside the wreckage. +"We have a lot of 18-wheelers, log trucks, saltwater trucks and things like that," said Canton. +And with students back in class throughout the region, more school buses are on the roads yet again. +"We want to make sure we're prepared for any incident that may involve anything," Canton said. "And this will put us to the test." +To further challenge the firefighters, crews had to rescue the patients in a timely manner. +They also were only allowed to use the limited resources and equipment at hand. +"Manpower is a big issue for us. So a lot of time, we have to run what we call mutual aid with neighboring departments," DeSoto fireman Mark Magee explained. +"We want to make sure we're on the same page so we can get the patients out as quickly and as effectively as possible." +Such training scenario also often can pull at first responders' emotions. +"This is probably a worst-case scenario. It's something we don't like to think about," Magee said. +"Anytime you put in school buses you start thinking about children. It makes your emotions run high in these situations." +Canton said the DeSoto fire district runs a couple heavy rescue training operations throughout the year. +Copyright 2018 KSLA . All rights reserved \ No newline at end of file diff --git a/input/test/Test3390.txt b/input/test/Test3390.txt new file mode 100644 index 0000000..e3397cf --- /dev/null +++ b/input/test/Test3390.txt @@ -0,0 +1 @@ +Key Insights of Global Train Suspension System Market Covering Prime Factors and Competitive Outlook till 2028 Press release from: Fact.MR Fact.MR Railways are an integral part of the public transportation system across the globe and will play a key role in developing future commutation due to increasing public density, urbanization and changing travel behaviour across the world. A rail vehicle goes through various stresses and vibrations occurring due to rolling stock applications. Tran suspension systems are used to minimise the transmission of shocks caused by variations in the track bed to the locomotive under frame.There are mainly two types of train suspension systems used generally: primary suspension system and secondary suspension system. The primary suspension system is located between the axle box & the bogie and consists of dampers & springs, whereas the secondary suspension system is located between the bogie frame & the vehicle and consists of a pneumatic suspension system (an airbag). Owing to the crucial function of the train suspension system, the demand for advanced and precise suspension systems for trains is estimated to witness significant growth in the coming years. This is anticipated to contribute to the growth of the global train suspension system market during the forecast period.Request TOC of this Report- www.factmr.com/connectus/sample?flag=T&rep_id=1491 Train Suspension System Market: DynamicsThe growing population in metropolitan areas and the increasing number of office workers, particularly in developing countries, are among factors projected to drive the global train suspension system market during the forecast period. In urban economies, governments are focusing on investing a large amount of money to promote the introduction of large-scale transport infrastructure, such as high speed rails and bullet trains, to increase the speed of passenger transport. Government investments on railways is one of the key factors driving the train suspension system market in the coming years.Freight rail networks are considered among the most dynamic freight systems across the world. The growing mining industry and steel production will increase the requirement for heavy rails to transport these materials, and this is expected to boost the demand for proper train suspension systems, thus fuelling the growth of the global train suspension system market.Increasing air traffic as well as increasing preference for air transport for faster travelling is one of the key factors that is likely to hinder the growth of the railway industry. This is expected to directly or indirectly restrain the global market for train suspension systems during the forecast period.Train Suspension System Market: SegmentationThe global train suspension system market can be segmented by type of element, suspension type and by train type.By type of element, the global train suspension system market can be segmented as:• Elastic ElementBy suspension type, the global train suspension system market can be segmented as:• Primary Train Suspension • Secondary Train SuspensionTrain Suspension System Market: Regional OutlookOver the last few years, smart railway stations have cropped up in several countries. Governments are focusing on renovating their rail transport hubs for making their railway stations more attractive. In India, the Ministry of Railway and Ministry of Urban Development have teamed up to achieve the smart city mission. In Spain, International Union of Railways (UIC) and Spanish rail infrastructure manager ADIF have come together to achieve the goal of "Smart Stations in Smart Cities." Hence, the sprawling railway infrastructure in the developing countries of Asia Pacific and Europe is estimated to propel the demand for a larger number of rail vehicles, which is expected to fuel the growth of the train suspension system market during the forecast period. Increasing number of rail passengers in the U.S. with the government focussing on high-speed train projects is expected to boost the market of train suspension systems in North America.To know more about the Train Suspension System Market Trends, Visit the link – www.factmr.com/report/1491/train-suspension-system-market Train Suspension System Market: Market ParticipantsSome of the major players in the global train suspension system market are:• Continental AG • Nippon Steel & Sumitomo Metal Corporation • ALCO Spring Industries Inc. • ARNOT Vibration Solutions • Atlas Copco North America LLCThe research report presents a comprehensive assessment of the market and contains thoughtful insights, facts, historical data and statistically supported and industry-validated market data. It also contains projections using a suitable set of assumptions and methodologies. The research report provides analysis and information according to market segments such as geographies, application and industry.Regional analysis includes: • Latin America (Mexico, Brazil, Argentina, Chile, Peru) • Western Europe (Germany, Italy, France, U.K, Spain, BENELUX, Nordic, Eastern Europe) • CIS and Russia • Asia-Pacific (China, India, ASEAN, South Korea) • Japan • Middle East and Africa (GCC Countries, South Africa, Turkey, Iran, Israel)The report is a compilation of first-hand information, qualitative and quantitative assessment by industry analysts, inputs from industry experts and industry participants across the value chain. The report provides in-depth analysis of parent market trends, macro-economic indicators and governing factors along with market attractiveness as per segments. The report also maps the qualitative impact of various market factors on market segments and geographies.Report Highlights:• Detailed overview of parent market • Changing market dynamics in the industry • In-depth market segmentation • Historical, current and projected market size in terms of volume and value • Recent industry trends and developments • Competitive landscape • Strategies of key players and products offered • Potential and niche segments, geographical regions exhibiting promising growth • A neutral perspective on market performance • Must-have information for market players to sustain and enhance their market footprintAsk our Industry Expert on this Report- www.factmr.com/connectus/sample?flag=AE&rep_id=1491 About FactMR FactMR is a fast-growing market research firm that offers the most comprehensive suite of syndicated and customized market insights reports. We believe transformative intelligence can educate and inspire businesses to make smarter decisions. We know the limitations of the one-size-fits-all approach; that's why we publish multi-industry global, regional, and country-specific research reports.Contact U \ No newline at end of file diff --git a/input/test/Test3391.txt b/input/test/Test3391.txt new file mode 100644 index 0000000..fa41715 --- /dev/null +++ b/input/test/Test3391.txt @@ -0,0 +1,6 @@ +Sputnik August 16, 2018 +EU negotiators fear the British secret service may have bugged talks on the United Kingdom's pullout from the union as prospects of a no-deal appear to be growing, UK media said. Suspicion was voiced by EU sources who told The Telegraph newspaper that the British had obtained sensitive documents intended for EU officials "within hours" after they were unveiled. +The documents, circulated in July, reportedly contained harsh criticism of the UK's plans to stay in the EU single market. +Similar concerns were raised by the UK's then top Brexit negotiator David Davis who allegedly carried a briefcase to EU meetings that was impenetrable to electromagnetic fields.Spying among allies was rejected as unacceptable by German Chancellor Angela Merkel after whistleblower Edward Snowden's leaks revealed the United States had wiretapped her cell phone. But sources have told the paper the incident was a wake-up call for the union. +The United Kingdom voted to leave the European Union in June 2016, with the negotiations between the two parties expected to last until March 29, 2019. +According to a recent poll conducted by Sky Data on July 20-23 among 1,466 people, 51 percent of respondents believe that Brexit will be "actively bad" for the country, and 50 percent welcome the idea of holding another referendum. This article was posted: Thursday, August 16, 2018 at 6:12 am \ No newline at end of file diff --git a/input/test/Test3392.txt b/input/test/Test3392.txt new file mode 100644 index 0000000..eba5338 --- /dev/null +++ b/input/test/Test3392.txt @@ -0,0 +1,9 @@ +BUY NEW CAR Petron Turbo Diesel Euro 5 Powers The Rainforest Trophy Malaysia 2018 Petron Turbo Diesel Euro 5 Powers The Rainforest Trophy Malaysia 2018 by Zachary Ho - Aug 17, 2018 +Petron's Turbo Diesel Euro 5 was the fuel that powered the 4×4 Jungle Adventure Expedition of the Rainforest Trophy Malaysia 2018. The technologically-advanced Petron Turbo Diesel Euro 5 is the only environment-friendly diesel with 'turbo' power in Malaysia. The TriAction Advantage in Turbo Diesel Euro 5 claims to give vehicles better power and better engine protection. It not only provides excellent cleaning action but is also formulated to withstand extreme heat and high pressure. +From the organizers of the Rainforest Challenge (RFC), the Rainforest Trophy puts the participants' teamwork, endurance, and off-roading skills to the test as they navigate through the extreme conditions in the rainforest Malaysia's east coast. +Launched in 2017, the second edition of the Rainforest Trophy concluded at Gua Musang, Kelantan after 7 grueling days; the endurance challenge kicked off in Kota Bharu on 14 July 2018. A total of a hundred teams made up of 4×4 extreme sports enthusiasts tried to overcome obstacles like building bridges, crossing rivers, hills, swamps, mud pools, downhills, etc. +"The Rainforest Trophy definitely brought out the best among the participants as they unite for their love for the great outdoors. We are honored to be a part of this fun and challenging travel experience, and we applaud the teams for their amazing skills and hard work," said Faridah Ali, Petron Head of Retail. +The group made a pit stop at Petron service stations along Tanah Merah before proceeding to Kuala Krai. The off-roaders and adventure enthusiasts were also given the opportunity to give back to those in need at Pos Gob, the farthest Orang Asli Village in Kelantan. There, the participants helped to erect a goal post for the field, painted the madrasah, and repaired the village's multipurpose hall. The award for Best of the Best Team Spirit voted by the participants as well as the media was given out at the ceremonial finish in Gua Musang on 20 July. +In the new season of the Rainforest Challenge 2018 this November, Petron Turbo Diesel Euro 5 will continue to fuel the major 4×4 event. Dubbed as one of the top ten toughest motor races in the world, Rainforest Challenge 2018 is a rough race for the bravest men and their machines out in Malaysia's thick rainforest. +"We are excited to power these heavy machines with our state-of-the-art Turbo Diesel Euro 5 technology. Enhanced with premium Tri-Action Advantage, the Turbo Diesel Euro 5 will provide more power and smoother engine operation as the participants go through challenging terrains and serious obstacles," added Faridah. +Turbo Diesel Euro 5 is now available at 132 Petron service stations all over Peninsular Malaysia. TAG \ No newline at end of file diff --git a/input/test/Test3393.txt b/input/test/Test3393.txt new file mode 100644 index 0000000..ef2095d --- /dev/null +++ b/input/test/Test3393.txt @@ -0,0 +1,2 @@ +Communications > Mobile Phones | By: Pleasant Lyhne (17-Aug-2018 13:36) Views: 2 +Does shopping for boots result in stress and anxiety? Are you finding your self just staring at the footwear and wondering which shoe might be best for you? Do you really need some help? Read on to have the information you need.Do not wear fitness shoes or boots if you aren't sporting stockings. Carrying this out can cause damage to the ft . because it rubs up against the boots specifically. This can also lead to ft . fungus infection. You should almost certainly dress in stockings that are created from cotton, and you may apply certain powder for ft to keep points free of moisture.Don't spend more than your Yeezys for sale financial allowance enables. Tend not to attempt to visit above your shoes price range. Often individuals overbuy throughout income and you can actually spend more money than planned. Look at what you want and desire, while keeping it affordable.Make certain your footwear is generally comfortable. Your boots and toes are typical important. That can be done long term problems for the feet by wearing unpleasant footwear. Choose footwear that fit well to avoid ft . problems in the future.Only use shoes perfectly installing boots. You want the feet in which to stay excellent problem, plus your boots play a huge part. Wearing a bad shoes can cause serious feet ailments. To stop any future ft . problems, generally wear shoes that are comfy and which suit effectively.If you want to ensure that you will get your young child ready for school a little more quickly, benefiting from Velcro strapped shoes is a good idea. When you are very quickly, waiting around for the kid to tie up his boots will appear like an entire life. Have a combine with ties as well as a match that doesn't for tough Yeezy sale mornings.Locating shoes which fit effectively is of utmost importance. However if shoes are not comfortable from the minute which you put them on, you should keep searching. You are able to create painful feet troubles once you burglary new boots.Try out obtaining lots of pairs of shoes so that you generally have something to wear at any event. Your footwear can get you discovered, too! Experiencing the ideal pair of shoes can greatly assist.You don't would like to beneath pay for shoes or boots, nevertheless, you don't want to pay too much for them, sometimes. A great pair of shoes may cost a lot but will serve you properly for some time. But, keep in mind that the newest gimmick backed through your beloved celeb will not be really worth the selling price.Your kindergarten aged little one will appreciate experiencing boots with velcro fasteners. Even when your kids is able to tie their footwear, with to hold back a while because of it to take place you could be later receiving them the front door. Have a combine with laces and another without the need of laces to help you adapt on the travel. About the Author Pleasant Lyhne Yeezys for sale,Yeezy outlet,Yeezy sale is one of those things that could cause many challenges for a lot of people. Fortunately you've got several options available to you but you are aware of that already because we have shared a number of them with you. If you do run into a few road blocks, do not allow them to win out over you. Go for a proactive approach and try to find changes that must be made to boost your chances for success down the road. Yeezys for sale,Yeezy outlet,Yeezy sale has proven much more challenging for some than others but we're positive that you're going to find a way to handle whatever you are dealing with at the moment. If you feel that you may need assistance dealing with it, Yeezy outlet can help you a lot. Popular Tag \ No newline at end of file diff --git a/input/test/Test3394.txt b/input/test/Test3394.txt new file mode 100644 index 0000000..f6f89fb --- /dev/null +++ b/input/test/Test3394.txt @@ -0,0 +1,8 @@ +NACS / Media / NACS Daily Solving the Leftover Problem In this week's Convenience Matters podcast, NACS talks with Feeding America about how convenience stores can donate unused food to help feed the hungry. +​ALEXANDRIA, Va. – On this week's episode of Convenience Matters, " Addressing Food Waste With Feeding America ," NACS hosts Jeff Lenard and Carolyn Schnare talk with Shellie O'Toole, senior account manager for emerging retail for Feeding America, about how c-stores can repurpose leftovers. +More convenience stores offer fresh foodservice, which means there is more unused food at the end of the day. Feeding America can help connect retailers who have leftovers with hungry people through its network of 200 food banks, which are linked to more than 60,000 agencies such as food pantries and meal programs. +O'Toole pointed out that everyone probably knows someone who is food-insecure. "It could be a co-worker; it could be an employee; it could be the senior citizen who lives next door to you," she said. "When we talk about the 40 million-plus people who are food-insecure, what this means is that they may have meals sporadically, they may might not know where their next meal is coming from, and many times they have to choose between diapers and food." +Convenience retailers are making a huge difference. In 2018, Cumberland Farms, Kum & Go, Jacksons, Loaf 'N Jug, QuikTrip, Royal Farms and Sheetz donated 75 million pounds of safe, wholesome food to Feeding America and its agency partners. +For retailers looking to get involved and donate unused food, O'Toole outlined what Feeding America provides in the way of support, including working alongside the c-store to match it up with local agencies, then expanding that out to include the entire chain. "We want the retailer to be successful with this program," she said, "so we test and scale and test and scale" to get things right. +For more information, read "Feeding the Community" in the September 2018 issue of NACS Magazine , and click here for details about how retailers can partner with Feeding America. +Each week a new Convenience Matters episode is released. The podcast can be downloaded on iTunes, Google Play and other podcast apps, and at www.conveniencematters.com . Episodes have been downloaded by listeners more than 50,000 times in more than 80 countries \ No newline at end of file diff --git a/input/test/Test3395.txt b/input/test/Test3395.txt new file mode 100644 index 0000000..85e5b19 --- /dev/null +++ b/input/test/Test3395.txt @@ -0,0 +1,32 @@ +SMi's Exclusive Interview with Mark Albrecht just released SMi Group August 17, 2018 +SMi Reports: An exclusive interview with Biomedical Advanced Research and Development Authority (BARDA) acting Chief Mark Albrecht has been released in the run-up to the 3rd annual Superbugs & Superdrugs USA Conference taking place in Iselin, New Jersey on November 12 – 13, 2018. +Mark provided us with some insightful content about his role in the field, his view on challenges within the field and his vision on the future of the development of novel anti-infectives. His presentation will focus on 'Supporting Antibacterial Research and Development', how BARDA partners with industry to stimulate innovation in AMR R&D and how CARB-X is refilling the preclinical AMR product pipeline. +He works closely with product sponsors to advance the development of their antibacterial candidates, towards consideration for regulatory approval for both public health and biodefense indications, coordinating efforts to advance the development of bio-defence medical countermeasures and ensure that Government agency portfolios are properly aligned. +By attending our 3rd annual Superbugs & Superdrugs USA event, not only would you benefit from the knowledge delivered through a range of thought-provoking presentations, by experts at the forefront of the field; but you would also receive the opportunity to interact with and exchange ideas with decision makers from all of the different facets of the industry – from research to commercial providers and regulatory bodies. +–SNAPSHOT OF INTERVIEW– +Q. What do you see as the greatest hurdle to developing novel and effective anti-infectives? +A. There are a variety of challenges affecting the antibacterial development industry including optimal pipeline composition to withstand attrition and the development of resistance, and clarity on the development/regulatory path for a single pathogen anti-infective; however, there has been far greater discussion regarding the lower commercial returns antibiotics generate compared to other therapeutic areas such as cancer or heart disease. Given that antibiotic development is financially challenging with an uncertain return on investment (ROI) it is clear that both push mechanisms (CARB-X, GARD-P, NIAID, Wellcome Trust, BARDA, etc.) and pull incentives are necessary. In particular, pull incentives will ensure companies have a predictable ROI for developing these drugs that society requires, but undervalues. Dozens of publications have described a variety of incentive structures, any of which would involve tradeoffs for all parties, including sponsors, non-profit organizations, and payers, therefore, there is work to be done to establish a consensus recommendation for policymakers. +Q. What do you hope to gain from this meeting? +A. I am looking forward to the opportunity to meet all the attendees and speak with them about their products, challenges and the opportunities that CARB-X and BARDA offer. +At this year's two-day conference, delegates will be able to hear from HHS/ASPR/BARDA and many more industry leaders, including Scynexis, Janssen, Octagon Therapeutics, Astellas and more. +– Download the full interview online – +2018 Conference Highlights: +* Gain Insight into Diagnostic Technologies being used in the field and the futuristic developments +* Learn about pathogen focused drug development +* Hear from the main regulatory bodies to advise on guidelines surrounding funding and development +* Explore new companies on developing novel approaches to circumvent antibacterial resistance +* Discover new approaches of anti-fungal development +* Case-study examples of rapid diagnostic methods currently being used in the field +* Network with key industry leaders and benefit from though provoking discussions +The conference's last early bird saving of US$100 expires on September 28th and delegates are urged to book soon to join an unrivalled gathering of international expert speakers and industry professionals for 5+ hours of pure networking. Visit the website to download the full speaker interviews, see the agenda and keep up to date with the latest developments at www.superbugs-usa.com/pr7 +SMi presents the 3 rd annual industry leading conference: +Superbugs & Superdrugs USA +Date: 12 th – 13 th November 2018 +Location: Renaissance Woodbridge Hotel, Iselin, New Jersey +Website: www. superbugs-usa.com/pr7 +For sponsorship bookings, contact Alia Malick Director on +44 (0)20 7827 6168 or email +Book your place online at www. superbugs-usa.com/pr7 +Follow us on: Twitter – @SMIpharm & #smibugs | LinkedIn – @SMi Pharma +—- ENDS —- +About SMi Group +Established since 1993, the SMi Group is a global event-production company that specializes in Business-to-Business Conferences, Workshops, Masterclasses and online Communities. We create and deliver events in the Defence, Security, Energy, Utilities, Finance and Pharmaceutical industries. We pride ourselves on having access to the world's most forward-thinking opinion leaders and visionaries, allowing us to bring our communities together to Learn, Engage, Share and Network. More information can be found at http://www.smi-online.co.u \ No newline at end of file diff --git a/input/test/Test3396.txt b/input/test/Test3396.txt new file mode 100644 index 0000000..b7e0bd0 --- /dev/null +++ b/input/test/Test3396.txt @@ -0,0 +1 @@ +Press release from: QYResearch CO.,LIMITED PR Agency: QYR Smart Doorbell Camera Market to Witness Robust Expansion by 2025 - QY Research, Inc. This report presents the worldwide Smart Doorbell Camera market size (value, production and consumption), splits the breakdown (data status 2013-2018 and forecast to 2025), by manufacturers, region, type and application.This study also analyzes the market status, market share, growth rate, future trends, market drivers, opportunities and challenges, risks and entry barriers, sales channels, distributors and Porter's Five Forces Analysis.A smart doorbell camera is a wireless connected doorbell, which can be connected to a smartphone through the Internet. It enables its users to attend visitors at their doors via remote access. Additionally, it can provide video interaction between visitors and the host, and enable live or recorded videos with the help of an integrated camera within the unit.Standalone doorbell cameras account for major market share due to its self-sustaining quality and affordable cost. Additionally, they provide easy installation and easy functionalities. They are connected to the Wi-Fi through the userâs smartphone.Smart doorbell camera manufacturers located in Americas offer wide product portfolio of designs and have significant market presence in the market. Consumers in North America are increasingly adopting smart home technology influenced by the technological advances and growing awareness of smart doorbell cameras.The following manufacturers are covered in this report:    Ring    SkyBell Technologies    August Home    Dbell    Ding Labs    EquesHome    Smanos    Vivint    ZmodoSmart Doorbell Camera Breakdown Data by Type    Standalone    IntegratedSmart Doorbell Camera Breakdown Data by Application    Residential    Commercial    OtherSmart Doorbell Camera Production by Region    United States    Europe    China    Japan    South Korea    Other Regions    Other RegionsThe study objectives are:    To analyze and research the global Smart Doorbell Camera status and future forecast�źinvolving, production, revenue, consumption, historical and forecast.    To present the key Smart Doorbell Camera manufacturers, production, revenue, market share, and recent development.    To split the breakdown data by regions, type, manufacturers and applications.    To analyze the global and key regions market potential and advantage, opportunity and challenge, restraints and risks.    To identify significant trends, drivers, influence factors in global and regions.    To analyze competitive developments such as expansions, agreements, new product launches, and acquisitions in the market.Request Sample Report and TOC@ www.qyresearchglobal.com/goods-1790600.html About Us:QY Research established in 2007, focus on custom research, management consulting, IPO consulting, industry chain research, data base and seminar services. The company owned a large basic data base (such as National Bureau of statistics database, Customs import and export database, Industry Association Database etc), expertâs resources (included energy automotive chemical medical ICT consumer goods etc.QY Research Achievements:  Year of Experience: 11 YearsConsulting Projects: 500+ successfully conducted so farGlobal Reports: 5000 Reports Every YearsResellers Partners for Our Reports: 150 + Across GlobeGlobal Clients: 34000 \ No newline at end of file diff --git a/input/test/Test3397.txt b/input/test/Test3397.txt new file mode 100644 index 0000000..29944e1 --- /dev/null +++ b/input/test/Test3397.txt @@ -0,0 +1,6 @@ +15 years ago today, 50 million people throughout the Northeast lost power 11:05 AM, Aug 14, 2018 11:52 AM, Aug 14, 2018 Share Article Cleveland skyline during blackout, Ohio, photo. Copyright 2018 The Associated Press. All rights reserved. Show Caption Previous Next +CLEVELAND - Fifteen years ago today the lights went out on 50 million people in the Northeast—making it the largest power outage in US history. +It happened on Aug. 14, 2003. Wherever you were, the blackout seems like yesterday. +On a warm, sunny day at around 4:10 p.m., power plants shut down in three minutes. The widespread power outage cascaded across eight Northeastern and Midwestern states and the Canadian province of Ontario. +Life seemed to freeze as trains and elevators stopped. Everything, from cellular service to operations at hospitals and traffic at airports, was halted, as everyone waited for the power to turn back on. +An investigation revealed that the start of the blackout could be traced back to an Ohio company, FirstEnergy. Copyright 2018 Scripps Media, Inc. All rights reserved. This material may not be published, broadcast, rewritten, or redistributed \ No newline at end of file diff --git a/input/test/Test3398.txt b/input/test/Test3398.txt new file mode 100644 index 0000000..c763799 --- /dev/null +++ b/input/test/Test3398.txt @@ -0,0 +1,8 @@ +Sandwell and west Birmingham patients to benefit from new hospital +The Midland Metropolitan Hospital will open in 2022 after the government and local NHS trust reached an agreement to finish construction work. +Under the agreement, the government will provide funding for the remainder of the building work at Midland Metropolitan Hospital. The new hospital will be built by 2022. +When completed, Midland Metropolitan will be the first new hospital in England's second largest urban area since 2010. The new hospital will have: state-of-the-art diagnostic equipment 15 operating theatres at least 669 beds +It will be an acute centre for the care of adults and children, as well as offering maternity care and specialised surgery to approximately 750,000 residents. +Construction work had begun on Midland Metropolitan Hospital, part of Sandwell and West Birmingham NHS Trust, under a private finance programme. Work was halted when the firm carrying out the work, Carillion, went into liquidation earlier this year. Since then, the trust and the government have worked closely together to reach a resolution. +Health Minister Stephen Barclay said: +"Our long-term plan for the NHS will see it receive £20.5 billion a year more than it currently does by 2023, but our commitment does not stop there, as this important partnership shows. We are not only giving patients in Sandwell and west Birmingham world-class NHS facilities on their doorstep, but also showing our determination to build an NHS fit for the future – all whilst making sure taxpayers' money is spent in the best possible way." Leave a Repl \ No newline at end of file diff --git a/input/test/Test3399.txt b/input/test/Test3399.txt new file mode 100644 index 0000000..e2f117b --- /dev/null +++ b/input/test/Test3399.txt @@ -0,0 +1,22 @@ +Cision® acquires ShareIQ technology, enhancing Cision Communications Cloud® capabilities Read More 4 Distribution Tactics to Use to Keep Your Content From Going Nowhere July 23, 2018 / in Executive Insights / by Cision Contributor +Successful marketing depends on high-quality content, but you can't create content without a distribution strategy and expect great results. +When Content Marketing Institute asked B2B marketers which factors contributed to their improved content marketing performance over the last year, 78 percent cited better content creation. Only 50 percent reported that distribution processes made a difference. +B2B marketers are creating better content (and more of it), but they aren't committing to implementing distribution strategies that put that content in front of the right people. +Long-term marketing success depends on quality — both in content creation and its distribution. You work hard to produce amazing content. Don't minimize its impact by neglecting distribution. Building a Better Distribution System +This isn't to say that a focus on content creation is misplaced or that creating insanely high-quality, deeply valuable content is an inefficient use of time. If you want to sustain or accelerate your content marketing performance , then you've got to split your efforts between creation and distribution more evenly. +Take my marketing team as an example. Like 50 percent of all marketers surveyed by CMI (and 62 percent of the most successful ones), we find long-form content like whitepapers and e-books to provide excellent value for the heavier investment. That's why my team spent several weeks this year developing an industry research report that clocked in around 25 pages. +After hours spent surveying online editors, collecting data on millions of pieces of content, and analyzing our findings — not to mention writing, designing and editing the report — we knew we had something valuable in " The State of Digital Media ." +But simply creating that report wouldn't guarantee our audience would ever see it. We needed to employ lots of creative, diverse tactics to get the report right in front of them. +So, we designed a comprehensive content distribution plan to get this report noticed, and the results impressed us. Compared to the performance of our previous whitepaper, this one produced nearly 150 percent more page views and 40 percent more download submissions. +Social media helps, but a full distribution plan requires more than a few tweets. To get more from your content, use some of the tactics that made the greatest impact for us: 1. Get in Front of Your Audience With Guest Posts +Reaching your audience means meeting them where they already are. If they're reading content on industry blogs and other publications they trust, then that's where you need to be, too. +The right online publications can provide a direct path to the eyeballs of your target audience. B2B publications cover a wide range of niches, and every audience is eager to consume new content that provides valuable insights. Deliver those insights to those outlets as a guest contributor. Having a media database service to help identify valuable influencers can really come in handy here by helping you find outlets to pitch. +Especially if you have long-form content that dives deep, you can often share unique snippets and findings with readers in your guest article. It should go without saying, but work with publication editors to ensure what you're sharing is what they want. Then, create a guest-posting strategy that extends your reach and offers value to readers. 2. Cultivate Influencer Relationships +Make a list of all the people you want to share or promote this content — long-form reports or guest posts. In a perfect world, which influencers and thought leaders would have seen your work and found it excellent enough to share with their followings? +Follow these people on Twitter and other social sites, engage with them online and start building relationships with them. Ask for their input on your content, then use their insights to enhance and refine your work. Not only does this add value to your content when you finish it, but it also incentivizes influencers to share and promote it after you publish it. 3. Reach Your Audience Directly With Personalized, Content-Carrying Emails +Don't make content delivery more complicated than it needs to be. Sometimes, the best way to get content into the hands of the right people is to put it there yourself. Stop sending emails to "just follow up" and start sending valuable, relevant content via personalized emails to your contacts. +Stay top of mind with leads, clients, partners, and new opportunities — whoever you're in talks with — through exceptional content. Most people ignore valueless follow-up communications; content deliverables give recipients a reason to engage. 4. Don't Neglect Your Internal Audience +Truly high-quality content works inside the enterprise as well as it does outside it. Just as your marketing and sales teams use content to attract and nurture prospects, leverage content to attract talent. Then, train new hires on your company and industry with content as their guide. +Consider ongoing education opportunities, too. Empower account managers to resolve problems more quickly and efficiently by providing content that addresses their needs. The more well-informed your team is, the better they can serve your clients and prospects. +Stop sitting on great content that could drive revenue. If you're committing resources to develop better content, then you must also commit resources to distribute it, both externally and internally. Follow these tips to put your content in the hands of your target audience and accelerate your marketing performance. About John Hall +John Hall is the CEO of Influence & Co., a keynote speaker, and the author of " Top of Mind ." You can book John to speak here . Subscribe to the Cision Blog Daily Brie \ No newline at end of file diff --git a/input/test/Test34.txt b/input/test/Test34.txt new file mode 100644 index 0000000..9c5712d --- /dev/null +++ b/input/test/Test34.txt @@ -0,0 +1,2 @@ +I need a article writer who writes about User experience and design +UX & Psychology ¡Ofrécete a trabajar en este proyecto ahora! El proceso de oferta termina en 6 días. Abierto - quedan 6 días Tu oferta para este trabajo GBP Establece tu presupuesto y plazo Describe tu propuesta Consigue pago por tu trabajo Es gratis registrarse y ofertar en los trabajos 15 freelancers están ofertando el promedio de £19 para este trabajo Greetings, I am placing my bid on your project "I need a article writer who writes about User experience and design". Here, you're looking for someone to write a 500 words article on user experience and design. I've u Más £15 GBP en 3 días (122 comentarios) Professionally, I am a Pharmacist and my primary field of study cover medicine, Health and Nutrition. I've been in the writing field for about four years. Here is the link to my blog [login to view URL] My bas Más £33 GBP en 2 días (149 comentarios) I promise to deliver a high quality job,plagiarism free and on time. I definitely deliver what i promise. please engage me for best result. £20 GBP en 1 día (86 comentarios) Hi there, I just reviewed your project, which is to write content for you. As an experienced writer of multiple articles on various subjects, I can present to you a well-researched article that is 100% original a Más £28 GBP en 1 día (18 comentarios) Hello, So many ways in which to express ourselves- Words, being the more obvious ones of course. Sometimes, we use body language, but for now, let's focus on how we use our words- Catchwords, phrase words, love words Más £50 GBP en 1 día (11 comentarios) Hello,I can deliver an outstanding project basing on quality and limited time because i vast experience on article [login to view URL] contact me so that we can discuss more on your [login to view URL] you £13 GBP en 1 día (21 comentarios) Hello, I have more than 7 years of experience in content writing and I can provide you 100% original, unique and attractive content. All of my content are well researched and free from plagiarism and Copyscape. I Más £10 GBP en 1 día (11 comentarios) cjie Hello, My name is Ehijie. I have gone through your project description. I can see you required the service of an article writer. I am a professional research writer with a lot of experiences on any type of topic. I w Más £17 GBP en 1 día (3 comentarios) I am a native English speaker and writer from the USA,who is able to write about any topic with creativity and flair..I have a lot of experience regarding content and article writing, whilst having a thorough understan Más £18 GBP en 1 día (3 comentarios) I've great experience in article writing, content writing, and blogging. Can provide expert level SEO and keyword research as well. Link to some of my previously written articles: [login to view URL] Más £10 GBP en 1 día (1 comentario) dear client? I am interested in your project. I can deliver quality and superior work and within the agreed timeline. Kindly consider my bid. thank you. I have skills and experiences in Article Writing, Blog Writi Más £14 GBP en 1 día (1 comentario) Hello, I am New at freelancer platform but having the great experience with Unique and Original Writing. Please give me a chance to discuss with you. Completly known about - Technical Writing Creative Writin Más £10 GBP en 1 día (1 comentario) Hey! here's a sample of my work, hope you like it! ION Orchard is a state of the art shopping mall that begun its operations in 2009. Benoy put-forth an award-winning architecture. It exhibits a spectacular façade w Más £20 GBP en 1 día (0 comentarios) urdatamanagers It takes a great pleasure to introduce you to UR DATA MANAGERS, a company that will assist you by taking care of all your work. We at UR DATA MANAGERS offer you the following services. • All kinds of Data Entry work Más £13 GBP en 1 día (0 comentarios \ No newline at end of file diff --git a/input/test/Test340.txt b/input/test/Test340.txt new file mode 100644 index 0000000..6d0283d --- /dev/null +++ b/input/test/Test340.txt @@ -0,0 +1,3 @@ +Tweet +Amaya Inc. (TSE:TSG) – Analysts at Cormark decreased their FY2019 EPS estimates for shares of Amaya in a research note issued to investors on Tuesday, August 14th. Cormark analyst D. Mcfadgen now anticipates that the company will post earnings per share of $3.35 for the year, down from their prior forecast of $3.69. Cormark also issued estimates for Amaya's FY2020 earnings at $4.13 EPS. Get Amaya alerts: +Separately, Desjardins cut shares of Amaya from a "buy" rating to a "hold" rating in a research note on Friday, May 11th. Shares of TSE TSG opened at C$33.60 on Wednesday. Amaya has a 12 month low of C$15.85 and a 12 month high of C$33.80 \ No newline at end of file diff --git a/input/test/Test3400.txt b/input/test/Test3400.txt new file mode 100644 index 0000000..c8580b9 --- /dev/null +++ b/input/test/Test3400.txt @@ -0,0 +1,16 @@ +Cancer Immunotherapy Market to Reach Valuation of US$124.88 Bn by 2024, Says TMR +ALBANY, New York , August 17, 2018 /PRNewswire/ -- +The global cancer immunotherapy market is prognosticated to encounter a high rate of development over the coming years, inferable from the rise in number of people suffering from different types of cancers. In 2015, the global cancer immunotherapy market was esteemed at US$37.50 bn . its revenue is anticipated to progress at an extremely solid CAGR of 14.6% inside a conjecture period from 2016 to 2024, the global cancer immunotherapy market is required to achieve US$124.88 bn before the finish of 2024. +(Logo: https://mma.prnewswire.com/media/664869/Transparency_Market_Research_Logo.jpg ) +Get PDF Brochure for Research Insights at https://www.transparencymarketresearch.com/sample/sample.php?flag=B&rep_id=4312 +The increasing incidence of life threating diseases such as cancer has grown largely in the recent past. Number of research and development have taken place to find a solution for such diseases. The growth of cancer immunotherapy has grown immensely and is expected to grow further in the next few years. The availability of various types of therapy to treat cancer, cancer immunotherapy is the most preferred choice by the cancer patient. The market is estimated to show high development rate in couple of years. The market for cancer immunotherapy includes blood cancer, colorectal cancer, melanoma, breast cancer, lung cancer, prostate cancer, and other minor areas. Breast cancer is most commonly found among various individual, thus it is the leading areas for cancer immunotherapy. +Request a Sample of Cancer Immunotherapy Market: https://www.transparencymarketresearch.com/sample/sample.php?flag=S&rep_id=4312 +The cancer immunotherapy market includes monoclonal antibodies, immune system modulators, immune checkpoint inhibitors, and immune checkpoint inhibitors. Among these segments monoclonal antibodies is highly preferred method of treatments at a large scale in the global healthcare sector. The reason to gain higher popularity among the large population, monoclonal antibodies are effective and reasonably priced. Additionally, immune checkpoint inhibitors are also expected to gain traction and higher overall efficacy in coming years. +The rising incidence of cancer among the huge population, lung cancer is also growing simultaneously due to increasing air pollution in developed areas. Moreover, increasing number of smokers are high susceptible to get affected by cancer. +Request a Custom Report at https://www.transparencymarketresearch.com/sample/sample.php?flag=CR&rep_id=4312 +The market for cancer immunotherapy is anticipated to strengthen due to traditional methods in coming years. The greater efficacy over traditional treatment techniques and exceptionally promising treatment methods can be seen in near future and will grow the cancer immunotherapy market globally. +Regardless of various beneficial factors growing the cancer immunotherapy market certain restrains have to be met. The slow progress in the development cycles in it various product type will hamper the market from growing. Additionally, lack of awareness especially for cancer immunotherapy as compared to conventional treatments is projected to lower the hinder the cancer immunotherapy market in coming years. +Read Press Release: https://www.transparencymarketresearch.com/pressrelease/cancer-immunotherapy-market.htm +Geographically, the developed countries in the regions of North America and in Europe have outperformed in the cancer immunotherapy market where high level of innovation techniques are used. Improved healthcare facilities and health conscious among the huge population has triggered the demand for cancer immunotherapy in these regions. +James P. Allison , from the University of Texas MD Anderson Cancer Center, has developed of ipilimumab; it is a cancer immunotherapy that targets CTLA-4. The CTLA-4 is a receptor that efficiently kill immune cells. By using CTLA-4 ipilimumab stimulates the response of immunity system to target and eliminate cancer cells. The U.S. Food and Drug Administration approved the CTLA-4 ipilimumab, as it was the first immune checkpoint inhibitor. It also helped in achieving long-lasting remission of metastatic melanoma in some cases. Thus, extensive characterization of immune regulation and development therapies have drastically grown the treatment for certain cancers. +Popular Research Reports by TMR: Cancer Biomarkers Market \ No newline at end of file diff --git a/input/test/Test3401.txt b/input/test/Test3401.txt new file mode 100644 index 0000000..859bd57 --- /dev/null +++ b/input/test/Test3401.txt @@ -0,0 +1 @@ +Global Personal Cooling Devices Market: Business Analysis, Scope Size, Overview, and Forecast 2025 Marketresearchnest - Friday, August 17, 2018. MarketResearchNest.com adds" Global Personal Cooling Devices Market Professional Survey Report 2018 "new report to its research database. The report spread across 113 pages with multiple tables and figures in it. This report studies the global Personal Cooling Devices market status and forecast, categorizes the global Personal Cooling Devices market size (value and volume) by manufacturers, type, application, and region. This report focuses on the top manufacturers in North America, Europe, Japan, China, India, Southeast Asia and other regions (Central and South America, and Middle East and Africa). Personal cooling devices are useful for dealing with heat stress, headaches, and heat related irritability among others. Hot weather can prove to be tiresome and due to this families resort to the purchase of expensive and high tonnage air conditioners. Families falling in the low to middle income group resort to the purchase of coolers which are far less effective as compared to air conditioners, but are capable of maintaining a cool temperature. However, with the rising cost of electricity, families find it difficult in maintaining such expensive air conditioners and they are looking for alternative ways to keep themselves cool during summer without having to spend a fortune on electricity to run air conditioners. Due to this factor, consumers are showing increased preference towards personal cooling devices to tackle the heat during summer. The handheld cooling devices are expected to hold the largest market share and dominate the personal cooling device market during the forecast period. Request a sample copy at https://www.marketresearchnest.com/report/requestsample/403427 The market for handheld cooling device in APAC is expected to grow at the highest CAGR during the forecast period. The countries such as China, Japan, Australia, South-Korea, and India in APAC region consumes more personal cooling devices as compared to other region in the world. China is the largest producer and supplier of low-cost personal cooling devices with variety of features. Owing to this personal cooling devices market is very fragmented. The hot climate of the APAC region and increase in global warming is the main reason for rise in temperature in the region. Thus, there is great opportunity for personal cooling device to increase its market presence in China and adjacent countries. The global Personal Cooling Devices market is valued at xx million US$ in 2017 and will reach xx million US$ by the end of 2025, growing at a CAGR of xx% during 2018-2025. Geographically, this report studies the top producers and consumers, focuses on product capacity, production, value, consumption, market share and growth opportunity in these key regions, covering  \ No newline at end of file diff --git a/input/test/Test3402.txt b/input/test/Test3402.txt new file mode 100644 index 0000000..074a0fe --- /dev/null +++ b/input/test/Test3402.txt @@ -0,0 +1,8 @@ +Kerala Latest News NEWS Technology Google Person Finder: New Tool to Track Missing People in Kerala Floods One has enter name of the person they are looking for and Google will display its available records of matching names and address. Aug 17, 2018, 12:40 pm IST Less than a minute Google+ Telegram +Google's Person Finder tool to track missing people has been rolled out for the Kerala floods. The death toll in Kerala has risen to 94 and hundreds of people are stranded in flooded areas, especially in and around Aluva and Pathanamthitta-Chengannur areas. +Google's Person Finder data is available to be public and is quite simple to use. One has enter name of the person they are looking for and Google will display its available records of matching names and address. One can also create a new record. You can add information about a missing person including name and address. Our thoughts are with those in Kerala. Help track missing people with #personfinder : https://t.co/8EECLFpCqv #KeralaFloods pic.twitter.com/mo9VM3Uph4 +— Google India (@GoogleIndia) August 16, 2018 +Google tweeted a screenshot of the app on Thursday saying: 'Our thoughts are with those in Kerala. Help track missing people with #personfinder: https://goo.gl/WxuUFp #KeralaFloods'. +Also Read: Kerala Floods: Rainfall to reduce marginally in Kerala, says IMD +In addition, Facebook also has its crisis response page for Kerala flooding live. Notably, Facebook has 270 million users in India out of 1.47 billion users globally, which makes it one of the largest social media platforms in the country. The page has news content, videos, etc related to Kerala flooding, curated from public posts from various sources, including media sources across the world. +Facebook has also activated its Safety Check feature that helps friends and family of the user know they are safe. Tag \ No newline at end of file diff --git a/input/test/Test3403.txt b/input/test/Test3403.txt new file mode 100644 index 0000000..076f166 --- /dev/null +++ b/input/test/Test3403.txt @@ -0,0 +1,20 @@ +Diploma controversy leads Florida candidate to suspend campaign CNN 8:19 PM, Aug 14, 2018 4:15 AM, Aug 15, 2018 Share Article Previous Next +Melissa Howard, a Florida state house candidate, told CNN on Tuesday that she has suspended her campaign. +Howard came under fire after posting a picture of a diploma from Miami University in Ohio, although the school said she did not receive a degree there. +She officially suspended her campaign on Tuesday, although the day before, she had vowed to stay in the race in a Facebook post that has since been taken down. +"I have come to the realization that the right thing to do for my community is to withdraw from the race. I will do so today," Howard said in a statement to CNN affiliate WWSB . +Howard, a Republican candidate who sought to represent District 73 in the Florida House of Representatives, vowed to continue serving her community and apologized in the statement. +"I made a terrible error in judgment. I am thankful for everyone who gave me so much toward my success, and I am deeply sorry," according to her statement to WWSB. +On Monday, a post had appeared on Facebook in which Howard apologized for what she called a "mistake saying that I completed my degree." That post was later taken down. +"I would like to apologize to my family and my supporters for this situation," said the Monday post. "It was not my intent to deceive or mislead anyone. I made a mistake in saying that I completed my degree. What I did was wrong and set a bad example for someone seeking public service. I am staying in the race and intend to win and lead by example from now on." +Last week, FLA News reported that Howard, 46, did not have a degree from Miami University as she said she did in her candidate bio. The story was later briefly rescinded after Howard's campaign responded to the story in a statement and Howard posted a partial college transcript, as well as pictures of her posing with a framed diploma on her Facebook page. +The images were no longer available. +Miami University told CNN and other news outlets it has no record of Howard earning a degree there. The school said Melissa Marie Fox (Howard's maiden name) had attended Miami University from August 1990 to May 1994, but she did not graduate. +The university pointed out a few critical flaws on the image of the diploma that Howard briefly posted on social media. +The document in the image showed she received a Bachelor of Science in Marketing, but the university said it has no such record of a degree. School officials said the university's degree for marketing majors, both then and now, is called a Bachelor of Science in Business. +Also, Howard's major while she was enrolled at Miami University was retailing, and the degree for that program would have been a Bachelor of Science in Family and Consumer Sciences, according to the university. +The picture of the diploma included the signatures of James Garland, who was the president of the university in 1996, and of Robert C. Johnson, who was the dean of the graduate school, which would not have been the proper school, the university statement said. +The university counsel said in a statement to CNN that the document in the photo "does not appear to be an accurate Miami University diploma." +Howard's campaign consultant, Anthony Pedicini, had told the Washington Post over the weekend that Howard's husband had been hospitalized Friday night after suffering cardiac arrest. She is "focused on him right now," he said then, and not on "fake news." +In her website bio, Howard had said she was the first in her family to attend college and that "she waited tables at Ponderosa and saved enough from summer jobs to complete her education. Upon graduation she worked for large (Marriott and Microsoft) and small companies before launching her own marketing business that today serves clients throughout the world." +Those sentences are no longer posted on her website. Copyright 2018 Cable News Network, Inc., a Time Warner Company. All rights reserved \ No newline at end of file diff --git a/input/test/Test3404.txt b/input/test/Test3404.txt new file mode 100644 index 0000000..771500b --- /dev/null +++ b/input/test/Test3404.txt @@ -0,0 +1,10 @@ +Flexible working helps GP workforce, says RCGP Flexible working helps GP workforce, says RCGP Publication date: 17 August 2018 +Responding to a survey of GP trainees' career plans, published today by the King's Fund, Professor Helen Stokes-Lampard, Chair of the Royal College of GPs, said: "We have a record number of doctors in GP training and the moment, and that is brilliant – they are the future of the profession, and are already making a vital contribution to patient care. +"It's not a surprise to see that more GP trainees are planning to either work part-time, or opt for portfolio careers – meaning that they undertake work in other areas of healthcare, as well as clinical work. The intense resource and workforce pressures facing general practice at the moment, mean that full-time working as a GP is often regarded as untenable. +"GPs and our teams make the vast majority of NHS patient contacts and workload in general practice is escalating, both in terms of volume and complexity. Yet, the share of the NHS budget our profession receives is less than it was a decade ago, and GP numbers are falling. +"Working under these conditions is simply not acceptable for our trainees, or existing GPs trying to guide and nurture those new to the profession – and it isn't safe for our patients. +"It would be misguided and unhelpful for people to criticise the decision of GP trainees not to work full time, and suggest that this is contributing to workforce pressures – it is actually the flexibility that a career in general practice offers that makes it a sustainable career choice. +"Being a GP can be the best job in the world but only if general practice is properly resourced and we're given the tools to make over a million patient consultations across the country safely and effectively. +"We urgently need to see existing promises of investment for general practice, 5,000 more GPs, and 5,000 more members of the wider practice team delivered in full – but the RCGP is also calling for an additional £2.5bn a year, as part of the upcoming long-term plan for the NHS, to ensure that GPs and their teams are given the support and resources they need to deliver high-quality patient care both now and in the future." Further Information +RCGP Press office: 020 3188 7574/7575/ 7633/7410 Out of hours: 0203 188 7659 press@rcgp.org.uk Notes to editor +The Royal College of General Practitioners is a network of more than 52,000 family doctors working to improve care for patients. We work to encourage and maintain the highest standards of general medical practice and act as the voice of GPs on education, training, research and clinical standards \ No newline at end of file diff --git a/input/test/Test3405.txt b/input/test/Test3405.txt new file mode 100644 index 0000000..264f8dc --- /dev/null +++ b/input/test/Test3405.txt @@ -0,0 +1,9 @@ +Tweet +Seaport Global Securities reiterated their buy rating on shares of Select Energy Services (NYSE:WTTR) in a research report sent to investors on Monday. They currently have a $27.00 target price on the stock. Seaport Global Securities also issued estimates for Select Energy Services' Q3 2018 earnings at $0.35 EPS, Q4 2018 earnings at $0.33 EPS, FY2018 earnings at $1.04 EPS, Q1 2019 earnings at $0.34 EPS, Q2 2019 earnings at $0.42 EPS, Q3 2019 earnings at $0.56 EPS, Q4 2019 earnings at $0.53 EPS and FY2019 earnings at $1.85 EPS. +Several other research firms have also weighed in on WTTR. B. Riley reiterated a buy rating on shares of Select Energy Services in a research note on Tuesday, May 22nd. ValuEngine lowered shares of Select Energy Services from a hold rating to a sell rating in a research note on Tuesday, May 22nd. Citigroup boosted their target price on shares of Select Energy Services from $14.00 to $15.50 and gave the company a neutral rating in a research note on Wednesday, July 11th. Zacks Investment Research raised shares of Select Energy Services from a hold rating to a strong-buy rating and set a $18.00 price target for the company in a report on Wednesday, August 1st. Finally, Credit Suisse Group reduced their price target on shares of Select Energy Services from $21.00 to $18.00 and set an outperform rating for the company in a report on Monday. One investment analyst has rated the stock with a sell rating, four have given a hold rating and nine have issued a buy rating to the company. Select Energy Services has a consensus rating of Buy and an average target price of $18.86. Get Select Energy Services alerts: +WTTR stock opened at $13.01 on Monday. The company has a debt-to-equity ratio of 0.09, a current ratio of 2.39 and a quick ratio of 2.17. Select Energy Services has a 1-year low of $11.50 and a 1-year high of $21.96. The firm has a market cap of $1.57 billion, a price-to-earnings ratio of 16.26 and a beta of 2.44. Select Energy Services (NYSE:WTTR) last released its earnings results on Thursday, August 9th. The company reported $0.24 earnings per share for the quarter, meeting the consensus estimate of $0.24. Select Energy Services had a net margin of 1.58% and a return on equity of 3.78%. The firm had revenue of $393.20 million during the quarter, compared to analyst estimates of $403.45 million. During the same quarter in the previous year, the firm earned ($0.16) earnings per share. The firm's revenue for the quarter was up 192.6% compared to the same quarter last year. equities research analysts predict that Select Energy Services will post 0.92 earnings per share for the current fiscal year. +In other news, CFO Nick L. Swyka purchased 2,500 shares of Select Energy Services stock in a transaction dated Tuesday, August 14th. The stock was bought at an average price of $13.64 per share, with a total value of $34,100.00. The transaction was disclosed in a legal filing with the Securities & Exchange Commission, which is accessible through the SEC website . Also, insider Gary Gillette sold 12,883 shares of the business's stock in a transaction on Friday, June 1st. The shares were sold at an average price of $13.45, for a total transaction of $173,276.35. The disclosure for this sale can be found here . Insiders own 8.29% of the company's stock. +Several institutional investors and hedge funds have recently made changes to their positions in the company. Bank of New York Mellon Corp boosted its holdings in shares of Select Energy Services by 20.9% during the second quarter. Bank of New York Mellon Corp now owns 3,812,102 shares of the company's stock valued at $55,390,000 after acquiring an additional 659,270 shares during the period. BlackRock Inc. lifted its holdings in Select Energy Services by 84.5% in the second quarter. BlackRock Inc. now owns 3,079,612 shares of the company's stock worth $44,746,000 after purchasing an additional 1,410,240 shares during the period. American Financial Group Inc. lifted its holdings in Select Energy Services by 61.8% in the second quarter. American Financial Group Inc. now owns 1,413,948 shares of the company's stock worth $20,544,000 after purchasing an additional 540,140 shares during the period. Arosa Capital Management LP lifted its holdings in Select Energy Services by 169.5% in the first quarter. Arosa Capital Management LP now owns 1,175,141 shares of the company's stock worth $14,830,000 after purchasing an additional 739,141 shares during the period. Finally, Luminus Management LLC lifted its holdings in Select Energy Services by 20.6% in the second quarter. Luminus Management LLC now owns 1,136,532 shares of the company's stock worth $16,514,000 after purchasing an additional 193,836 shares during the period. 45.49% of the stock is owned by institutional investors. +About Select Energy Services +Select Energy Services, Inc, an oilfield services company, provides water management and chemical solutions to the unconventional oil and gas industry in the United States and Western Canada. The company operates through three segments: Water Solutions, Oilfield Chemicals, and Wellsite Services. The Water Solutions segment provides water-related services, including the sourcing of water; the transfer of the water to the wellsite through permanent pipeline infrastructure and temporary hose; the containment of fluids off-and on-location; measuring and monitoring of water; the filtering and treatment of fluids, well testing, and handling of flowback and produced formation water; and the transportation and recycling or disposal of drilling, completion, and production fluids. +Recommended Story: Outstanding Shares Receive News & Ratings for Select Energy Services Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Select Energy Services and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test3406.txt b/input/test/Test3406.txt new file mode 100644 index 0000000..3022a58 --- /dev/null +++ b/input/test/Test3406.txt @@ -0,0 +1 @@ +Electric Heat Tracing Market 2018 | Product Differentiation and Innovation to Expertise New Growth Opportunities till 2023 QYReports - Friday, August 17, 2018. Submitted by QYReports . Electric Heat Tracing, is a system used to maintain or raise the temperature of pipes and vessels. Trace heating takes the form of an electrical heating element run in physical contact along the length of a pipe. The pipe is usually covered with thermal insulation to retain heat losses from the pipe. Heat generated by the element then maintains the temperature of the pipe. Trace heating may be used to protect pipes from freezing, to maintain a constant flow temperature in hot water systems, or to maintain process temperatures for piping that must transport substances that solidify at ambient temperatures. Electric Heat Tracing Market research report presents a top to bottom analysis of the industry including enabling market drivers, Porter's five forces, SWOT analysis, challenges, standardization, regulatory landscape, technologies, recent trends, operator case studies, deployment models, opportunities, trade future roadmap, value chain and techniques for the new entrants. The report, have investigated the principals, players in the market, geological regions, product type and market end-client applications. This market report comprises of primary and secondary data which is exemplified in the form of pie outlines, tables, analytical figures, and reference diagrams. Ask for Sample PDF of this research report @ Top Key Players: Pentair, Thermon, Bartec, Chromalox, Emerson, Danfoss, Eltherm, Briskheat, Parker-Hannifin Global Electric Heat Tracing Market report puts focus on the major players in the market. It reveals insights into the organization profiles, alongside product particulars & pictures, cost, value, capacity, and contact data. The analysis of the upstream crude materials, esteem chain, hardware, and downstream customers is mentioned in the report. The promoting channels, and additionally the business patterns, have likewise been examined. The regions in focus in this report are North America, Europe, Asia-Pacific, Latin America, and the Middle East and Africa. Global Electric Heat Tracing Market study offers an unbiased analysis of the market, taking a number of important market parameters, such as production capacity and volume, product pricing, demand and supply, sales volume, revenue generated, and the growth rate of this expanding market into consideration. The past performance and future projections of the market have been presented in the report with the help of graphs, infographics, tables, and charts. Early Buyers will get up to 30% discount on this report \ No newline at end of file diff --git a/input/test/Test3407.txt b/input/test/Test3407.txt new file mode 100644 index 0000000..5243cb3 --- /dev/null +++ b/input/test/Test3407.txt @@ -0,0 +1 @@ +Google search engine in China at exploratory stage: Sundar Pichai 3 San Francisco, Aug 17 (IANS) Facing backlash from employees for its reported plan to enter China with a censored version of its search engine, Google CEO Sundar Pichai addressed them in an internal meeting and informed that the project, called Dragonfly, was at an exploratory stage, the media reported. Pichai also addressed the controversy surrounding the secrecy of the project, BuzzFeed News reported late on Thursday. "I think there are a lot of times when people are in exploratory stages where teams are debating and doing things, so sometimes being fully transparent at that stage can cause issues," the Google CEO was quoted as saying. The news about Google's plan to build a censored search engine in China broke earlier this month when The Intercept reported that the search platform would blacklist "sensitive queries" about topics including politics, free speech, democracy, human rights and peaceful protest. This triggered an outrage among some Google staff who complained of lack of transparency within the company. Over 1,400 employees reportedly signed a petition demanding more insight into the project. At the company meeting on Thursday, Pichai said that Google has been "very open about our desire to do more in China," and that the team "has been in an exploration stage for quite a while now" and "exploring many options", CNBC reported. While expressing interest in continuing to expand the company's services in China, Pichai told the employees that the company was "not close" to launching a search product there and that whether it would — or could —"is all very unclear", the CNBC report said. Google had earlier launched a search engine in China in 2006, but pulled the service out of the country in 2010, citing Chinese government efforts to limit free speech and block websites \ No newline at end of file diff --git a/input/test/Test3408.txt b/input/test/Test3408.txt new file mode 100644 index 0000000..585feb0 --- /dev/null +++ b/input/test/Test3408.txt @@ -0,0 +1 @@ +Save to my library Geothermal Power Generation Market 2018 Global Key Players Analysis, Share, Trends and Segmentation, Forecast to 2025 Prasad Padwal 17 Geothermal Power Generation Market 2018 Geothermal power, namely geothermal electricity, is electricity generated by geothermal energy. Technologies in use include dry steam power stations, flash steam power stations and binary cycle power stations. Geothermal electricity generation is currently used in 24 countries. Scope of the Report: This report focuses on the Geothermal Power Generation in global market, especially in North America, Europe and Asia-Pacific, South America, Middle East and Africa. This report categorizes the market based on manufacturers, regions, type and application. Market Segment by Manufacturers, this report covers Chevron Request a Sample Report @ https://www.wiseguyreports.com/sample-request/3338704-global-north-america-europe-asia-pacific-south-america Market Segment by Regions, regional analysis covers North America (United States, Canada and Mexico) Europe (Germany, France, UK, Russia and Italy) Asia-Pacific (China, Japan, Korea, India and Southeast Asia) South America (Brazil, Argentina, Colombia etc.) Middle East and Africa (Saudi Arabia, UAE, Egypt, Nigeria and South Africa) Market Segment by Type, covers Back Pressure Market Segment by Applications, can be divided into dry steam power stations Table of Contents –Analysis of Key Points 1 Market Overview 1.1 Geothermal Power Generation Introduction 1.2 Market Analysis by Type 1.2.1 Back Pressure 1.3 Market Analysis by Applications 1.3.1 dry steam power stations 1.3.2 flash steam power stations 1.3.3 binary cycle power stations 1.4 Market Analysis by Regions 1.4.1 North America (United States, Canada and Mexico) 1.4.2 Europe (Germany, France, UK, Russia and Italy) 1.4.3 Asia-Pacific (China, Japan, Korea, India and Southeast Asia) 1.4.4 South America, Middle East and Africa 1.5 Market Dynamics 2.1.1.2 Chevron Headquarter, Main Business and Finance Overview 2.1.2 Chevron Geothermal Power Generation Product Introduction 2.1.2.1 Geothermal Power Generation Production Bases, Sales Regions and Major Competitors 2.1.2.2 Geothermal Power Generation Product Information 2.1.3 Chevron Geothermal Power Generation Sales, Price, Revenue, Gross Margin and Market Share (2016-2017) 2.1.3.1 Chevron Geothermal Power Generation Sales, Price, Revenue, Gross Margin and Market Share (2016-2017) 2.1.3.2 Global Chevron Geothermal Power Generation Market Share in 2017 2.2 Calpine 2.2.1.2 Calpine Headquarter, Main Business and Finance Overview 2.2.2 Calpine Geothermal Power Generation Product Introduction 2.2.2.1 Geothermal Power Generation Production Bases, Sales Regions and Major Competitors 2.2.2.2 Geothermal Power Generation Product Information 2.2.3 Calpine Geothermal Power Generation Sales, Price, Revenue, Gross Margin and Market Share (2016-2017) 2.2.3.1 Calpine Geothermal Power Generation Sales, Price, Revenue, Gross Margin and Market Share (2016-2017) 2.2.3.2 Global Calpine Geothermal Power Generation Market Share in 2017 2.3 Energy Development 2.3.1.2 Energy Development Headquarter, Main Business and Finance Overview 2.3.2 Energy Development Geothermal Power Generation Product Introduction 2.3.2.1 Geothermal Power Generation Production Bases, Sales Regions and Major Competitors 2.3.2.2 Geothermal Power Generation Product Information 2.3.3 Energy Development Geothermal Power Generation Sales, Price, Revenue, Gross Margin and Market Share (2016-2017) 2.3.3.1 Energy Development Geothermal Power Generation Sales, Price, Revenue, Gross Margin and Market Share (2016-2017) 2.3.3.2 Global Energy Development Geothermal Power Generation Market Share in 2017 2.4 Comisión Federal de Electricidad 2.4.1 Business Overview 2.4.1.1 Comisión Federal de Electricidad Description 2.4.1.2 Comisión Federal de Electricidad Headquarter, Main Business and Finance Overview 2.4.2 Comisión Federal de Electricidad Geothermal Power Generation Product Introduction 2.4.2.1 Geothermal Power Generation Production Bases, Sales Regions and Major Competitors 2.4.2.2 Geothermal Power Generation Product Information 2.4.3 Comisión Federal de Electricidad Geothermal Power Generation Sales, Price, Revenue, Gross Margin and Market Share (2016-2017) 2.4.3.1 Comisión Federal de Electricidad Geothermal Power Generation Sales, Price, Revenue, Gross Margin and Market Share (2016-2017) 2.4.3.2 Global Comisión Federal de Electricidad Geothermal Power Generation Market Share in 2017 Continued…. \ No newline at end of file diff --git a/input/test/Test3409.txt b/input/test/Test3409.txt new file mode 100644 index 0000000..be911a3 --- /dev/null +++ b/input/test/Test3409.txt @@ -0,0 +1,16 @@ +Morning Edition on 89.1 WFSW-FM King Bass sits and watches the Holy Fire burn from on top of his parents' car as his sister, Princess, rests her head on his shoulder last week in Lake Elsinore, Calif. More than a thousand firefighters battled to keep a raging Southern California forest fire from reaching foothill neighborhoods. Patrick Record / AP Listening... / +As California's enormous wildfires continue to set records for the second year in a row, state lawmakers are scrambling to close gaps in state law that could help curb future fires, or make the difference between life and death once a blaze breaks out. +While the biggest political battle in Sacramento is focused on utility liability laws , lawmakers are also rushing to change state laws around forest management and emergency alerts before the legislative sessions ends this month. +A special joint legislative committee is examining how to shore up emergency alert systems so people know to evacuate, and how to prevent fires through better forest management. They're among the challenges facing many Western states. +Historically, state Sen. Hannah-Beth Jackson said during a recent interview in her Capitol office, "we have looked at fire as an enemy." +That was a mistake, said Jackson, a Democrat who represents Santa Barbara and Ventura counties, both of which were devastated by the enormous Thomas Fire last December. She's pushing legislation that would expand prescribed burns and other forest management practices on both public and private lands. +"We have been doing less and less to try to clear vegetation, to do controlled burns, so that we can reduce the dead vegetation that we have," she said. "As a result, we have conditions that are seeing fruition with these enormous and out of control fires." +Jackson says after years of inaction, everyone in California is finally at the table --including environmental groups — supporting the measure and engaging in a conversation around forest management. +Jackson also has a bill that would let counties automatically enroll residents in emergency notification systems; it's one of two bills aimed at shoring up gaps around evacuation alerts that were exposed by last years' deadly fires . The other is Senate Bill 833 by North Bay Sen. Mike McGuire; it would seek to expand use of the federally-regulated wireless emergency alert system in California. +Jackson noted that technology has changed and governments must adjust. +"We used to be warned about danger with the church bells and then during the Cold War with Russia we had a CONELRAD alert system ... well we don't have any of those things today," she said. "We rely upon people's cell phones ... fewer and fewer people actually have landlines today. So we've got to adapt and that's what this program will hopefully do." +At the national level, there's also political maneuvering over fires. +Department of Homeland Security Secretary Kirstjen Nielson visited a fire zone in Northern California earlier this month and promised to start providing federal emergency funding earlier. Meanwhile, during her recent tour of a fire area, California's U.S. Sen. Kamala Harris said she is pushing to expand federal funding for both fighting and preventing wildfires. Some of that funding is in a bipartisan bill that is co-sponsored by senators from 10 other states, many of them in the fire-prone West. +"Let's also invest resources in things like deforestation, in getting rid of these dead trees and doing the other kind of work that is necessary to mitigate the harm that that is caused by these fires," Harris said while visiting Lake County. +Dollars are important: The state has blown through its firefighting budget seven of the last 10 years, even as the annual budget has grown five-fold over the same period. This fiscal year started six weeks ago, and California has already spent three-quarters of its firefighting budget for the entire year. +That spending is "a very stark indication of the severity and the scope of these type of catastrophic wildfires," said H.D. Palmer, spokesman for Gov. Jerry Brown's Department of Finance. Copyright 2018 KQED. To see more, visit KQED \ No newline at end of file diff --git a/input/test/Test341.txt b/input/test/Test341.txt new file mode 100644 index 0000000..a51da08 --- /dev/null +++ b/input/test/Test341.txt @@ -0,0 +1,12 @@ +Darden Restaurants, Inc. (DRI) Holdings Decreased by Barings LLC Stephan Jacobs | Aug 17th, 2018 +Barings LLC reduced its position in Darden Restaurants, Inc. (NYSE:DRI) by 37.7% in the second quarter, HoldingsChannel.com reports. The firm owned 4,317 shares of the restaurant operator's stock after selling 2,610 shares during the period. Barings LLC's holdings in Darden Restaurants were worth $462,000 at the end of the most recent reporting period. +Several other institutional investors and hedge funds have also recently bought and sold shares of DRI. Jacobi Capital Management LLC boosted its position in shares of Darden Restaurants by 79.3% in the first quarter. Jacobi Capital Management LLC now owns 1,585 shares of the restaurant operator's stock worth $133,000 after purchasing an additional 701 shares during the period. Trilogy Capital Inc. purchased a new position in shares of Darden Restaurants in the first quarter worth $140,000. TLP Group LLC lifted its holdings in shares of Darden Restaurants by 761.3% in the first quarter. TLP Group LLC now owns 2,093 shares of the restaurant operator's stock worth $178,000 after buying an additional 1,850 shares in the last quarter. Ostrum Asset Management purchased a new position in shares of Darden Restaurants in the first quarter worth $180,000. Finally, Summit Securities Group LLC purchased a new position in shares of Darden Restaurants in the second quarter worth $203,000. Institutional investors and hedge funds own 88.96% of the company's stock. Get Darden Restaurants alerts: +Several research firms have recently commented on DRI. Maxim Group downgraded shares of Darden Restaurants from a "buy" rating to a "hold" rating and set a $112.00 target price on the stock. in a report on Monday, July 16th. They noted that the move was a valuation call. Zacks Investment Research raised shares of Darden Restaurants from a "hold" rating to a "buy" rating and set a $126.00 target price on the stock in a report on Monday, July 16th. Citigroup boosted their target price on shares of Darden Restaurants from $100.00 to $128.00 and gave the stock a "buy" rating in a report on Thursday, July 12th. Piper Jaffray Companies reissued an "overweight" rating and issued a $120.00 target price on shares of Darden Restaurants in a report on Monday, July 23rd. Finally, Barclays boosted their target price on shares of Darden Restaurants from $117.00 to $121.00 and gave the stock a "$112.15" rating in a report on Wednesday, July 18th. Ten analysts have rated the stock with a hold rating and sixteen have issued a buy rating to the stock. Darden Restaurants presently has an average rating of "Buy" and a consensus target price of $110.77. +Darden Restaurants stock opened at $112.88 on Friday. The firm has a market cap of $13.52 billion, a P/E ratio of 23.47, a price-to-earnings-growth ratio of 2.13 and a beta of 0.18. The company has a current ratio of 0.40, a quick ratio of 0.25 and a debt-to-equity ratio of 0.42. Darden Restaurants, Inc. has a 52-week low of $76.27 and a 52-week high of $113.54. +Darden Restaurants (NYSE:DRI) last released its quarterly earnings results on Thursday, June 21st. The restaurant operator reported $1.39 earnings per share (EPS) for the quarter, beating the Zacks' consensus estimate of $1.35 by $0.04. The company had revenue of $2.13 billion for the quarter, compared to the consensus estimate of $2.13 billion. Darden Restaurants had a net margin of 7.38% and a return on equity of 29.02%. Darden Restaurants's revenue was up 10.3% on a year-over-year basis. During the same quarter in the prior year, the firm earned $0.99 earnings per share. equities research analysts predict that Darden Restaurants, Inc. will post 5.5 earnings per share for the current fiscal year. +The firm also recently declared a quarterly dividend, which was paid on Wednesday, August 1st. Investors of record on Tuesday, July 10th were paid a dividend of $0.75 per share. This is an increase from Darden Restaurants's previous quarterly dividend of $0.63. The ex-dividend date of this dividend was Monday, July 9th. This represents a $3.00 dividend on an annualized basis and a yield of 2.66%. Darden Restaurants's dividend payout ratio is presently 52.39%. +In related news, SVP Douglas J. Milanes sold 2,186 shares of the company's stock in a transaction on Monday, July 23rd. The shares were sold at an average price of $111.06, for a total transaction of $242,777.16. Following the sale, the senior vice president now owns 792 shares of the company's stock, valued at $87,959.52. The transaction was disclosed in a legal filing with the SEC, which is available through the SEC website . Also, Director William S. Simon sold 2,418 shares of the company's stock in a transaction on Friday, July 13th. The shares were sold at an average price of $112.09, for a total transaction of $271,033.62. Following the sale, the director now directly owns 12,666 shares in the company, valued at approximately $1,419,731.94. The disclosure for this sale can be found here . In the last ninety days, insiders have sold 182,236 shares of company stock worth $19,609,826. 0.65% of the stock is owned by insiders. +Darden Restaurants Company Profile +Darden Restaurants, Inc, through its subsidiaries, owns and operates full-service restaurants in the United States and Canada. As of May 27, 2018, it owned and operated approximately 1,746 restaurants under the Olive Garden, LongHorn Steakhouse, Cheddar's Scratch Kitchen, Yard House, The Capital Grille, Bahama Breeze, Seasons 52, and Eddie V's brands. +Read More: Should you buy a closed-end mutual fund? +Want to see what other hedge funds are holding DRI? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Darden Restaurants, Inc. (NYSE:DRI). Receive News & Ratings for Darden Restaurants Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Darden Restaurants and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test3410.txt b/input/test/Test3410.txt new file mode 100644 index 0000000..2cf4120 --- /dev/null +++ b/input/test/Test3410.txt @@ -0,0 +1,9 @@ +Cardano Price Analysis: ADA/USD Eyeing Upside Break above $0.10 Aayush Jindal | August 17, 2018 | 8:00 am Cardano Price Analysis: ADA/USD Eyeing Upside Break above $0.10 Aayush Jindal | August 17, 2018 | 8:00 am Key Highlights ADA price recovered above the $0.090 resistance and is currently consolidating against the US Dollar (tethered). There is a crucial bearish trend line in place with resistance at $0.0990 on the hourly chart of the ADA/USD pair (data feed via Bittrex). The pair has to move above the trend line and $0.1000 to gain bullish momentum. +Cardano price is placed in a bullish zone against the US Dollar and Bitcoin. ADA/USD must break $0.1000 for an extended recovery in the near term. Cardano Price Analysis +After a sharp decline, cardano price found support near the $0.0850 level against the US Dollar. The ADA/USD pair traded as low as $0.0842 and later started an upside correction. The price moved above the $0.085 and $0.090 resistance levels. Moreover, there was a break above the 38.2% Fib retracement level of the last slide from the $0.1145 high to $0.0842 low. +At the moment, the price is trading near an important resistance at $0.1000 and the 100 hourly simple moving average. There is also a crucial bearish trend line in place with resistance at $0.0990 on the hourly chart of the ADA/USD pair. Additionally, the 50% Fib retracement level of the last slide from the $0.1145 high to $0.0842 low is at $0.099 to prevent gains . Should the price surpass the trend line and $0.1000, it could accelerate higher. The next resistance is near $0.1075-0.1080, which was a support earlier. Above this, the price will most likely test the last swing high near $0.1145. +The chart indicates that ADA price is currently trading in a positive zone above $0.090. However, a proper close above $0.1000 is needed for buyers to take the center stage. If there is a downside correction, the $0.092 and $0.090 levels are likely to hold declines. +Hourly MACD – The MACD for ADA/USD is placed in the bullish zone. +Hourly RSI – The RSI for ADA/USD is currently well above the 50 level. +Major Support Level – $0.0900 +Major Resistance Level – $0.1000 Cardano Price Analysis: ADA/USD Eyeing Upside Break above $0.10 was last modified: August 17th, 2018 by Aayush Jinda \ No newline at end of file diff --git a/input/test/Test3411.txt b/input/test/Test3411.txt new file mode 100644 index 0000000..c0ac8b0 --- /dev/null +++ b/input/test/Test3411.txt @@ -0,0 +1,8 @@ +Key Highlights ADA price recovered above the $0.090 resistance and is currently consolidating against the US Dollar (tethered). There is a crucial bearish trend line in place with resistance at $0.0990 on the hourly chart of the ADA/USD pair (data feed via Bittrex). The pair has to move above the trend line and $0.1000 to gain bullish momentum. +Cardano price is placed in a bullish zone against the US Dollar and Bitcoin. ADA/USD must break $0.1000 for an extended recovery in the near term. Cardano Price Analysis +After a sharp decline, cardano price found support near the $0.0850 level against the US Dollar. The ADA/USD pair traded as low as $0.0842 and later started an upside correction. The price moved above the $0.085 and $0.090 resistance levels. Moreover, there was a break above the 38.2% Fib retracement level of the last slide from the $0.1145 high to $0.0842 low. +At the moment, the price is trading near an important resistance at $0.1000 and the 100 hourly simple moving average. There is also a crucial bearish trend line in place with resistance at $0.0990 on the hourly chart of the ADA/USD pair. Additionally, the 50% Fib retracement level of the last slide from the $0.1145 high to $0.0842 low is at $0.099 to prevent gains . Should the price surpass the trend line and $0.1000, it could accelerate higher. The next resistance is near $0.1075-0.1080, which was a support earlier. Above this, the price will most likely test the last swing high near $0.1145. +The chart indicates that ADA price is currently trading in a positive zone above $0.090. However, a proper close above $0.1000 is needed for buyers to take the center stage. If there is a downside correction, the $0.092 and $0.090 levels are likely to hold declines. +Hourly MACD – The MACD for ADA/USD is placed in the bullish zone. +Hourly RSI – The RSI for ADA/USD is currently well above the 50 level. +Major Support Level – $0.090 \ No newline at end of file diff --git a/input/test/Test3412.txt b/input/test/Test3412.txt new file mode 100644 index 0000000..f78249b --- /dev/null +++ b/input/test/Test3412.txt @@ -0,0 +1,10 @@ +Facing backlash from employees for its reported plan to enter China with a censored version of its search engine, Google CEO Sundar Pichai addressed them in an internal meeting and informed that the project, called Dragonfly, was at an exploratory stage, the media reported. +Pichai also addressed the controversy surrounding the secrecy of the project, BuzzFeed News reported late on Thursday. +"I think there are a lot of times when people are in exploratory stages where teams are debating and doing things, so sometimes being fully transparent at that stage can cause issues," the Google CEO was quoted as saying. +The news about Google's plan to build a censored search engine in China broke earlier this month when The Intercept reported that the search platform would blacklist "sensitive queries" about topics including politics, free speech, democracy , human rights and peaceful protest. +This triggered an outrage among some Google staff who complained of lack of transparency within the company. +Over 1,400 employees reportedly signed a petition demanding more insight into the project. +At the company meeting on Thursday, Pichai said that Google has been "very open about our desire to do more in China," and that the team "has been in an exploration stage for quite a while now" and "exploring many options", CNBC reported. +While expressing interest in continuing to expand the company's services in China, Pichai told the employees that the company was "not close" to launching a search product there and that whether it would -- or could -- "is all very unclear", the CNBC report said. +Google had earlier launched a search engine in China in 2006, but pulled the service out of the country in 2010, citing Chinese government efforts to limit free speech and block websites. +0 Comment \ No newline at end of file diff --git a/input/test/Test3413.txt b/input/test/Test3413.txt new file mode 100644 index 0000000..d5ad772 --- /dev/null +++ b/input/test/Test3413.txt @@ -0,0 +1,2 @@ +RSS Marine Electronic Navigation System Market Scope, Business Growth Factors, Industry Policies and Forecast Till 2025: KVH Industries, Inc., Icom America Inc., Jeppesen Sanderson Inc. Detailed analysis of critical aspects such as the impacting factor and competitive landscape are showcased with the help of vital resources like charts, tables, and infographics. + The latest market intelligence study on Marine Electronic Navigation System market relies on statistics derived from the application of both primary and secondary research to present insights pertaining to the operational model, opportunities and competitive landscape of Marine Electronic Navigation System market for the forecast period, 2018 - 2025. Download FREE Sample Copy of Marine Electronic Navigation System Market Report @ https://www.marketexpertz.com/sample-enquiry-form/16283 Scope of the Report: In addition, the research on the Marine Electronic Navigation System market concentrates on extracting valuable data on swelling investment pockets, significant growth opportunities and major market vendors to help understand business owners what their competitors are doing best to stay ahead in the competition. The research also segments the Marine Electronic Navigation System market on the basis of the end-user, product type, application and demography for the forecast period 2018 - 2025. Market Segment on the basis of by manufacturers, the report covers the following companies- Raytheon Anschtz GmbH, Simrad Yachting, B&G Company, Raymarine Marine Electronics, Furuno Electric Co., Ltd, SPOT LLC., KVH Industries, Inc., Icom America Inc., Jeppesen Sanderson, Inc., FLIR Systems, Inc. Market Segment on the basis of application, the report covers: - Ships & Boats - Remotely operated underwater vehicle (ROVs) - Autonomous underwater vehicle (AUVs) Order Marine Electronic Navigation System Market Report@ https://www.marketexpertz.com/checkout-form/16283 Market Segment on the basis of Product, the report covers: - Electronic Chart Systems (ECS) - Raster Chart Display Systems (RCDS) - Electronic Chart Display and Information Systems (ECDIS) - Others There are 14 Chapters to deeply display the Marine Electronic Navigation System market. Chapter 1, to describe Marine Electronic Navigation System Introduction, product scope, market overview, market opportunities, market risk, market driving force; Chapter 2, to analyze the top manufacturers of Marine Electronic Navigation System, with sales, revenue, and price of Marine Electronic Navigation System, in 2016 and 2018; Chapter 3, to display the competitive situation among the top manufacturers, with sales, revenue and market share in 2016 and 2018; Continue… Browse the full Report@ https://www.marketexpertz.com/industry-overview/marine-electronic-navigation-system-market About MarketExpertz Planning to invest in market intelligence products or offerings on the web? Then marketexpertz has just the thing for you - reports from over 500 prominent publishers and updates on our collection daily to empower companies and individuals catch-up with the vital insights on industries operating across different geography, trends, share, size and growth rate. There's more to what we offer to our customers. With marketexpertz you have the choice to tap into the specialized services without any additional charges. Contact US: 40 Wall St. 28th floor New York City NY 10005 United State \ No newline at end of file diff --git a/input/test/Test3414.txt b/input/test/Test3414.txt new file mode 100644 index 0000000..45120b1 --- /dev/null +++ b/input/test/Test3414.txt @@ -0,0 +1,50 @@ +Image copyright Channel 5 Image caption The first pictures of this year's house were released earlier this week Celebrity Big Brother is back - and the latest line-up includes soap stars, reality show veterans, a Hollywood actress and a former footballer - but despite the rumours, there is no sign of Stormy Daniels (as yet...). +This year's theme is "eye of the storm" and viewers who had been expecting to see the adult film star - who has had a legal battle with US president Donald Trump - were teased with a presidential-themed task on the opening night. +While the show's viewing figures aren't anything like what they used to be, Channel 5 as always is promising surprises as the series unfolds. +Let's take a look at the new housemates: +Gabby Allen Image copyright PA If you're still suffering withdrawal symptoms from Love Island, its 2017 star Gabby Allen will be a sight for sore eyes. +Since leaving the villa, she and former boyfriend and Blazin' Squad star Marcel Somerville have broken up. +From finding love in one home televised across the nation, to moving on in another, Gabby's life is eventful to say the least. +Dan Osborne Image copyright PA Most CBB series include a current or former star of ITV's reality show Towie, so it's no surprise to see former Towie star and resident bad boy Dan Osborne in the house. +But here's the goss: Dan split from his wife , Eastenders actress Jacqueline Jossa earlier this year, after being romantically linked to the former Love Island star Gabby Allen (who we've just mentioned of course). +Maybe the Channel 5 producers are trying to conjure up some of that Love Island magic in the Big Brother house? +Roxanne Pallett Image copyright PA Just weeks after surviving a car crash , the former Emmerdale actress will probably be enjoying some R&R in the Big Brother house - or at least what passes for R&R in that crazy environment. +In July she was taking part in a stock car race in North Yorkshire, when she was airlifted to hospital after being cut from the race car. +This week she revealed she got engaged to her boyfriend just seven days after meeting him. +And now she's been flung into the CBB house, a big test for many a new-fledged relationship in the past. +Kirstie Alley Image copyright PA Former Cheers actress Kirstie was the first celebrity to enter the famous house this series and therefore was given the first task, to act as an (unelected) president of her housemates. +Despite her a successful acting career, nowadays there's a lot more public interest in her life as a Scientologist. +Kirstie was raised as a Methodist (a denomination of Protestant Christianity) but converted to the Church of Scientology in the late 1970s and has since become one of the religion's most famous members, alongside Tom Cruise and John Travolta. +Sally Morgan Image copyright PA Known as Psychic Sally, we wonder whether she can already predict which celebrity will be crowned the winner of Celebrity Big Brother. +Sally does more than 150 live stage shows a year and has also starred in several TV shows, focusing on her supernatural gifts. +And five years ago, she received a £125,000 payout from the Daily Mail over reports she had received instructions from a hidden earpiece during a show in Dublin. The paper apologised and said it accepted the article was untrue. +Rodrigo Alves Image copyright Channel 5/PA Rodrigo earned the nickname of The Human Ken Doll after undergoing more than 100 surgeries and procedures, including pec implants and botox, to totally transform himself. +He is a regular on red carpets and has more than 700,000 followers on Instagram, where he is seen frequenting beaches, partying on yachts and flaunting his collection of corsets. +In 2017, when there were reports that Rodrigo was going to enter the house, he told Metro: "'If I were to go on a show of that format, it will show the public the real side of me, because all they know is what they read on the news." +Chloe Ayling Image copyright Channel 5/PA Model Chloe made headlines last year after she was lured into a fake photoshoot in Italy and help captive for six days. +In June, Lucasz Herba was convicted of kidnapping , extortion and carrying false documents. He was jailed for almost 17 years. +Speaking to BBC Radio 5 live in July, Chloe said: "Because I wasn't crying and in tears, that's what led to people to think that I was not being truthful." +Ryan Thomas Image copyright PA The former Coronation Street star has followed his brothers into reality TV and is swapping the Rovers Return Inn for the Diary Room. +Ryan, who played builder Jason Grimshaw, is already the favourite to win this year's series with the bookies. +He's not the first member of his family to venture into reality TV - his brother Scott is a former Love Island contestant and, in 2016, Scott's twin Adam appeared on I'm A Celebrity. +And Ryan quickly won the first viewers' vote of the series - being elected vice-president of the Big Brother House on opening night - which is usually a clear sign that he is the most-recognisable and most popular at the outset. But CBB history demonstrates how quickly that can change. +Jermaine Pennant Image copyright PA The former Arsenal and Liverpool footballer has made some of his former teammates nervous by entering the house. +"I think they are concerned, yeah," he told the Daily Star . "They are worried about what hidden gems I might come out with, skeletons that might come out of the closet." +The 35-year-old was just 15 when he was sold by lowly Notts County to Arsenal for £2m and he has had an eventful career since then - with 24 England under-21 caps, and an appearance in the Champions League final. +But he has also hit the headlines for spending time in jail for drink-driving and driving while disqualified - and for being the first Premier League star to play while wearing an electronic tag. +Hardeep Singh Kohli Image copyright PA Hardeep is no stranger to reality TV - having appeared on Celebrity MasterChef and a celebrity version of The Apprentice. +The 49-year-old Scottish comedian and broadcaster-turned chef also lived on the streets while filming Famous, Rich and Homeless for the BBC. +In 2009, while working for the BBC's One Show, he "apologised unreservedly" following a complaint of inappropriate behaviour from a female colleague. He was dropped from the show for six months but never returned. +The father-of-two said at the time he recognised he had "overstepped the mark" but had been "badly treated" by the BBC over the incident. +Natalie Nunn Image copyright PA Natalie will only really be known to those viewers who gorge on American reality TV shows - but they have provided some of CBB's most memorable contestants in recent years. +She first appeared on the small screen when she took part in season four of US hit Bad Girls Club in 2009. +The show is focused on fights and arguments between a small group of unique but highly aggressive women, so it took some effort for Natalie to be booted off the show after a physical altercation with her co-stars. +Maybe the British sensibility will kick in and mellow Natalie out during her stay in the UK? But arriving for the opening night show wearing a crown and declaring herself "the Queen of England" suggests not. +Nick Leeson Image copyright PA Among the usual recycled reality stars and soap actors, this is probably the most unlikely housemate on this year's show - and one whose infamy may have to be carefully explained to any viewers under 30. +Nick was a Watford-born banker who briefly became one of the most talked-about people in the world. In 1995, while working for Barings Bank, he made a series of increasingly risky financial trades - unauthorised actions that caused £800m in losses and led to the collapse of Barings, the world's second oldest merchant bank. +It was such a sensational incident that it was later made into a film - called Rogue Trader - with Nick portrayed by Ewan McGregor. +After spending time in a Singapore prison for his rogue trading, Nick became a motivational speaker - but it will be interesting to see if housemates put him in charge of their shopping budget. +Ben Jardine Image copyright PA This is the second reality show in the space of a year for Ben. In December, he married police officer Stephanie for Channel 4's Married At First Sight. They met for the first time at the altar but the couple broke up after the show's final episode aired on TV. +He was later accused of cheating on Stephanie and admitted to kissing another woman behind her back. +Oh, and did we mention, he's going to be a dad too , fathering a child with a mystery woman. +He told The Sun: "I have been blessed. Out of all the chaos of this past year something beautiful has happened, which I will forever protect and be grateful for. \ No newline at end of file diff --git a/input/test/Test3415.txt b/input/test/Test3415.txt new file mode 100644 index 0000000..05b6737 --- /dev/null +++ b/input/test/Test3415.txt @@ -0,0 +1,20 @@ + +Politico has published an op-ed by Dr. David S. Glosser calling White House adviser Stephen Miller "a hypocrite" for his law and order stance on immigration. Why should anyone care? +Apparently, Dr. Glosser is Miller's uncle. And the open-borders lobby, lacking any rational arguments in support of its radical positions, has turned to the relatives of Trump administration officials in an attempt to publicly shame them. +However, this particular relative may have been a poor choice. Despite his impressive credentials as a retired professor of medicine, he appears to be woefully ignorant of American immigration history. He also appears to be totally incapable of distinguishing a purely emotional argument from a logical one. +According to Dr. Glosser, his forebear Wolf-Lieb Glosser fled Czarist Russia in 1903, immigrating from Antopol, Belarus, to New York City. And, if Wolf-Lieb hadn't come to the U.S., Stephen Miller wouldn't have been born. Therefore, Mr. Miller should be in favor of open borders and blatant violations of U.S. immigration law. +Dr. Glosser hysterically states, "I have watched with dismay and increasing horror as my nephew, an educated man who is well aware of his heritage, has become the architect of immigration policies that repudiate the very foundation of our family's life in this country." +He follows up with this gem, "I shudder at the thought of what would have become of the Glossers had the same policies Stephen so coolly espouses— the travel ban, the radical decrease in refugees, the separation of children from their parents, and even talk of limiting citizenship for legal immigrants — been in effect when Wolf-Leib made his desperate bid for freedom." +Related: Law Has Long Said Deadbeats Not Welcome, Immigration Chief Claims +That's ironic. Because the very policies that the Trump administration is currently espousing were in effect when Wolf-Lieb Glosser arrived in the United States. In 1903, the year that the Glossers began arriving in the United States, Congress enacted theImmigration Act of 1903, also known as the Anarchist Exclusion Act. +That legislation made anarchists and beggars inadmissible to the United States. It was passed in response to both terrorist attacks perpetrated by German and Eastern European anarchists and the new phenomenon of recently-arrived immigrant paupers begging on the streets of America's major cities. +Then, as now, most Americans believed that those who violently oppose our Republican form of government and those who will allow the state to support them, rather than working for a living, should not be admitted to the United States. +Related: Here's The Scoop On How Smugglers Exploit Immigration Loopholes +What's worth noting is that the Immigration Act of 1903 didn't result in the exclusion of Dr. Glosser's relatives. Why? Because, as he points out, Wolf-Lieb, and his son Nathan, were hard-working and entrepreneurial. +They built "a chain of supermarkets and discount department stores" that eventually "employed thousands of people." In fact, it is likely that legislation like the Immigration Act of 1903 preserved the very conditions of peace and prosperity that allowed the Glossers to flourish in the United States. +One could even argue that a firm preference for honest, law-abiding immigrants is what allowed Stephen Miller, roughly a century after his ancestors arrived in the U.S., to become a trusted advisor to a U.S. president. +But Dr. Glosser makes the classic error made by everyone who subscribes to the illogical "we were immigrants, so all immigration is good" argument. He appeals to emotion, rather than logic, failing to distinguish between his law abiding relations and illegal aliens. +In so doing, he draws a false moral equivalency between his ancestors who fled oppression in Czarist Russia and the MS-13 gang members, radical Islamists and perpetrators of immigration fraud who make up so much of the current wave of immigrants. +The fact is that Wolf-Lieb and Nathan Glosser were nothing like the migrants his nephew Stephen is currently trying to keep out of the United States. The fact that the Glossers built a business empire, rather than becoming public charges, demonstrates that quite clearly. +So who is the hypocrite? Clearly it is not Miller. His immigration policy suggestions are responses to clear and present threats to the United States, not emotionally-based appeals to a golden age that never existed. +Matt O'Brien is the former chief of the National Security Division within the Fraud Detection and National Security Directorate at U.S. Citizenship and Immigration Services. He has also served as assistant chief counsel in U.S. Immigration and Customs Enforcement's New York district. He is currently the director of research at the Federation for American Immigration Reform (FAIR) \ No newline at end of file diff --git a/input/test/Test3416.txt b/input/test/Test3416.txt new file mode 100644 index 0000000..ee9bf5e --- /dev/null +++ b/input/test/Test3416.txt @@ -0,0 +1 @@ +Display Full Page Focus on Self-Improvement As an Athletic Trainer (AT), you have the opportunity to practice in different locations, experience the highs of athletic competition and network with amazing people. You have the power to stand out ... Uber Halts Self-Driving Truck Division To Focus on Cars Uber is hitting the brakes on self-driving trucks, shifting gears to focus just on autonomous cars. The US company is among a number of technology and car companies racing toward what some contend is ... Uber dumps self-driving truck division to focus on autonomous cars CRAPSICAB COMPANY Uber has ceased development of autonomous trucks to instead focus on its self-driving car technology. The company achieved the world's first commercial shipment delivered by a self-d... Uber abandons self-driving lorries to focus on cars Uber has ceased development of autonomous trucks to focus on its self-driving car technology, instead. The company achieved the world's first commercial shipment delivered by a self-driving truck in 2... Uber Ends Its Self-Driving Truck Program And Shifts Focus To Autonomous Cars Uber on Monday announced it is shutting down its self-driving trucks unit and will shift its focus toward further developing self-driving cars. The ride-sharing giant said it would keep all employees ... Uber shuts down self-driving trucks division to focus on autonomous cars The ride-hailing business Uber has shut its self-driving trucks division to focus solely on its research with autonomous cars. Although the division had completed a delivery of Budweiser beer in 2016, ... Self-driving freighter out of the picture as Uber dumps truck to focus on cars Uber is walking away from self-driving trucks, Reuters reports. After taking a high-visibility leadership role in autonomous over-the-road cargo hauling with its 2016 purchase of self-driving truck st... Uber shuts down self-driving truck unit to focus on autonomous cars July 31 (UPI) --Uber announced it is closing its self-driving truck unit to focus its efforts on bringing self-driving cars into service. In a statement sent to UPI on Tuesday, Uber said it notified w.. \ No newline at end of file diff --git a/input/test/Test3417.txt b/input/test/Test3417.txt new file mode 100644 index 0000000..ad383db --- /dev/null +++ b/input/test/Test3417.txt @@ -0,0 +1,15 @@ +Merkel, Putin share a headache: Donald Trump - WMC Action News 5 - Memphis, Tennessee Member Center: Merkel, Putin share a headache: Donald Trump 2018-08-17T07:50:19Z 2018-08-17T07:52:08Z (AP Photo/Markus Schreiber, file). FILE - In this July 7, 2017 file photo Russian President Vladimir Putin, left, talks with German Chancellor Angela Merkel prior to the first working session on the first day of the G-20 summit in Hamburg, northern Ger... (AP Photo/Alexander Zemlianichenko, file). FILE - In this May 18, 2018 file photo Russian President Vladimir Putin, right, and German Chancellor Angela Merkel attend news conference after their meeting at Putin's residence in the Russian Black Sea reso... (AP Photo/Manuel Balce Ceneta, file). FILE - In this April 27, 2018 file photo German Chancellor Angela Merkel listens to President Donald Trump talk, during a news conference in the East Room of the White House in Washington. Merkel and Putin will mee... (AP Photo/Pablo Martinez Monsivais, file). FILE - In this July 16, 2018 file photo Russian President Vladimir Putin, right, looks over towards U.S. President Donald Trump, left, as Trump speaks during their joint news conference at the Presidential Pal... (AP Photo/Dmitry Lovetsky, file). FILE - In this Friday, April 9, 2010 file photo a Russian construction worker smokes in Portovaya Bay some 170 kms (106 miles) north-west from St. Petersburg, Russia, during a ceremony marking the start of Nord Stream ... +By DAVID McHUGHAssociated Press +FRANKFURT, Germany (AP) - German Chancellor Angela Merkel and Russia's President Vladimir Putin will have plenty to talk about when they meet Saturday - thanks in no small part to U.S. President Donald Trump, whose sanctions and criticisms over trade, energy and NATO have created new worries for both leaders. +The two will meet at the German government's guest house outside Berlin and will give short statements beforehand but aren't planning a news conference, German officials have said. Government spokesman Steffen Seibert has said that topics will include the civil war in Syria, the conflict in Ukraine, and energy questions. +Putin is facing the possibility of more U.S. sanctions on Russia imposed by Trump, and has an interest in softening or heading off any European support for them. Meanwhile, while both countries want to move ahead with the Nord Stream 2 gas pipeline - roundly criticized by Trump as a form of Russian control over Germany. +Stefan Meister, a Russia expert at the German Council on Foreign Relations, said that there is "an increased interest on both sides to talk about topics of common interest" and that, in part because of Trump, the two sides have shifted focus from earlier meetings that focused on Russia's conflict with Ukraine. Merkel was a leading supporter of sanctions against Russia over its annexation of Ukraine's Crimea region. +The two leaders are far from being allies, however. Meister wrote in an analysis for the council that the talks will still involve "hard bargaining" from Putin's end and neither side is likely to make significant compromises - but both could send a signal that they will "not let themselves be pressured by Trump." +The background to this meeting includes Trump's announcement that he plans to impose sanctions on Russia in response to the poisoning of former Russian agent Sergei Skripal and his daughter Yulia in Britain. A first set of sanctions would target U.S. exports of goods with potential military use starting Aug. 22, while a second set of broader sanctions could take effect 90 days later if Russia does not confirm it is no longer using chemical weapons and allow on-site inspections. Russia has denied involvement in the poisoning. +Meister said that Putin can use the meeting to "send a signal to Washington that there are allies of the U.S. that still do business with Russia." Beyond that, he can push for Germany and the European Union not to support further sanctions, particularly a second round that might hit businesses working with the Nord Stream 2 project. +The project would add another natural gas pipeline under the Baltic Sea, allowing more Russian gas to bypass Ukraine and Poland. Trump has criticized Nord Stream 2 and the gas supplies, saying German is "totally controlled" by Russia by being dependent on the energy. Trump's criticism was linked to his push for other NATO member countries, particularly Germany, to pay a bigger share of the cost of NATO's common defense. +From her end, Merkel will push for a Russian commitment to keep at least some gas transiting Ukraine, which earns transit fees from it. Putin has said he's open for shipments to continue if Ukraine settles a gas dispute with Russia. +Germany also has a strong interest in seeing some of the Syrian refugees in Germany return home in any settlement of the civil war in their home country, and could seek Russia's support for that with President Bashar Assad. Russia has backed Assad with military force. Putin has pushed Germany and other Western nations to help rebuild Syria's economy ravaged by more than seven years of civil war, arguing that it would help encourage refugees from Syria to return home, easing the pressure on Europe. +Merkel's decision to allow in a flood of refugees in 2015 led to a backlash against her immigration policy and boosted the anti-immigration Alternative for Germany party. +Both Germany and Russia have expressed a desire to maintain the agreement with Iran to limit its nuclear program in return for easing some economic sanctions. Trump has pulled the U.S. out of the program and imposed new sanctions, saying that they will also hit foreign countries that keep doing business with Iran. +Merkel and Putin have met and spoken by phone numerous times since she became chancellor in 2005. They share some common background. Merkel grew up under communism in East Germany, as Putin did in the Soviet Union; she speaks Russian and he speaks German after living in East Germany as a KGB agent during the Soviet era. That said, the relationship is characterized by hard bargaining over each side's national interest \ No newline at end of file diff --git a/input/test/Test3418.txt b/input/test/Test3418.txt new file mode 100644 index 0000000..472d5a8 --- /dev/null +++ b/input/test/Test3418.txt @@ -0,0 +1,29 @@ +Amid turmoil, USA Gymnastics takes small steps forward Will Graves, The Associated Press 15 16 AM +BOSTON (AP) " The pep talk was short and to the point, a reminder to reigning world gymnastics champion Morgan Hurd that all was not lost. +The 17-year-old had just fallen on beam at the U.S. Classic last month, ending any serious chance she had at making a serious run at Simone Biles in the Olympic champion's return to competition after a two-year break. In the moment, Hurd was frustrated. +And then Tom Forster came over. The newly appointed high-performance team coordinator for the embattled USA Gymnastics women's elite program pulled Hurd aside and put things in perspective. +"He was like, 'It's OK because now is not your peak time anyways,'" Hurd said. "That was the exact mindset I had." +It was a small moment, one of many Forster shared with various competitors as he walked the floor during the first significant meet of his tenure. He plans to do the same when the U.S. championships start on Friday night. He insists he's not grandstanding or putting on a show or trying to prove some sort of point about a new era of transparency in the wake of the Larry Nassar scandal. +The way Forster figures it, he's just doing what he's always done. His title has changed. The way he acts around athletes " many of whom he's known for years while working with the USA Gymnastics developmental program " will not. +Still, that doesn't make the image of the person who will play an integral role in figuring out which gymnasts will compete internationally jarring. Forster's hands-on approach is in stark contrast to longtime national team coordinator Martha Karolyi's aloofness. Karolyi would spend meets not on the floor but watching from a table, lips often pursed and her face betraying little. It was the same during national team camps, with Karolyi often talking to the personal coaches of the athletes rather than the athletes themselves. +That's not Forster. +"I never envisioned being in this role so I never really thought about sitting at that big table and just watching," he said. +Maybe, but it's a departure, one Hurd called "kind of strange" but welcome. +"He's walking around practices and interacting with absolutely everyone," she said. "I think it's pretty cool." +And in a way symbolic, even if that's not exactly what Forster is going for. +USA Gymnastics' response to the scandal involving disgraced former national team doctor Larry Nassar " who abused hundreds of women, including several Olympians, under the guise of medical treatment " has included a massive overhaul of the leadership and legislative changes designed to make the organization more accountable from the top down. It has also been peppered almost non-stop with buzzwords like "culture change" and "empowerment." +A true shift will take years. Forster understands that. Still, he's taken steps during his first two months on the job designed to create a more open, welcoming environment. +For Margzetta Frazier, the proof came in June when her phone buzzed with a number she didn't recognize. The 18-year-old decided in late spring she was retiring from elite gymnastics and would instead focus on her college career at UCLA. At least, that was the plan until she slid her thumb to the right and answered. +"Tom was like, 'Hey, I know you retired but can you come back? We need you,'" Frazier said. "I had no idea he even had my number." +For the first time in a while, Frazier says she "felt respected" by USA Gymnastics. That wasn't the case this spring, when she took the unusual step of texting USA Gymnastics president Kerry Perry to express her disappointment in the organization's decision to fire senior vice president Rhonda Faehn in the middle of a national team camp. Frazier briefly posted her text to Perry on Instagram. +"I was taught to speak my mind respectfully," Frazier said. "It was so unprofessional to have one of our top coordinators fired. I was mentally distressed. I had to say something." +So she did. And then she retired. And then Forster called. And she couldn't say no. So she didn't say no. Instead, she developed a training plan with Chris Waller and 2011 world champion Jordyn Wieber and will be in Boston this weekend hoping to do enough over the next two months to earn a spot on the world championship team. +All because Forster called her out of the blue. Now Frazier views her second chance as an opportunity to help the athletes steer the culture in a more positive direction. It's quite literally the "empowerment" that Perry talks about in action. +While Frazier understands Nassar victims " a list that includes Wieber and UCLA teammates Kyla Ross and Madison Kocian " are clamoring for change, Frazier believes the athletes still competing at the elite level can be an integral part of the process. +"We can help change things from the inside out," Frazier said. "We are hand in hand with the survivors, 100 percent. We want to be the people on the inside helping." +Forster knows part of his role as one of the most visible people in the sport is to facilitate the change within the elite program. When he took over in June, he talked about the need to create an environment where the athletes felt they had more of a say in how things are done. He went to the gymnasts and asked them what they would like to see change at selection camps. They told him they wanted open scoring like they receive during a typical meet. So he obliged. +"They have to be able to voice whatever their concern is without fear of any retaliation or that it would impact them not making a team," Forster said. +It's one small facet of an overhaul that will be fought on many fronts over many years. There is no pat on the back or motivational chat or fist bump among teammates that will signal all is well. There shouldn't be. The Nassar effect will linger for decades. That's not a bad thing. +"I think we should never try to bury that stuff," Hurd said. "It happened and it's an awful thing that happened and such an unfortunate thing. But I don't think we should ever try to bury that conversation because that's how it all comes back." +Yet Hurd, Forster and the current national team members are optimistic there is a way forward. +"I've read through all the manuals. There isn't anything in any of our manuals that demands we win medals," Forster said. "Not one. No matter what the press has said. There isn't anything that says we have to win medals. We have to put the best team out on the floor. That's our job, and we're going to do it in the very best, positive way we can so that athletes have a great experience doing it. That's the hope. Well, it isn't hope. It's mandatory I do it. \ No newline at end of file diff --git a/input/test/Test3419.txt b/input/test/Test3419.txt new file mode 100644 index 0000000..9ef977d --- /dev/null +++ b/input/test/Test3419.txt @@ -0,0 +1,2 @@ +Cordless Vacuum Cleaner Market to 2023: Consumption Volume, Value, Import, Export and Sale Analysis Cordless Vacuum Cleaner -Market Demand, Growth, Opportunities and Analysis Of Top Key Player Forecast To 2023 + Cordless Vacuum Cleaner Industry Description Wiseguyreports.Com Adds "Cordless Vacuum Cleaner -Market Demand, Growth, Opportunities and Analysis Of Top Key Player Forecast To 2023" To Its Research Database A vacuum cleaner is a device that uses an air pump to create a partial vacuum to suck up dust and dirt, usually from floors, and from other surfaces such as upholstery and draperies. The dirt is collected by either a dust bag or a cyclone for later disposal. Vacuum cleaners, which are used in homes as well as in industry, exist in a variety of sizes and models—small battery-powered hand-held devices, wheeled canister models for home use, domestic central vacuum cleaners, huge stationary industrial appliances that can handle several hundred litres of dust before being emptied, and self-propelled vacuum trucks for recovery of large spills or removal of contaminated soil. Specialized shop vacuums can be used to suck up both dust and liquids. The report begins from overview of Industry Chain structure, and describes industry environment, then analyses market size and forecast of Cordless Vacuum Cleaner by product, region and application, in addition, this report introduces market competition situation among the vendors and company profile, besides, market price analysis and value chain features are covered in this report. Company Coverage (Sales Revenue, Price, Gross Margin, Main Products etc.): BISSEL \ No newline at end of file diff --git a/input/test/Test342.txt b/input/test/Test342.txt new file mode 100644 index 0000000..6c641f9 --- /dev/null +++ b/input/test/Test342.txt @@ -0,0 +1,6 @@ +0 3 views 0 Shares +Following the footsteps of New York City , Sadiq Khan, the mayor of London is also considering capping ride-hailing licenses in order to reduce congestion. According to the Guardian , the Mayor is trying to find the right legal manner in order to limit the surge of private ride-hailing cars on the road. ADVERTISEMENT +The main reason, in order to reduce both congestion and pollution in the city. London is one of the few cities which charges a congestion fee to people who drive into highly congested zones. +Based on the number of private hire licenses given, there has been a significant rise of almost 100% over the past 10 years. In the 2017/2018 period, London has now given out 114,000 licenses. According to Uber, there are about 45,000 workers in London alone. +This move would limit the growth of ride-hailing companies including Ola, the Indian equivalent of Uber who is making a move on Uber in London . Sadiq Khan is working now with regulators to enable this ruling to be passed. +"Uber is committed to helping address congestion and air pollution and we strongly support the Mayor's ultra-low emission zone. Already more than half of the miles travelled with Uber are in hybrid or electric vehicles. By competing with private cars, getting more people into fewer vehicles and investing in our clean air plan, we can be a part of the solution in London," said an Uber spokesperson to the Guardian. FB Comment \ No newline at end of file diff --git a/input/test/Test3420.txt b/input/test/Test3420.txt new file mode 100644 index 0000000..1148f83 --- /dev/null +++ b/input/test/Test3420.txt @@ -0,0 +1,20 @@ +August 17, 2018 14:56 IST Updated: August 17, 2018 14:56 IST more-in The Hindu Weekend Former journalists Alisha Wadia and Friyan Driver curate holidays you will not find at your neighbourhood travel agency +Most people reach a point when they get tired of sitting behind a desk — we have heard stories of men and women quitting their jobs and travelling the world. Former journalists Alisha Wadia and Friyan Driver did things a little differently. After planning and travelling to exotic locations — as part of their job at Lonely Planet India — they are now putting together other people's holidays. The duo, who left the travel publisher last December, run Handmade Journeys, a service that offers customised luxury holidays. +"It came together at the right time. Both of us had a goal of starting something and continuing to work in the travel sector," says Wadia, while Driver adds, "After close to a decade of planning trips — researching information about our destination, deciding what kind of story to pursue, and planning the itinerary accordingly — the experience came in handy." +Local and immersive +The process is simple: once a client approaches them, they have extensive conversations. Wadia explains this is important because, "beyond their destination, budget and number of days, we find out what their interests are and what kind of pace they'd like their holiday to have. We then tailor an itinerary with our recommendations, but the final decision is theirs". They take care of bookings and flights, and are planning to take up the visa process as well shortly. Their USP: combined, extensive knowledge of places that probably do not feature on a mainstream travel company's offering. Almost all their trips feature personal discoveries. +Some of the more interesting trips they have curated include a picnic in the Sacred Valley (just over 50 km from Machu Picchu in Peru), where a Cusco lady cooked a traditional meal for a couple after their trek, served in a private setting. The spread included a local herbal tea (coca) that helps combat altitude sickness, baked eggplant, staples like ceviche, and wine. At Galapagos Islands — where cruises are commonly the easiest way to visit — they organised an adventure sports itinerary that included snorkelling with marine iguanas and giant turtles. +Made to taste +Food seems to be popular. "One of our upcoming clients is going to Osaka, and we're putting together a food trail. Earlier, we did a similar one in London for a client who is particular about her bootcamp and dietary habits even while travelling. We recommended The Gate Restaurant, Granger & Co, Wild Food Cafe and Protein Haus. We also did a sushi and whiskey trail in Tokyo," Driver shares. +While previous experiences help them put together under-the-radar itineraries, both women say that it is an ongoing process to make sure their millennial audience gets the kind of experiences they are looking for. "It's endless hours of research, and trying to find the best possible local suppliers and hotels," says Wadia. They also keep themselves updated. "Besides travelling and collecting information on ground through recces, we keep up with trade news, and filter what we think we'd like to curate," Driver adds. +Personal picks +While they design holidays for the deep-pocketed, adventurous traveller, the Mumbai-based partners have vastly different preferences when it comes to their jaunts. Wadia prefers roadtrips and the outdoors. "I love the jungles, especially in India, like Kabini, Pench and Kanha. I became a certified diver in Maldives, so that's close to my heart. The most memorable part of that trip was staying on a river boat — the marine wildlife was stunning." As for culture and architecture, she picks the south of France. +Driver, on the other hand, is more into city holidays, describing herself as a "beach person who likes a bit of adventure, like snorkelling or kayaking". "Owing to its location between North Africa and Sicily (Italy), Malta is a beautiful combination of two very different cultures. This is evident in its architecture. Although it's just the size of Mumbai, there is a lot to offer, like an interesting cuisine that includes the famous Gozitan Rabbit, endless seafood platters and a prickly pear liqueur. Valletta has tonnes of World War lore for history buffs, while the sister island of Gozo has gorgeous beaches," she says. +Although they have worked together for so many years, the two have surprisingly not travelled together. But White Desert Luxury Glamping in Antarctica is on their bucket list. +Mail alisha@handmadejourneys.com or friyan@handmadejourneys.com for a curated holiday. The Handmade Journeys website is in the works. 9820736573 +Three to visit +With Europe, South East Asia, Australia and New Zealand being covered extensively, travellers are looking for more exotic, unknown destinations, say Driver and Wadia. +South America: "The most popular countries would be Peru, Brazil and Argentina, and would require at least 18 to 20 days. We recommend taking the Belmond Hiram Bingham Train through the Peruvian Andes, staying at the Nat Geo Mashpi Lodge in the Ecuadorian Cloud Forest, and a cruise through the Galapagos Islands. In Argentina, trek the glacier at Perito Moreno, and stay at the Awasi Iguasu Hotel. In Brazil, visit the Bahia beaches." ₹10 to ₹12 lakh per head*. +Capri: "A trip to Capri and Positano on the Amalfi Coast for a week should help you take in the sights. Take a full day cruise around the coast on a private yacht, indulge in luxury, artisanal shopping, and attend local cooking classes. Stay at Hotel Punta Tragara in Capri and Le Sirenuse in Positano." ₹5 lakh per head*. +Africa: "We pick a luxury safari at Serengeti, Zanzibar's beaches and snorkelling with whale sharks at Mafia Island as our favourite experiences. Stay on a private island off the Zanzibar coast, and for the safari, head to the privately-owned MalaMala Game Reserve in Kenya. Set aside two weeks for an immersive experience." ₹10 lakh per head*. +(*Approximate pricing, excluding flight tickets \ No newline at end of file diff --git a/input/test/Test3421.txt b/input/test/Test3421.txt new file mode 100644 index 0000000..7bcf382 --- /dev/null +++ b/input/test/Test3421.txt @@ -0,0 +1,4 @@ +Tweet +After Google launched Android 9.0 Pie , folks that don't own Google-branded smartphones (or the Essential Phone) started wondering when they would be able to upgrade to the new software. +Well, HTC kicked things off and announced which of its handsets would be updated, and soon after that Motorola published its own plans for the Android Pie update. Now Sony is announcing its own plans, with nine of its handsets lined up for new software later this year. +Sony says that they plan on rolling out the update beginning in November, which is good news. As far as which devices will be getting Android Pie at that time, the list is below \ No newline at end of file diff --git a/input/test/Test3422.txt b/input/test/Test3422.txt new file mode 100644 index 0000000..30f249c --- /dev/null +++ b/input/test/Test3422.txt @@ -0,0 +1,43 @@ +Posted on August 16, 2018 +DETROIT (AP) – Aretha Franklin, the undisputed "Queen of Soul" who sang with matchless style on such classics as "Think,""I Say a Little Prayer" and her signature song, "Respect," and stood as a cultural icon around the globe, has died at age 76 from advanced pancreatic cancer. +Publicist Gwendolyn Quinn tells The Associated Press through a family statement that Franklin died Thursday at 9:50 a.m. at her home in Detroit. The statement said "Franklin's official cause of death was due to advance pancreatic cancer of the neuroendocrine type, which was confirmed by Franklin's oncologist, Dr. Philip Phillips of Karmanos Cancer Institute" in Detroit. +The family added: "In one of the darkest moments of our lives, we are not able to find the appropriate words to express the pain in our heart. We have lost the matriarch and rock of our family. The love she had for her children, grandchildren, nieces, nephews, and cousins knew no bounds." +The statement continued: +"We have been deeply touched by the incredible outpouring of love and support we have received from close friends, supporters and fans all around the world. Thank you for your compassion and prayers. We have felt your love for Aretha and it brings us comfort to know that her legacy will live on. As we grieve, we ask that you respect our privacy during this difficult time." +Funeral arrangements will be announced in the coming days. +Franklin, who had battled undisclosed health issues in recent years, had in 2017 announced her retirement from touring. +A professional singer and accomplished pianist by her late teens, a superstar by her mid-20s, Franklin had long ago settled any arguments over who was the greatest popular vocalist of her time. Her gifts, natural and acquired, were a multi-octave mezzo-soprano, gospel passion and training worthy of a preacher's daughter, taste sophisticated and eccentric, and the courage to channel private pain into liberating song. +She recorded hundreds of tracks and had dozens of hits over the span of a half century, including 20 that reached No. 1 on the R&B charts. But her reputation was defined by an extraordinary run of top 10 smashes in the late 1960s, from the morning-after bliss of "(You Make Me Feel Like) A Natural Woman," to the wised-up "Chain of Fools" to her unstoppable call for "Respect." +Her records sold millions of copies and the music industry couldn't honor her enough. Franklin won 18 Grammy awards. In 1987, she became the first woman inducted into the Rock and Roll Hall of Fame. +Fellow singers bowed to her eminence and political and civic leaders treated her as a peer. The Rev. Martin Luther King Jr. was a longtime friend, and she sang at the dedication of King's memorial, in 2011. She performed at the inaugurations of Presidents Bill Clinton and Jimmy Carter, and at the funeral for civil rights pioneer Rosa Parks. Clinton gave Franklin the National Medal of Arts. President George W. Bush awarded her the Presidential Medal of Freedom, the nation's highest civilian honor, in 2005. +Franklin's best-known appearance with a president was in January 2009, when she sang "My Country `tis of Thee" at Barack Obama's inauguration. She wore a gray felt hat with a huge, Swarovski rhinestone-bordered bow that became an Internet sensation and even had its own website. In 2015, she brought Obama and others to tears with a triumphant performance of "Natural Woman" at a Kennedy Center tribute to the song's co-writer, Carole King. +Franklin endured the exhausting grind of celebrity and personal troubles dating back to childhood. She was married from 1961 to 1969 to her manager, Ted White, and their battles are widely believed to have inspired her performances on several songs, including "(Sweet Sweet Baby) Since You've Been Gone,""Think" and her heartbreaking ballad of despair, "Ain't No Way." The mother of two sons by age 16 (she later had two more), she was often in turmoil as she struggled with her weight, family problems and financial predicaments. Her best known producer, Jerry Wexler, nicknamed her "Our Lady of Mysterious Sorrows." +Franklin married actor Glynn Turman in 1978 in Los Angeles but returned to her hometown of Detroit the following year after her father was shot by burglars and left semi-comatose until his death in 1984. She and Turman divorced that year. +Despite growing up in Detroit, and having Smokey Robinson as a childhood friend, Franklin never recorded for Motown Records; stints with Columbia and Arista were sandwiched around her prime years with Atlantic Records. But it was at Detroit's New Bethel Baptist Church, where her father was pastor, that Franklin learned the gospel fundamentals that would make her a soul institution. +Aretha Louise Franklin was born March 25, 1942, in Memphis, Tennessee. The Rev. C.L. Franklin soon moved his family to Buffalo, New York, then to Detroit, where the Franklins settled after the marriage of Aretha's parents collapsed and her mother (and reputed sound-alike) Barbara returned to Buffalo. +C.L. Franklin was among the most prominent Baptist ministers of his time. He recorded dozens of albums of sermons and music and knew such gospel stars as Marion Williams and Clara Ward, who mentored Aretha and her sisters Carolyn and Erma. (Both sisters sang on Aretha's records, and Carolyn also wrote "Ain't No Way" and other songs for Aretha). Music was the family business and performers from Sam Cooke to Lou Rawls were guests at the Franklin house. In the living room, the shy young Aretha awed friends with her playing on the grand piano. +Franklin occasionally performed at New Bethel Baptist throughout her career; her 1987 gospel album "One Lord One Faith One Baptism" was recorded live at the church. +Her most acclaimed gospel recording came in 1972 with the Grammy-winning album "Amazing Grace," which was recorded live at New Temple Missionary Baptist Church in South Central Los Angeles and featured gospel legend James Cleveland, along with her own father (Mick Jagger was one of the celebrities in the audience). It became one of of the best-selling gospel albums ever. +The piano she began learning at age 8 became a jazzy component of much of her work, including arranging as well as songwriting. "If I'm writing and I'm producing and singing, too, you get more of me that way, rather than having four or five different people working on one song," Franklin told The Detroit News in 2003. +Franklin was in her early teens when she began touring with her father, and she released a gospel album in 1956 through J-V-B Records. Four years later, she signed with Columbia Records producer John Hammond, who called Franklin the most exciting singer he had heard since a vocalist he promoted decades earlier, Billie Holiday. Franklin knew Motown founder Berry Gordy Jr. and considered joining his label, but decided it was just a local company at the time. +Franklin recorded several albums for Columbia Records over the next six years. She had a handful of minor hits, including "Rock-A-Bye Your Baby With a Dixie Melody" and "Runnin' Out of Fools," but never quite caught on as the label tried to fit into her a variety of styles, from jazz and show songs to such pop numbers as "Mockingbird." Franklin jumped to Atlantic Records when her contract ran out, in 1966. +"But the years at Columbia also taught her several important things," critic Russell Gersten later wrote. "She worked hard at controlling and modulating her phrasing, giving her a discipline that most other soul singers lacked. She also developed a versatility with mainstream music that gave her later albums a breadth that was lacking on Motown LPs from the same period. +"Most important, she learned what she didn't like: to do what she was told to do." +At Atlantic, Wexler teamed her with veteran R&B musicians from Fame Studios in Muscle Shoals, and the result was a tougher, soulful sound, with call-and-response vocals and Franklin's gospel-style piano, which anchored "I Say a Little Prayer,""Natural Woman" and others. +Of Franklin's dozens of hits, none was linked more firmly to her than the funky, horn-led march "Respect" and its spelled out demand for "R-E-S-P-E-C-T." +Writing in Rolling Stone magazine in 2004, Wexler said: "It was an appeal for dignity combined with a blatant lubricity. There are songs that are a call to action. There are love songs. There are sex songs. But it's hard to think of another song where all those elements are combined." +Franklin had decided she wanted to "embellish" the R&B song written by Otis Redding, whose version had been a modest hit in 1965, Wexler said. +"When she walked into the studio, it was already worked out in her head," the producer wrote. "Otis came up to my office right before `Respect' was released, and I played him the tape. He said, `She done took my song.' He said it benignly and ruefully. He knew the identity of the song was slipping away from him to her." +In a 2004 interview with the St. Petersburg (Florida) Times, Franklin was asked whether she sensed in the `60s that she was helping change popular music. +"Somewhat, certainly with `Respect,' that was a battle cry for freedom and many people of many ethnicities took pride in that word," she answered. "It was meaningful to all of us." +In 1968, Franklin was pictured on the cover of Time magazine and had more than 10 Top 20 hits in 1967 and 1968. At a time of rebellion and division, Franklin's records were a musical union of the church and the secular, man and woman, black and white, North and South, East and West. They were produced and engineered by New Yorkers Wexler and Tom Dowd, arranged by Turkish-born Arif Mardin and backed by an interracial assembly of top session musicians based mostly in Alabama. +Her popularity faded during the 1970s despite such hits as the funky "Rock Steady" and such acclaimed albums as the intimate "Spirit in the Dark." But her career was revived in 1980 with a cameo appearance in the smash movie "The Blues Brothers" and her switch to Arista Records. Franklin collaborated with such pop and soul artists as Luther Vandross, Elton John, Whitney Houston and George Michael, with whom she recorded a No. 1 single, "I Knew You Were Waiting (for Me)." Her 1985 album "Who's Zoomin' Who" received some of her best reviews and included such hits as the title track and "Freeway of Love." +Critics consistently praised Franklin's singing but sometimes questioned her material; she covered songs by Stephen Sondheim, Bread, the Doobie Brothers. For Aretha, anything she performed was "soul." +From her earliest recording sessions at Columbia, when she asked to sing "Over the Rainbow," she defied category. The 1998 Grammys gave her a chance to demonstrate her range. Franklin performed "Respect," then, with only a few minutes' notice, filled in for an ailing Luciano Pavarotti and drew rave reviews for her rendition of "Nessun Dorma," a stirring aria for tenors from Puccini's "Turandot." +"I'm sure many people were surprised, but I'm not there to prove anything," Franklin told The Associated Press. "Not necessary." +Fame never eclipsed Franklin's charitable works, or her loyalty to Detroit. +Franklin sang the national anthem at Super Bowl in her hometown in 2006, after grousing that Detroit's rich musical legacy was being snubbed when the Rolling Stones were chosen as halftime performers. +"I didn't think there was enough (Detroit representation) by any means," she said. "And it was my feeling, `How dare you come to Detroit, a city of legends – musical legends, plural – and not ask one or two of them to participate?' That's not the way it should be." +Franklin did most of her extensive touring by bus after Redding's death in a 1967 plane crash, and a rough flight to Detroit in 1982 left her with a fear of flying that anti-anxiety tapes and classes couldn't help. She told Time in 1998 that the custom bus was a comfortable alternative: "You can pull over, go to Red Lobster. You can't pull over at 35,000 feet." +She only released a few albums over the past two decades, including "A Rose is Still a Rose," which featured songs by Sean "Diddy" Combs, Lauryn Hill and other contemporary artists, and "So Damn Happy," for which Franklin wrote the gratified title ballad. Franklin's autobiography, "Aretha: From These Roots," came out in 1999, when she was in her 50s. But she always made it clear that her story would continue. +"Music is my thing, it's who I am. I'm in it for the long run," she told The Associated Press in 2008. "I'll be around, singing, `What you want, baby I got it.' Having fun all the way. \ No newline at end of file diff --git a/input/test/Test3423.txt b/input/test/Test3423.txt new file mode 100644 index 0000000..ce237cd --- /dev/null +++ b/input/test/Test3423.txt @@ -0,0 +1,5 @@ +Genesis Group Strategic Upgrade Press Conference & 1st Blockcloud Appreciation Conference in China was held in Four Seasons Hotel Beijing on August 16, 2018, gathering cooperation agencies, media and big shots in this industry. +Genesis Group, the leading investment agency in the field of Blockchain, has fulfilled the comprehensive upgrade from single investment to digital fund, deep incubation as well as Investment Banks. "In this depressed market, money investment alone is bound to be knocked out. Investment agencies need to provide mother-like support including operating mode, service and resources," Feng Chi, CEO of Genesis Group, interpreted this upgrade at this conference. +As Genesis Group's first deep incubation project, Blockcloud has a world-class team composed of scientists from top research institutes such as Princeton, Tsinghua University and Tokyo University and partners such as Morgan Stanley, BAT and Huawei. This advantage in research will help the team optimize TCP/IP for the current network. Yet how to get through from lab to market and present the project value? These are problems Genesis Group and Blockcloud shall face together. Fortunately, with strengths in their respective fields and their joint efforts, Blockcloud was highly recognized worldwide and is ranked top 5 on the global project assessment list. As its CEO Ming Zhongxing introduced at this Appreciation Conference, Blockcloud has completed its private equity fund and it is much better than expected. +At the end of this conference, Genesis Group expressed its determination to give more support to Blockcloud in the field of economy system, strategic plan, talent pool, community system and marketing, and thus ensuring the continuous growth of the Blockcloud. +View source version on businesswire.com: https://www.businesswire.com/news/home/20180817005095/en \ No newline at end of file diff --git a/input/test/Test3424.txt b/input/test/Test3424.txt new file mode 100644 index 0000000..addf0f8 --- /dev/null +++ b/input/test/Test3424.txt @@ -0,0 +1,30 @@ +Amid turmoil, USA Gymnastics takes small steps forward Posted: Updated: (AP Photo/Elise Amendola, File). Morgan Hurd practices on the balance beam during a training session at the U.S. Gymnastics Championships, Wednesday, Aug. 15, 2018, in Boston. The mandate to change the culture within USA Gymnastics will take years. Yet... (AP Photo/Elise Amendola). FILE - In this Aug. 15, 2018, file photo, Ragan Smith, right, warms up with other athletes during a training session at the U.S. Gymnastics Championships in Boston. The mandate to change the culture within USA Gymnastics will... Friday, August 17 2018 2:14 AM EDT 2018-08-17 06:14:31 GMT Updated: Friday, August 17 2018 5:21 AM EDT 2018-08-17 09:21:50 GMT (The Colorado Bureau of Investigation via AP). This photo combo of images provided by The Colorado Bureau of Investigation shows, from left, Bella Watts, Celeste Watts and Shanann Watts. The Frederick Police Department said Chris Watts was taken into ... A slain Colorado mother whose 2 young daughters were also killed painted a rosy picture of married life. More >> A slain Colorado mother whose 2 young daughters were also killed painted a rosy picture of married life. More >> Monday, August 13 2018 2:24 PM EDT 2018-08-13 18:24:17 GMT Updated: Friday, August 17 2018 5:07 AM EDT 2018-08-17 09:07:24 GMT New way to track millions of genetic variations promises better forecasting of people's risk for heart attacks, four other disorders. More >> New way to track millions of genetic variations promises better forecasting of people's risk for heart attacks, four other disorders. More >> Wednesday, August 15 2018 5:08 PM EDT 2018-08-15 21:08:26 GMT Updated: Friday, August 17 2018 5:07 AM EDT 2018-08-17 09:07:04 GMT (AP Photo/Rich Pedroncelli, File). FILE - In this June 22, 2012 file photo, a smoker extinguishes a cigarette in an ash tray in Sacramento, Calif. If you quit smoking and gain weight, it may seem like you're trading one set of health problems for anoth... US study finds you're better off in the long run if you quit smoking, even if you gain weight. More >> US study finds you're better off in the long run if you quit smoking, even if you gain weight. More >> Thursday, August 16 2018 3:41 PM EDT 2018-08-16 19:41:41 GMT Updated: Friday, August 17 2018 4:38 AM EDT 2018-08-17 08:38:12 GMT (AP Photo/Richard Vogel). Los Angeles Mayor Eric Garcetti talks during an interview with the Associated Press in Los Angeles on Thursday Aug. 16, 2018. Garcetti, who already has visited the important presidential states of Iowa and New Hampshire, told ... AP Interview: Los Angeles Mayor Eric Garcetti, who is considering a 2020 presidential run, says President Donald Trump has done "plenty of racist things" to divide the nation while failing to deliver on health care... More >> AP Interview: Los Angeles Mayor Eric Garcetti, who is considering a 2020 presidential run, says President Donald Trump has done "plenty of racist things" to divide the nation while failing to deliver on health care reform and other promises. More >> Thursday, August 16 2018 2:10 PM EDT 2018-08-16 18:10:51 GMT Updated: Friday, August 17 2018 4:37 AM EDT 2018-08-17 08:37:05 GMT (U.S. Attorney's Office via AP). This undated photo provided by the U.S. Attorney's Office shows Omar Abdulsattar Ameen. The refugee from Iraq was arrested Wednesday, Aug. 15, 2018, in Northern California on a warrant alleging that he killed an Iraqi p... An Iraqi man arrested in California is accused of being a former Islamic State fighter and killing a police officer in Iraq after he qualified to be resettled in the U.S. as part of a refugee program. More >> An Iraqi man arrested in California is accused of being a former Islamic State fighter and killing a police officer in Iraq after he qualified to be resettled in the U.S. as part of a refugee program. More >> Thursday, August 16 2018 2:10 PM EDT 2018-08-16 18:10:33 GMT Updated: Friday, August 17 2018 4:30 AM EDT 2018-08-17 08:30:47 GMT (AP Photo/John Locher,File). FILE - In this Aug. 11, 2018 file photo Gary Parmely, father of Jeremy Stoke of the Redding Fire Department, visits a memorial for his son, in Redding, Calif. Officials say Stoke the first firefighter to die battling a Nort... Officials say a firefighter who died helping people evacuate a Northern California blaze was killed by a fire tornado that at one point reached a temperature of 2,700 degrees Fahrenheit. More >> Officials say a firefighter who died helping people evacuate a Northern California blaze was killed by a fire tornado that at one point reached a temperature of 2,700 degrees Fahrenheit. More >> Friday, August 17 2018 2:19 AM EDT 2018-08-17 06:19:20 GMT Updated: Friday, August 17 2018 4:30 AM EDT 2018-08-17 08:30:45 GMT (Alameda County Sheriff's Office via AP, File). FILE - This combination of June 2017 file booking photos provided by the Alameda County Sheriff's Office shows Max Harris, left, and Derick Almena, at Santa Rita Jail in Alameda County, Calif. A Northern ... The two men charged in the deaths of 36 people in an Oakland warehouse fire are scheduled to appear in court for the first time since a judge scuttled their plea deal. More >> The two men charged in the deaths of 36 people in an Oakland warehouse fire are scheduled to appear in court for the first time since a judge scuttled their plea deal. More >> Thursday, August 16 2018 1:55 PM EDT 2018-08-16 17:55:33 GMT Updated: Friday, August 17 2018 3:45 AM EDT 2018-08-17 07:45:36 GMT (AP Photo/Jim Wells, File). This March 26, 1972 file photo shows the Rev. Jesse Jackson speaking to reporters at the Operation PUSH Soul Picnic in New York as Tom Todd, vice president of PUSH, from second left, Aretha Franklin and Louis Stokes. Frankli... Queen of Soul gave black Americans "Respect" as a staunch supporter of civil rights. More >> Queen of Soul gave black Americans "Respect" as a staunch supporter of civil rights. More >> Tuesday, August 14 2018 12:22 PM EDT 2018-08-14 16:22:45 GMT Updated: Friday, August 17 2018 3:34 AM EDT 2018-08-17 07:34:39 GMT The Los Angeles subway system is poised to become the first mass transit system in the U.S. to install body scanners to screen passengers for weapons and explosives. More >> The Los Angeles subway system is poised to become the first mass transit system in the U.S. to install body scanners to screen passengers for weapons and explosives. More >> Thursday, August 16 2018 6:30 PM EDT 2018-08-16 22:30:22 GMT Updated: Friday, August 17 2018 2:52 AM EDT 2018-08-17 06:52:51 GMT (AP Photo/Matt Rourke). Pennsylvania Attorney General Josh Shapiro speaks during a news conference at the Pennsylvania Capitol in Harrisburg, Pa., Tuesday, Aug. 14, 2018. A Pennsylvania grand jury says its investigation of clergy sexual abuse identifi... The leadership of Pennsylvania's Roman Catholic Church is under pressure to support a change in state law to give those victims a temporary opportunity to file lawsuits on decades-old abuse claims. More >> The leadership of Pennsylvania's Roman Catholic Church is under pressure to support a change in state law to give those victims a temporary opportunity to file lawsuits on decades-old abuse claims. More >> +By WILL GRAVESAP Sports Writer +BOSTON (AP) - The pep talk was short and to the point, a reminder to reigning world gymnastics champion Morgan Hurd that all was not lost. +The 17-year-old had just fallen on beam at the U.S. Classic last month, ending any serious chance she had at making a serious run at Simone Biles in the Olympic champion's return to competition after a two-year break. In the moment, Hurd was frustrated. +And then Tom Forster came over. The newly appointed high-performance team coordinator for the embattled USA Gymnastics women's elite program pulled Hurd aside and put things in perspective. +"He was like, 'It's OK because now is not your peak time anyways,'" Hurd said. "That was the exact mindset I had." +It was a small moment, one of many Forster shared with various competitors as he walked the floor during the first significant meet of his tenure. He plans to do the same when the U.S. championships start on Friday night. He insists he's not grandstanding or putting on a show or trying to prove some sort of point about a new era of transparency in the wake of the Larry Nassar scandal. +The way Forster figures it, he's just doing what he's always done. His title has changed. The way he acts around athletes - many of whom he's known for years while working with the USA Gymnastics developmental program - will not. +Still, that doesn't make the image of the person who will play an integral role in figuring out which gymnasts will compete internationally jarring. Forster's hands-on approach is in stark contrast to longtime national team coordinator Martha Karolyi's aloofness. Karolyi would spend meets not on the floor but watching from a table, lips often pursed and her face betraying little. It was the same during national team camps, with Karolyi often talking to the personal coaches of the athletes rather than the athletes themselves. +That's not Forster. +"I never envisioned being in this role so I never really thought about sitting at that big table and just watching," he said. +Maybe, but it's a departure, one Hurd called "kind of strange" but welcome. +"He's walking around practices and interacting with absolutely everyone," she said. "I think it's pretty cool." +And in a way symbolic, even if that's not exactly what Forster is going for. +USA Gymnastics' response to the scandal involving disgraced former national team doctor Larry Nassar - who abused hundreds of women, including several Olympians, under the guise of medical treatment - has included a massive overhaul of the leadership and legislative changes designed to make the organization more accountable from the top down. It has also been peppered almost non-stop with buzzwords like "culture change" and "empowerment." +A true shift will take years. Forster understands that. Still, he's taken steps during his first two months on the job designed to create a more open, welcoming environment. +For Margzetta Frazier, the proof came in June when her phone buzzed with a number she didn't recognize. The 18-year-old decided in late spring she was retiring from elite gymnastics and would instead focus on her college career at UCLA. At least, that was the plan until she slid her thumb to the right and answered. +"Tom was like, 'Hey, I know you retired but can you come back? We need you,'" Frazier said. "I had no idea he even had my number." +For the first time in a while, Frazier says she "felt respected" by USA Gymnastics. That wasn't the case this spring, when she took the unusual step of texting USA Gymnastics president Kerry Perry to express her disappointment in the organization's decision to fire senior vice president Rhonda Faehn in the middle of a national team camp. Frazier briefly posted her text to Perry on Instagram. +"I was taught to speak my mind respectfully," Frazier said. "It was so unprofessional to have one of our top coordinators fired. I was mentally distressed. I had to say something." +So she did. And then she retired. And then Forster called. And she couldn't say no. So she didn't say no. Instead, she developed a training plan with Chris Waller and 2011 world champion Jordyn Wieber and will be in Boston this weekend hoping to do enough over the next two months to earn a spot on the world championship team. +All because Forster called her out of the blue. Now Frazier views her second chance as an opportunity to help the athletes steer the culture in a more positive direction. It's quite literally the "empowerment" that Perry talks about in action. +While Frazier understands Nassar victims - a list that includes Wieber and UCLA teammates Kyla Ross and Madison Kocian - are clamoring for change, Frazier believes the athletes still competing at the elite level can be an integral part of the process. +"We can help change things from the inside out," Frazier said. "We are hand in hand with the survivors, 100 percent. We want to be the people on the inside helping." +Forster knows part of his role as one of the most visible people in the sport is to facilitate the change within the elite program. When he took over in June, he talked about the need to create an environment where the athletes felt they had more of a say in how things are done. He went to the gymnasts and asked them what they would like to see change at selection camps. They told him they wanted open scoring like they receive during a typical meet. So he obliged. +"They have to be able to voice whatever their concern is without fear of any retaliation or that it would impact them not making a team," Forster said. +It's one small facet of an overhaul that will be fought on many fronts over many years. There is no pat on the back or motivational chat or fist bump among teammates that will signal all is well. There shouldn't be. The Nassar effect will linger for decades. That's not a bad thing. +"I think we should never try to bury that stuff," Hurd said. "It happened and it's an awful thing that happened and such an unfortunate thing. But I don't think we should ever try to bury that conversation because that's how it all comes back." +Yet Hurd, Forster and the current national team members are optimistic there is a way forward. +"I've read through all the manuals. There isn't anything in any of our manuals that demands we win medals," Forster said. "Not one. No matter what the press has said. There isn't anything that says we have to win medals. We have to put the best team out on the floor. That's our job, and we're going to do it in the very best, positive way we can so that athletes have a great experience doing it. That's the hope. Well, it isn't hope. It's mandatory I do it." Copyright 2018 The Associated Press. All rights reserved. This material may not be published, broadcast, rewritten or redistributed. Can't Find Something? 513 Hampshire Quincy, IL 62301 Switchboard: (217) 228-660 \ No newline at end of file diff --git a/input/test/Test3425.txt b/input/test/Test3425.txt new file mode 100644 index 0000000..8ab9667 --- /dev/null +++ b/input/test/Test3425.txt @@ -0,0 +1,7 @@ +News for 2018-08-17 Aircraft Titanium Fasteners Market is Likely to Witness an Impressive CAGR of 6.4% During 2018 to 2023 +Detroit, Aug. 17, 2018 (GLOBE NEWSWIRE) -- announces the launch of a new market research report on Aircraft Titanium Fasteners Market by Type (Narrow-Body Aircraft, Wide-Body Aircraft, Very Large Body Aircraft, Regional Aircraft, General Aviation, and Military Aircraft), by Product Type (Screws, Bolts, Nuts, Rivets, and Others), by Application Type (Airframe, Flight Control Surfaces, Interior, Engine, and Others), by End-User Type (OE and Aftermarket), and by Region (North America, Europe, Asia-Pacific, and Rest of the World), Trend, Forecast, Competitive Analysis, and Growth Opportunity: 2018-2023 +Titanium fasteners offer significant weight reduction over traditional steel and aluminum fasteners, driving the industry's switch towards them despite their high cost. As per Stratview Research, . Increasing commercial and regional aircraft deliveries, increasing share of wide-body aircraft in commercial aircraft deliveries, increasing aircraft fleet size, advancement in the fastening technologies, compatibility with carbon composites, and rising demand for lightweight and high-corrosion-resistant fasteners are the key factors proliferating the demand for titanium fasteners in the aircraft industry. +In terms of region, . Whereas, Asia-Pacific is likely to depict the highest growth in the same period with China, Japan, and India being the key sources of growth. +Key aircraft titanium fasteners manufacturers are Arconic Fastening Systems, Cherry Aerospace (a subsidiary of Precision Castparts Corp.), Lisi Aerospace, Stanley Black & Decker Inc., Trimas Corporation, National Aircraft Fasteners Corp., B&B Specialties, Inc., Penn Engineering, and TFI Aircraft Corp. +Stratview Research is a global market intelligence firm providing wide range of services including syndicated market reports, custom research and sourcing intelligence across industries such as Advanced Materials, Aerospace & Defense, Automotive & Mass Transportation, Consumer Goods, Construction & Equipment, Electronics and Semiconductors, Energy & Utility, Healthcare & Life Sciences and Oil & Gas. +Contact \ No newline at end of file diff --git a/input/test/Test3426.txt b/input/test/Test3426.txt new file mode 100644 index 0000000..14fcfa9 --- /dev/null +++ b/input/test/Test3426.txt @@ -0,0 +1,8 @@ +Commonwealth Equity Services LLC purchased a new stake in shares of Box Inc (NYSE:BOX) during the second quarter, according to its most recent Form 13F filing with the Securities and Exchange Commission (SEC). The firm purchased 73,101 shares of the software maker's stock, valued at approximately $1,827,000. Commonwealth Equity Services LLC owned 0.05% of BOX as of its most recent filing with the Securities and Exchange Commission (SEC). +Several other institutional investors and hedge funds have also modified their holdings of the company. SG Americas Securities LLC acquired a new position in BOX during the first quarter worth about $111,000. Essex Investment Management Co. LLC acquired a new position in BOX during the second quarter worth about $223,000. Creative Planning acquired a new position in BOX during the second quarter worth about $233,000. Prospera Financial Services Inc acquired a new position in BOX during the second quarter worth about $250,000. Finally, Parallel Advisors LLC grew its holdings in BOX by 756.3% during the second quarter. Parallel Advisors LLC now owns 9,890 shares of the software maker's stock worth $247,000 after acquiring an additional 8,735 shares during the period. 74.52% of the stock is currently owned by institutional investors. Get BOX alerts: +In related news, CFO Dylan C. Smith sold 15,000 shares of the stock in a transaction on Friday, August 10th. The stock was sold at an average price of $25.85, for a total value of $387,750.00. The transaction was disclosed in a document filed with the Securities & Exchange Commission, which is available at the SEC website . Also, Director Rory O'driscoll sold 500,000 shares of the stock in a transaction on Friday, June 8th. The shares were sold at an average price of $26.05, for a total value of $13,025,000.00. The disclosure for this sale can be found here . Insiders sold a total of 1,584,306 shares of company stock valued at $41,523,214 in the last quarter. 8.51% of the stock is currently owned by corporate insiders. +A number of research analysts recently issued reports on BOX shares. MED lifted their target price on BOX to $29.00 and gave the stock an "overweight" rating in a report on Wednesday, May 30th. Zacks Investment Research raised BOX from a "hold" rating to a "buy" rating and set a $26.00 target price on the stock in a report on Tuesday, May 1st. ValuEngine raised BOX from a "buy" rating to a "strong-buy" rating in a report on Friday, May 11th. Rosenblatt Securities lowered BOX from a "buy" rating to a "neutral" rating and set a $25.00 target price on the stock. in a report on Thursday, May 31st. They noted that the move was a valuation call. Finally, JPMorgan Chase & Co. lifted their target price on BOX from $19.00 to $21.00 and gave the stock a "neutral" rating in a report on Thursday, May 31st. Six research analysts have rated the stock with a hold rating, ten have assigned a buy rating and two have given a strong buy rating to the company. The company has a consensus rating of "Buy" and a consensus target price of $26.80. +NYSE:BOX opened at $25.32 on Friday. The company has a debt-to-equity ratio of 1.50, a current ratio of 1.00 and a quick ratio of 1.00. Box Inc has a 1-year low of $17.25 and a 1-year high of $29.79. The firm has a market capitalization of $3.62 billion, a P/E ratio of -21.83 and a beta of 1.10. +BOX (NYSE:BOX) last released its quarterly earnings results on Wednesday, May 30th. The software maker reported ($0.07) earnings per share for the quarter, beating the Zacks' consensus estimate of ($0.08) by $0.01. BOX had a negative return on equity of 466.74% and a negative net margin of 28.62%. The business had revenue of $140.50 million during the quarter, compared to analyst estimates of $139.65 million. During the same quarter last year, the company posted ($0.13) EPS. BOX's revenue for the quarter was up 19.9% on a year-over-year basis. research analysts expect that Box Inc will post -0.95 EPS for the current fiscal year. +About BOX +Box, Inc provides cloud content management platform that enables organizations of various sizes to manage and share their enterprise content from anywhere or any device. The company's Software-as-a-Service platform enables users to collaborate on content internally and with external parties, automate content-driven business processes, develop custom applications, and implement data protection, security, and compliance features. BOX BO \ No newline at end of file diff --git a/input/test/Test3427.txt b/input/test/Test3427.txt new file mode 100644 index 0000000..f9d7e4b --- /dev/null +++ b/input/test/Test3427.txt @@ -0,0 +1 @@ +Home > Opinion > FLETCHER: Cities declare themselves city-states FLETCHER: Cities declare themselves city-states By Tom Fletcher on August 16, 2018 Tweet A camp for U.S. border crossers is established just over the Quebec border, August 2017. (Photo courtesy of YouTube). It's the dead of summer. B.C.'s Green-NDP government is taking a break from dressing the province's economy in worn-out bell bottoms. No trucks loaded with big steel pipe are rolling yet. Even the hardened actors of our many summer tent camps are taking a break from disrupting our energy and housing policy. The federal government has assured us there is no refugee crisis in Canada, while hastily shuffling the cabinet to create a new department of homeland security, er, Border Security and Organized Crime Reduction. Migrants are pouring across the border from the U.S., mostly at a single rural road crossing from upstate New York into Quebec. They come in taxis, roller suitcases trailing them. Ottawa has responded with an RCMP reception centre, welfare and hotel rooms, to welcome people clearly briefed on how to cut the legitimate refugee application lineup. National media don't explore the obvious human trafficking angle. Instead they quibble about whether the migrants should be called "illegal" or "irregular," and note with approval that 1,200 crossings in June is fewer than the 2,200 who somehow happened to arrive in May. By that point there were 30,000 awaiting hearings. B.C. media reported with approval a new policy quietly announced by the Vancouver Police. It's a "draft" policy that's already in effect, in which officers don't ask about the immigration status of witnesses, complainants or victims. City hall came up with this a couple of years ago, and stats show virtually no contact between VPD and immigration authorities since. It's called "access without fear" (of deportation). In effect, Vancouver has declared itself a sovereign state and declined to observe federal immigration law, such as it is. Call it Stealth Sanctuary City. Victoria is likely on the same path. This being a municipal election year, their preferred distractions include pushing Sir John A. Macdonald into the closet and cracking down on plastic bags. The ban on point-of-sale bags hasn't spread as quickly as I predicted in January. It's in effect here in Victoria, but not all of the dozen suburbs have fallen into line. "We've still got a few left," one store clerk whispered to me as she pulled out a thin rack of plastic bags and slipped one over my awkwardly shaped purchase. "We've always used the biodegradable ones, so I'm not sure what the problem was." Plastic straw mythology has taken over. We have a federal environment minister incorrectly claiming that restaurants have banned the dreaded straws, and praising kids for using a steel straw that looks like a Ninja murder weapon. This as municipal politicians try to implement provincial environment policy, or at least attract attention by pretending to do so. Corporations run to the front of the parade to declare plastic straws a biohazard. As with the bag boondoggle, inferior and more greenhouse gas-intensive paper is substituted. This is what rudderless government looks like. As of July there had been about 450 "irregular" migrant crossings into B.C. so far this year, people sneaking in using a loophole in Canada's "safe third country" agreement with the U.S. That doesn't sound like a lot, but we should remember B.C.'s tradition of being the destination of choice for migration within Canada. That can be measured by the tent camps along major highways. Local politicians seem determined to pretend the "homeless" are all local, as they discourage any effort to measure the reality of migration. They'd rather regulate the easier things, like plastic bags and drinking straws. Tom Fletcher is B.C. legislature reporter and columnist for Black Press. Email: tfletcher@blackpress.c \ No newline at end of file diff --git a/input/test/Test3428.txt b/input/test/Test3428.txt new file mode 100644 index 0000000..51ee83b --- /dev/null +++ b/input/test/Test3428.txt @@ -0,0 +1,27 @@ +Jets' Darnold looks like rookie in 15-13 loss to Redskins - WTOC-TV: Savannah, Beaufort, SC, News, Weather & Sports Member Center: Jets' Darnold looks like rookie in 15-13 loss to Redskins 2018-08-17T03:13:44Z 2018-08-17T10:21:29Z (AP Photo/Alex Brandon). New York Jets quarterback Sam Darnold (14) throws under pressure from Washington Redskins linebacker Ryan Kerrigan, left, during the first half of a preseason NFL football game Thursday, Aug. 16, 2018, in Landover, Md. (AP Photo/Alex Brandon). New York Jets quarterback Sam Darnold (14) is sacked by Washington Redskins defensive tackle Da'Ron Payne (95) during the first half of a preseason NFL football game Thursday, Aug. 16, 2018, in Landover, Md. (AP Photo/Nick Wass). New York Jets quarterback Sam Darnold (14) looks to pass as Washington Redskins defensive end Jonathan Allen (93) is blocked during the first half of a preseason NFL football game Thursday, Aug. 16, 2018, in Landover, Md. (AP Photo/Nick Wass). New York Jets quarterback Sam Darnold warms up for the team's NFL football preseason game against the Washington Redskins, Thursday, Aug. 16, 2018, in Landover, Md. (AP Photo/Alex Brandon). Washington Redskins defensive back Troy Apke (30) celebrates his interception with defensive tackle Ondre Pipkins (78) during the first half of a preseason NFL football game against the New York Jets, Thursday, Aug. 16, 2018, i... +By STEPHEN WHYNOAP Sports Writer +LANDOVER, Md. (AP) - Limited playing experience in high school and college makes Sam Darnold appreciate every game, even if it's just the preseason. +The third overall pick made his first exhibition start for the New York Jets on Thursday night and showed some of the growing pains of a rookie quarterback by throwing an interception , taking two sacks and having a couple of balls batted out of the air. +Darnold was 8 of 11 for 62 yards in the first half before giving way to Teddy Bridgewater in a game the Jets lost to the Washington Redskins 15-13 on a last-second field goal. +"Any game experience is huge," said Darnold, who felt he played well but wasn't as sharp as his 13 of 18 for 96 yards preseason debut. "I feel like I'm going to continue to grow and get better every single day, and that's what I'm most excited about is to see how much I'm going to be able to grow and get better." +Darnold went in looking like the front-runner to win New York's starting QB competition, and it's still muddled after Bridgewater was 10 of 15 for 127 yards, a touchdown and an interception. Veteran Josh McCown didn't play after starting the first preseason game because coach Todd Bowles already knows what he has in the 39-year-old. +"It's already been cloudy," Bowles said. "It'll be a tough choice." +Darnold showed flashes for the Jets (1-1), going 5 of 5 on his second drive but was sacked by Preston Smith to force a field goal on a night full of them. Bridgewater took some intentional risks to test the left knee he injured two years ago to the point Bowles joked he had a neighborhood he could send the former Vikings quarterback to if he wanted to get hit. +"Some of those plays, I could've thrown the ball away or run out of bounds, but I wanted to challenge myself to see if I could take a hit and it was fun," Bridgewater said. +Redskins starter Alex Smith was 4 of 6 for 48 yards in one series, his only work so far in the preseason. Smith said he always wished he could play more but acknowledged "it's a fine line." +Washington kicker Dustin Hopkins made all five of his field-goal attempts, including a 40-yarder as time expired to win it for the Redskins (1-1). +INJURIES +Jets: CB Jeremy Clark left with a hamstring injury. ... LT Kelvin Beachum (foot), RG Brian Winters (abdominal), RB Isaiah Crowell (concussion) and DL Steve McLendon (leg) did not play. +Redskins: RB Samaje Perine injured an ankle on his first carry, a 30-yard run , and did not return. Coach Jay Gruden said Perine twisted his ankle but expects him to be OK ... RB Byron Marshall was evaluated for a lower-leg injury that Gruden said was fine after an MRI. ... LT Trent Williams, RB Chris Thompson, WR Maurice Harris and Jamison Crowder, TE Jordan Reed, OT Ty Nsekhe and DL Matt Ioannidis and Phil Taylor were among those nursing or coming off injuries who didn't dress. +REDSKINS RB COMPETITION +After second-round pick Derrius Guice's season ended because of a torn ACL , Rob Kelley was up first to show he deserves to be Washington's starter. Kelley had seven carries for 17 yards, Perine was impressive on his one run before being injured, Marshall had a kick-return fumble that was overturned on video review and Kapri Bibbs made six catches for 47 yards with only 6 yards on the ground. +"It will be a tough deal for us to figure all that out, but we will," Gruden said. +UNDISCIPLINED JETS +Linebacker Jordan Jenkins was flagged on the game's opening drive for roughing the passer against Smith when he drove the QB into the ground. Darron Lee was penalized for a horse-collar tackle on Redskins punt returner Danny Johnson. Then, there was rookie Frankie Luvu, who led with his helmet into Colt McCoy on a more egregious roughing-the-passer violation than what Jenkins had. +NATIONAL ANTHEM +All players appeared to stand for the national anthem. Jets players locked arms along the visiting sideline with no one remaining in the locker room. +NEXT UP +Jets: See what more Darnold can do in game action when they face the Giants on Aug. 24. +Redskins: Are expected to give Smith more snaps Aug. 24 when they host the Denver Broncos. +___ +More AP NFL: https://apnews.com/tag/NFLfootball and https://twitter.com/AP_NFL Copyright 2018 The Associated Press. This material may not be published, broadcast, rewritten or redistributed \ No newline at end of file diff --git a/input/test/Test3429.txt b/input/test/Test3429.txt new file mode 100644 index 0000000..803ed90 --- /dev/null +++ b/input/test/Test3429.txt @@ -0,0 +1,9 @@ +Taiwan's GDP Growth Rises In Q2 8/17/2018 6:21 AM ET +Taiwan's economic growth improved in the second quarter, preliminary estimate from the Directorate General of Budget, Accounting & Statistics showed Friday. +Gross domestic product grew 3.3 percent year-on-year in the second quarter, following a revised 3.1 percent rise in the first quarter. +Real GDP rose 1.62 percent on a quarter-on-quarter, seasonally adjusted annualized basis. +On the demand side, real private final consumption grew 2.55 percent on year in the second quarter, driven mainly by sales growth of jewelry and boutique watches, rising spending on home appliances in response to the high temperature, and on FIFA World Cup featuring merchandise, as well as finance-service. +Meanwhile, real gross capital formation decreased 2.57 percent, extending the 0.40 percent decline in the previous quarter, mainly due to decreasing machinery and equipment investment. +At the same time, real exports of goods and services grew 6.29 percent, owing to the foreign strong demand for electronic components, machinery, metal, chemistry and plastic products. Imports increased 4.48 percent. +The government forecast the economy to expand 2.69 percent in 2018 and 2.55 percent in 2019. The outlook for 2018 was revised up by 0.09 percentage points. +According to government estimate, consumer prices will increase 1.52 percent this year, upwardly revised by 0.03 percentage point, mainly reflecting the escalating oil prices \ No newline at end of file diff --git a/input/test/Test343.txt b/input/test/Test343.txt new file mode 100644 index 0000000..4013df3 --- /dev/null +++ b/input/test/Test343.txt @@ -0,0 +1,11 @@ +Sun Bingo HOUSE PRESIDENT Who is Celebrity Big Brother's President, who was voted to be Kirstie's vice-president and what powers do they have? +We take a look at the new democracy that has taken over the CBB house By Joanne Kavanagh 17th August 2018, 9:26 am Updated: 17th August 2018, 9:26 am THE Celebrity Big Brother house is being ruled by a President and Vice President. +But who's in charge? And what powers do they have? Here's all you need to know... refer to caption. Kirsty Alley is the Celebrity Big Brother house President Who is Celebrity Big Brother's President? +Celebrity Big Brother is back for another run and there are already potential power struggles brewing. +Kirstie Alley was the first celebrity to enter the new-look house on launch nigth (August 16) and was immediately called into the Diary Room, where she was informed by Big Brother that she is the new President of the house. +She was tasked with finding out as much as possible about the other housemates without letting on about her special role. +Once they'd all entered, it was confirmed that Kirstie had passed the test and would serve as President. refer to caption. Joining Kirstie as Vice President is Ryan Thomas Who is Vice President? +At the end of the launch night episode the housemates gathered in the garden. +A red curtain, which had been concealing something in the garden, was then dropped. +It revealed a mini White House. +It was then down to viewers to elect a Vice President for the house, with former Coronation Street actor Ryan Thomas given the honour. More from the CBB house STORM WARNING Psychic Sally Morgan correctly predicted Stormy Daniels would quit CBB BRADY IS BAC \ No newline at end of file diff --git a/input/test/Test3430.txt b/input/test/Test3430.txt new file mode 100644 index 0000000..18e2d18 --- /dev/null +++ b/input/test/Test3430.txt @@ -0,0 +1 @@ +googlecse � Aircraft Titanium Fasteners Market is Likely to Witness an Impressive CAGR of 6.4% During 2018 to 2023 August 17, 2018 5:00am Comments Share: Detroit, Aug. 17, 2018 (GLOBE NEWSWIRE) -- Stratview Research announces the launch of a new market research report on Aircraft Titanium Fasteners Market by Type (Narrow-Body Aircraft, Wide-Body Aircraft, Very Large Body Aircraft, Regional Aircraft, General Aviation, and Military Aircraft), by Product Type (Screws, Bolts, Nuts, Rivets, and Others), by Application Type (Airframe, Flight Control Surfaces, Interior, Engine, and Others), by End-User Type (OE and Aftermarket), and by Region (North America, Europe, Asia-Pacific, and Rest of the World), Trend, Forecast, Competitive Analysis, and Growth Opportunity: 2018-2023 The Global Aircraft Titanium Fasteners Market: Highlights Titanium fasteners offer significant weight reduction over traditional steel and aluminum fasteners, driving the industry's switch towards them despite their high cost. As per Stratview Research, the global aircraft titanium fasteners market is likely to witness an impressive CAGR of 6.4% CAGR during the forecast period . Increasing commercial and regional aircraft deliveries, increasing share of wide-body aircraft in commercial aircraft deliveries, increasing aircraft fleet size, advancement in the fastening technologies, compatibility with carbon composites, and rising demand for lightweight and high-corrosion-resistant fasteners are the key factors proliferating the demand for titanium fasteners in the aircraft industry. Narrow-body aircraft is projected to remain the largest aircraft type segment of the market during the forecast period , propelled by best-selling A320 family and B737 aircraft programs including their fuel-efficient variants. However, wide-body aircraft is expected to grow at the highest CAGR in the forecast period. Register here for the free sample on Aircraft Titanium Fasteners Market In terms of region, North America is expected to remain the largest market for aircraft titanium fasteners during the forecast period . Whereas, Asia-Pacific is likely to depict the highest growth in the same period with China, Japan, and India being the key sources of growth. Key aircraft titanium fasteners manufacturers are Arconic Fastening Systems, Cherry Aerospace (a subsidiary of Precision Castparts Corp.), Lisi Aerospace, Stanley Black & Decker Inc., Trimas Corporation, National Aircraft Fasteners Corp., B&B Specialties, Inc., Penn Engineering, and TFI Aircraft Corp. About Stratview Research Stratview Research is a global market intelligence firm providing wide range of services including syndicated market reports, custom research and sourcing intelligence across industries such as Advanced Materials, Aerospace & Defense, Automotive & Mass Transportation, Consumer Goods, Construction & Equipment, Electronics and Semiconductors, Energy & Utility, Healthcare & Life Sciences and Oil & Gas. Contact: Stratview Research E: D: +1-313-307-417 \ No newline at end of file diff --git a/input/test/Test3431.txt b/input/test/Test3431.txt new file mode 100644 index 0000000..06beb43 --- /dev/null +++ b/input/test/Test3431.txt @@ -0,0 +1,79 @@ +Defining the Main Problem That Test Automation Solves As we talked in the last article about Generations of Test Automation Frameworks , the need for test tools and frameworks came from the change how people build software. In the beginning, most companies followed Waterfall methodologies releasing once per year or even on longer intervals. But with the evolution of technologies and the business competition, this was not enough, so the Agile development started to be adopted. The release cycles for most apps got shorter and shorter, from 1-2 weeks to a couple of times per day. +At the beginning the manual testing was OK. But with shortening the cycles over and over again, the humans couldn't keep up. This is because with time old applications got bigger and bigger. The companies needed more testers or had to release with an increased risk of regression bugs or not-working new features. +For me, this is the primary problem that the test automation as a whole solves. However, people realized that they need help with many sub-problems. +Sub Problem 1 — Repetition and Boredom, Less Reliable If you have to execute the same test once per month, it is okay. But if you have to do it 3 times per day, we as humans tend to get bored quite fast. Another natural thing that happens is that we begin to ignore the little details. They, in most cases, hide the bugs. Even the most conscientious tester will make mistakes during monotonous manual testing. +Automation Solution Hypothesis ASH-1: Execute the Same Tests Over and Over Again When you have a way to execute all tests the same way over and over again, you have more time to concentrate on writing new tests. Also, you can have more time to learn new tools, programming languages, and test techniques. +Subsequent Problems SP-1: Automated Tests Are Not Stable Many teams face this issue. Their tests are not correctly written, and because of that, they fail randomly. Or even worse, providing false-positive or false-negative results. +SP-2: Initial Investment Developing These Tests The process of creation of stable automated tests that verify the right things is an expensive undertaking. You need to invest in tools, frameworks, training the staff, test data preparation, the creation of test environments, test execution integration in CI/CD, and test result visualization. +Sub-Problem 2 — People Are Not So Good With Numbers/Accuracy If you have to test a user interface in most cases is a relatively doable job. Comparing labels, messages, clicking buttons, filling up forms, eventually check if something is populated in the DB. However, with time the systems got much more complicated. How do you compare without tools- huge XML/JSON messages or files? It is quite hard to manually check if 1 orders are upgraded successfully with all calculations. There are many cases where automated scripts can do a much better job than us. +Automation Solution Hypothesis ASH-2: Reuse Automatic Coded Checks Once you write logic for verifying that a single order is well migrated, you can create data-driven tests and execute the tests an unlimited number of times. The automated test for the scenario 15670 will be with the same precision and accuracy as test number 1400. +Subsequent Problems SP-3: Initial Investment Creating Shared Test Libraries Sometimes to create a generic solution that can be generalized for testing many scenarios and many test cases take lots of effort. Sometimes you may not have the right people to create the library, since significant coding and design skills may be required. Or even if you have these people, they may need to work on something else. It may be a significant time and money investment to code it right. +SP-4: Are Automated Tests Trustworthy? Test the Tests? Even if you have the time to create these libraries. How do you make sure that they work correctly? It is code so it may contain bugs. Do you spare time to develop tests for the tests or accept the risk- the checks not working correctly? +SP-5: Library Modifications Creating the initial version of the library may be easy. But it is a different thing whether it is designed in a way to support future modifications. Changes in the requirements and applications are something natural, and with them, our tests should evolve. Many people forgot that, and in many cases, it is easier for them to rewrite the tests instead of making little tuning because the code may not support that. +SP-6: Library Customization- Another Team's Context? The whole point of creating a shared library is to be used by multiple teams across the company. However, the different teams work in a different context. They may have to test a little bit different things. So, the library code as is may not be working out of the box for them. How easy will be for them to extend or customize it? Is it even possible to do it? Will they need to invest time to create the same test feature again with the required modifications? +SP-7: Knowledge Transfer Shared libraries are great but do the people across all teams know whether they have a particular feature of your framework or not? Do they know that you already created some automated check? +If they don't know that something exists, they will create it again. This is especially true for new team members. If you were a part of the team building the tests features, then you know most of them. However, when you have just joined the team if you don't have a way where to find this information, someone has to teach you. Otherwise, you will face the problems, we mentioned. +SP-8: Test API Usability Is it easy for the users to understand how to use the library? Even if people know that something is there but don't know how to use or make it work, will result in creating the same thing again. +If the API is not concise and it is confusing, then you will need again to invest time to teach the new team members separately how to utilize it. +Sub-Problem 3 — Time for Feedback- Release When you need to release a security hotfix immediately, you don't want to release the new version untested. However, if you have 5000 test cases and your 10 QAs need 5 days to execute them by hand- this is not so fast right? +Automation Solution Hypothesis ASH-1: Execute Same Tests Over and Over Again ASH-3: Utilize the Speed of Automated Tests Let's face it, computers are much faster than us. Even if you drink 5 coffees and click very fast, you will be much slower than a well written automated test. Even if you can match its speed, you will eventually get tired or will start missing some crucial details. Instead of waiting 1 week for all 5000 test cases to be executed by 5 QAs, you can run all of your automated tests distributed on multiple machines for a couple of hours. +Subsequent Problems SP-9: Test Speed As mentioned the automated tests are fast. However, this is not always the case. If the tests are not written properly, they can get quite slow. Some people tend to use big pauses in their automation to handle various challenges in automating web or mobile apps. Another possible scenario where tests can get quite slow is when you put retry logic for various failing statements until the test succeeds. Or just retry all failing tests multiple times. +Sub-Problem 4 — Regression Issue Prevention Regression Testing: "Testing of a previously tested program following modification to ensure that defects have not been introduced or uncovered in unchanged areas of the software, as a result of the changes made." +Often because of the time pressure, "less important" tests are not executed manually. This happens not only because of tight deadlines but when some of your people are not available- holidays, sickness, or just your team is short staffed. +Automation Solution Hypothesis ASH-4: Execute All Tests Before Deploying App You can execute all of your tests before deploying. Only if all tests pass then the app is deployed. Since the automated tests are quite fast, you can deploy the tested version after 30-60 minutes. +Also, since the setup of tests is quite easy, the developers can execute some of the most important tests on their machines and fix the regression problems even before submitting the new code. +Subsequent Problems SP-9: Test Speed SP-10: CI and CD Readiness Some older automation solutions are tough to execute from the command line interface, meaning it is hard to integrate them into your continuous integration or continuous deployment tools. Whatever, tool or framework you use, it now should allow being integrated relatively easy in CI systems. The same is valid for produced test results by the tool or framework. Usually, after CI execution, you want to publish them somewhere. +Sub-Problem 5 — Skipping Part of the Scope After you test something, you need to show your managers what you have tested. If you don't have a test case management system, this can be hard. Some people cannot be trusted. They can lie that they executed something or just forgot to do it. This is not the case with automated solutions. +Automation Solution Hypothesis ASH-4: Execute All Tests Before Deploying App Subsequent Problems SP-9: Test Speed SP-10: CI and CD Readiness Sub-Problem 6 — Ping-Pong With a dedicated QA team, there was the so-called ping-pong game of throwing bugs. How does this happen? +The developer produces a new version of the app and deploys it without any testing. +The QA starts testing when he gets free (this may not happen immediately). Testing begins 4 hours after the new version. +The QA logs a bug 2 hours later. However, the developer may head home. +The developer fixes the bug early in the morning and deploys a new version without testing it. This takes 1 hour. +The QA starts testing 3 hours later and finds that the first bug got fixed, but another regression one appeared. +The QA logs the regression bug 30 minutes later. +The developer is still there but started to work on a new feature, so promises to fix the new bug tomorrow. +Automation Solution Hypothesis ASH-4: Execute All Tests before Deploying App ASH-5: Developers Execute Automated Tests Locally So, for a single feature to be tested and released you needed from 2-3 days. If you had automated tests, the developer could execute them on his/her machine or at least the most important ones. Even if this is not possible, nowadays the most critical tests are performed right after the code is deployed even if we are talking about UI/System tests. Which means that if any regression bugs appear, you are going to catch them within 1 hour after the code's submission. +Subsequent Problems SP-9: Test Speed SP-10: CI and CD Readiness SP-11: Ease of Local Test Solution Setup How easy is a new colleague to set up everything needed to run the automated tests locally? Do you have instructions? How much time will he/she need? There are some cases where a man needs half a day to install and configure everything required. Which is a bummer since we programmers tend to be lazy most of the time or have so many other things to code. So, many people will prefer to skip the process and just not follow it because there are too many steps. +SP-12: Ease of Local Tests Execution If you have lots of tests most probably the developer won't be able to execute all of the tests before check-in his/her code. +How easy is to locate which tests he/she needs to execute? +When the tests are executed, is it possible to continue working or should go to drink a coffee? Some automation frameworks make it impossible to work during the test run. Browsers appear on top of all other programs, tests get the mouse focus, move your mouse or make real typing with your keyboard. +Is it possible for the tests to be executed locally but in an isolated environment like Docker? +Can the tests be executed smoothly against the developer's local environment instead of against the shared test environment? +Sub-Problem 7 — Money, Time, Effort for Maintaining Test Artifacts What are test artifacts? For example, these are all manual test cases you have. When a specific part of the application changes, you need to analyze and update your test cases. Otherwise, you have to rewrite them each time. Even with the usage of more sophisticated test case management system. This may be a task. This is why some more "agile" companies decide that the QAs won't use detailed test cases which of course leads to untested or not-well tested areas of the app. This is especially true if you have to test part of the application which was developed and tested by people that are not part of the company anymore. +Automation Solution Hypothesis ASH-6: Easier Test Refactoring and Modification Automated tests are testing artifacts too. But if you have a proper test automation framework and test structure, a single change can update multiple test cases at once, instead of editing each one by itself. Most modern IDEs provide tons of refactoring support features. +In most cases, once a manual test case is automated, you don't need it anymore so you can archive it. +Subsequent Problems SP-5: Library Modifications Sub-Problem 8 — Various App Configurations If you have to test a modern website- you need to make sure it is working on Edge, Firefox, Chrome, Opera, Internet Explorer and Safari. If your software is related to banking or similar service- you need to check if the app is working the same way on the latest 5-10 versions of these browsers. But wait, you have to check the responsiveness of the website on various web browsers and mobile resolutions. It is doable to make all these tests manually, but they require lots of effort and sometimes money to buy and configure all these devices. And let's face it- layout testing is hard for humans. It is a considerable challenge to verify "pixel perfect" designs without tools or code. +Automation Solution Hypothesis AHS-7: Reuse Tests for Different Platform Setups Through code, you can easily reuse the same tests for different browsers or mobile devices with various resolutions. Also, the code can enable you to perform pixel perfect layout testing if needed. +Subsequent Problems SP-13: Cross-Technology and Cross-Platform Readiness Is it possible to execute the tests with no code modifications on various browsers? Are the tests behaving the same way in different browsers? For example, if you use a pure WebDriver code, it will be almost impossible. How much code do you have to write to change the size of the browser or change the mobile device on which the tests will be executed? In most cases, it is better to skip the large configuration boilerplate code. +SP-14: Cloud Readiness Some companies have their own- farms of devices and computers with various browser configurations. However, nowadays the cloud providers such as SauceLabs , BrowserStack , or CrossBrowserTesting are a reasonable solution to the problem. Is it possible for your tests to be executed there? How much code is needed to switch from cloud to local tests execution? +SP-15: Docker Support Another alternative of the cloud providers is to run your tests in Docker containers. However, the setup can be hard. Is it possible your automation solution to be integrated easily with Docker ( Selenoid , Selenium Docker )? Does it provide pre-created configured images with all browser versions or mobile emulators? +SP-16: Complex Code Configuration It is one thing your tool or framework to support various browsers, devices, cloud or Docker integrations. But it is entirely another how much code you need to write to make it happen. It is not only about the initial creation but also if the requirements change, how easy is it to reconfigure the tests to use another configuration? +Sub-Problem 10 — Low QA Team Morale When you execute the same tests over and over again, people got bored as mentioned. Most of us want to get fun and do something new once in a while. So, we usually get demotivated doing the same things and not improving ourselves. This is one of the primary reasons why people want to change their teams or quit their jobs. +Automation Solution Hypothesis ASH-8: Test Automation Novelty Thinking how to automate particular app's functionality, prepare the test data or integrate your tests in CI is an exciting and challenging job. Most people feel challenged working on test automation and had to learn continuously new things. +Subsequent Problems SP-1: Automated Tests Are Not Stable SP-4: Are Automated Tests Trustworthy? Test the Tests? SP-17: Tests Speed Creation Time spent on maintaining the existing tests is essential. It can take significant time from the capacity of the QA team. However, for people to be motivated, it should be relatively easy to create new tests. For sure, QA engineers will be frustrated if for the whole sprint can produce only a few tests. It shouldn't be a rocket science to create a simple test. Or even if the scenario is more complicated, it shouldn't be so hard to understand what needs to be done to automate it. +SP-18: Troubleshooting, Debuggability, Fixing Failing Tests Easiness As we mentioned, a big part of maintainability is troubleshooting existing tests. Most in-house solutions or open-source ones don't provide lots of features to make your life easier. This can be one of the most time-consuming tasks. Having 100 failing tests and find out whether there is a problem with the test or a bug in the application. If you use plugins or complicated design patterns the debugging of the tests will be much harder, requiring lots of resources and expertise. Even if you spot the problem, how easy is to fix it? Do you fix the code only in one place to fix multiple tests? In case the library didn't reuse most of the logic but for example copy-paste it, then the fixing will take much more time. If you use a 3rd party framework (open-source or commercial one), is its support fast and helpful? +Sub-Problem 11 — Questioned Professionalism Every QA wants to be a professional and be recognized for a job done well. However, as mentioned, if you have tight deadlines, management pressure to test and release the app as soon as possible, you cut out of the scope of your testing. Executing only the most important test cases. Anyhow, most of the time when a new bug is found on production, QAs feel responsible that they didn't catch it. In some, cases developers are not aware that this is not our fault and we had to cut out of the scope. So, they start to question how good we are. Even in some edge cases, people get fired or don't get bonuses. +Automation Solution Hypothesis ASH-4: Execute All Tests Before Deploying App ASH-5: Developers Execute Automated Tests Locally ASH-8: Test Automation Novelty ASH-9: More Time Writing New Tests — Exploratory Testing With the time you will have more and more automated tests, checking for regression bugs. This will reduce the time for performing the same tests over and over again. Also, the locating-fixing bug cycle will be drastically shortened since the developers will be able to execute the tests locally or all tests will run before deploying the app. The QA team will be more motivated since it will execute more exciting tasks — thinking about how to automate more complicated and challenging scenarios. Moreover, will be able to spend more time experimenting- using manual testing techniques such as exploratory testing to locate new bugs. +Subsequent Problems SP-1: Automated Tests Are Not Stable SP-4: Are Automated Tests Trustworthy? Test the Tests? SP-17: Tests Speed Creation SP-19: Upgradability Fixing unstable tests is not the only time-consuming task of having an in-house automation framework. Every two weeks, new browser versions are released. With each of them, a new version of the low-level automation libraries is released — WebDriver , Appium, WinAppDriver . However, since these libraries and tools are open-source, nobody can guarantee that they will be bug-free or backward compatible with everything you have. From my own experience, I can assure you that this task takes at least 3-4 hours per week if no significant problems appear. If a problem occurs, it can take much more time. This is especially true if you need to support all browsers and a couple of their versions (not only the last one). The same is even more valid for mobile automation low-level libraries since there is an unlimited number of devices and configurations. +Because of these problems, many teams don't upgrade so often to spare some time. However, failing to test on the latest versions of the browsers hide many risks of not locating regression bugs. +For example, in the Bellatrix Test Automation Framework , we support all 8 browsers and 10 older versions. The same is true for Appium and WinAppDriver . We upgrade all libraries as soon as the new version of the driver or browser is released. To make sure that everything is working as expected, we maintain 6,000+ system tests and much more unit tests. To be able to receive feedback multiple times a day, we created a distributed test runner Meissa , which enables us to execute all these tests within an hour on multiple test agent machines in the Azure cloud. But even with all these tools and tests, it can take more than a day to make sure that everything is working and is backward compatible. Almost always, it is necessary to make fixes since something in the lower-level libraries stopped working. +Sub-Problem 12 — Provide Evidence of What You Did When you manually test something, it is a little bit hard to prove what you did. Sometimes it got unnoticed by developers and other colleagues because it is something "invisible." Of course, in more mature test processes you have detailed manual test cases, test reports, etc. But in general, let's be honest when you write code it is much more noticeable and measurable what you did. Because of this issue, I have heard many people complaining that they cannot get some promotion or a bonus. For me, this is one of the reasons why QA people want better reporting tools. To show developers and management what they did. (Software won't get any better because you have a fancy dashboard showing how many test cases you have executed.) +Automation Solution Hypothesis ASH-10: More Visible Results Since most of the test cases will be translated into coded tests, it will be more visible what the tests are. The code is something that can be measured and be seen. If needed the test results can be displayed in beautiful dashboards or send via emails. +Subsequent Problems SP-20: Tests Code Readability Sometimes, your developer fellows or your managers may want to check what you did. If you name your tests and methods right, you use page objects and another design patterns. It will be much easier for other people to understand what your tests do. If this is true, it will be questionable whether you need more detailed reports. +(You can check out these articles about Naming Methods Right or Naming Classes, Interfaces, Enumerations ). +SP-21: Test Results, Reports, Logs, Portal Integrations If you use an in-house framework, does it produce good-looking test result files? Can these files compatible with the most popular extensions for CI tools? How much effort is required to visualize them with these tools? Is it even possible? There are at least 2 popular open-source solutions for visualizing test results ( ReportPortal , Allure ); is it possible your test results to be integrated with these tools? +Sub-Problem 13 — Holidays and Sickness, 24 Hours If you have 1 QA per app area and he/she goes on holiday or gets sick. How do you release your application? Do developers start testing or? Most people can work up to 8 hours. Of course, there are situations where your managers tell you that you need to come on Saturday to test the new version because you need to release it on Monday. But you won't often hear- "let's stay up 2 nights in a row to finish everything". People need to sleep and rest. (automated tests don't care whether it is 3 in the morning, Sunday or New Year's Eve) +There is another aspect of this problem. When someone decides to leave your team or the company, all of his/her knowledge is lost. +Automation Solution Hypothesis ASH-1: Execute Same Tests Over and Over Again ASH-4: Execute All Tests before Deploying App ASH-5: Developers Execute Automated Tests Locally ASH-11: Tests as Documentation If the automated tests are readable enough and the test scenario is visible through reading the code, even if you are missing, your colleagues will know what the test does. If they can quickly orient themselves to what is automated and what is not, they will know what they need to check manually till your return. +Subsequent Problems SP-7: Knowledge Transfer SP-8: Test API Usability SP-20: Test Code Readability SP-21: Test Results, Report, Logs Sub-Problem 14 — Some Things Cannot Be Tested Manually How do you perform a load or performance test manually? I can say the same about testing "pixel perfect" designs. Probably you can use some non-automated way using tools, but it is hard. +Automation Solution Hypothesis ASH-12: Reuse Automated Tests for Complex Test Scenarios You can reuse some of your existing automated tests and reconfigure them to perform performance and load test. Also, you can use a different API from the framework for pixel-perfect layout testing. +Subsequent Problems SP-5: Library Modifications SP-17: Tests Speed Creation SP-18: Troubleshooting, Debuggability, Easiness Fixing Failing Tests SP-22: Learning Curve Is it easy to figure out how to create these complex- performance or load tests? Do you need to read huge documentations (if they even exist) or you can figure out everything from the demo example or the public API comments while typing in the IDE? How much time does a new team member need to learn to write and maintain these tests? Do you need to spend countless hours passing your knowledge to him or the authors of the framework give you better alternatives? +Sub-Problem 15 — Consistency What happens if you don't have detailed test cases. QAs will be free to experiment more while testing the app. Which in some cases has some serious benefits; this is why exploratory and mutation testing practices exist. However, in some cases, if there are ten ways to accomplish something in the app and you need to test exactly the 9th way. But because of the lack of detail or how the QA perceived what he/she needs to do, performs the operation following path 8. However, if we test something important, we want the tests to be consistent. +Automation Solution Hypothesis ASH-13: Unified Coding Standards A significant part of what the test automation frameworks are is that they give all people involved unified ways of writing tests. Unified team standards make the tests look identical and much easier to write. The shared libraries of the framework provide an API that makes completely clear for the user which scenario will be executed if the particular method is called. +Subsequent Problems SP-7: Knowledge Transfer SP-8: Test API Usability SP-20: Tests Code Readability SP-22: Learning Curve SP-23: Unified Coding Standards Coding standards are good. However, you need an automated way to enforce them. Does the framework you use to give you a default set of coding standards? Does it give you an automated way to apply and follow them? Is it easy for people to see what they did wrong? Is it easy to customize the default set of rules? (Some popular solution for .NET are EditorConfig , StyleCop and ReSharper ). +Sub-Problem 16 — Faster Scale-Up and Scale-Down Let's say that you have lots of things to be tested for the new release. Right now you have 2 QAs in the team but to finish on time the manager has to bring one more. But these transitions don't happen for a day. With longer release cycles, this is doable and maybe the right decision. But when you release each week, and you need more man-power- this approach cannot scale. Imagine that you scale-up for the next release after two months, now you have 4 QAs but after that is summer, and the releases will stop for a while. Two QAs will be enough to test all new features. What happens with the 2 additional QAs you brought to the project? Do you move them again? It is not only a problem how you scale-up but also how you scale-down. +Automation Solution Hypothesis ASH-14: Cloud Test Agents and Docker Living in the era of public clouds, you can have additional test agent machines for a couple of minutes. The same is valid if you use Docker to executed your automated tests. If you use the appropriate runner, the tests can be distributed across remote machines and performed there in parallel. +Subsequent Problems SP-14: Cloud Readiness SP-15: Docker Support SP-24: Parallel and Distributed Tests Execution Does your framework support your automated tests to be executed in parallel? Is there a runner for your tests that can run them in parallel or distributed? +You can check out our open-source distributed test runner Meissa that can run tests on multiple machines in parallel. +Summary As you can see, there are lots of reasons why test automation is necessary. However, like all things that evolve, first generations of test automation tools were not so good as promised. This is why test automation frameworks started to be a much more popular solution. However, to create stable, fast and easily maintainable tests with them require lots of upfront planning and thought. Many more subsequent problems occur that tool and framework vendors don't mention on their marketing pages. I believe that if you are aware of all these problems you will be able to make much more educated choices about where to invest or not. +In the next articles from the series, we will look into the must-haves and nice-to-haves features of a test automation framework \ No newline at end of file diff --git a/input/test/Test3432.txt b/input/test/Test3432.txt new file mode 100644 index 0000000..30d9c9a --- /dev/null +++ b/input/test/Test3432.txt @@ -0,0 +1,12 @@ +Data-driven tool calculates school budgetary loss due to teacher turnover 08/17/2018 Frontline Education Submitted by Ariana Fine on 08/17/2018 - 4:52am. +Frontline Education, an integrated insights partner to the education community, has launched a new tool for K-12 administrators to estimate budgetary loss due to teacher turnover. Experts say this gargantuan problem costs the U.S. education system billions annually with significant bearing on the ability of schools to put high-quality teachers in classrooms, straining existing resources and, ultimately, impacting student achievement. +The Teacher Turnover Calculator prompts education leaders to input data, including the number of teachers in the school or district, how many leave each year and recruiting expense per position. Frontline's tool then evaluates personalized information such as retention rate, turnover costs to the school system and the amount of money that could have been saved by reducing turnover. +"This tool brings awareness to and understanding of the economic impact on districts as a result of teacher turnover," says Elizabeth Combs, Managing Director of the Frontline Research & Learning Institute. "Frontline is committed to providing actionable insights to school districts. The calculator provides data in a clear way that we hope will encourage schools to adopt new strategies to better engage and support educators as a way of improving job satisfaction and retention." +In addition to offering a window into the economic effect of attrition, the tool features a rich set of resources to help districts encourage greater teacher support, including eBooks, case studies and interactive content to help improve student and school system success. +Ensuring that teachers feel supported and have room for professional growth is key to reducing the rate of teacher turnover. Research conducted by Scholastic and the Bill and Melinda Gates Foundation revealed that 68 percent of teachers said supportive leadership is "absolutely essential" to teacher retention. Additional factors include evaluations based on multiple measures, professional development programs and providing teachers with time and resources to collaborate. +Chief Human Resources Officer of Kansas' Blue Valley Schools Bob Kreifels notes that it is critical to provide this level of support to teachers as soon as they begin their career. "We have a full two-year mentorship program where we stay very closely connected to those teachers, because we know that's the most critical time for them to experience success," he says. Mentoring and investing in teachers from day one is imperative to creating a supportive environment that leads to job satisfaction and retention. +About Frontline Education: +Frontline Education is an integrated insights partner serving more than 12,000 educational organizations, over 80,000 schools and millions of educators, administrators and support personnel in their efforts to develop the next generation of learners. With nearly 20 years of experience serving the front line of education, Frontline Education is dedicated to providing actionable insights that enable informed decisions and drive engagement across school systems. +Bringing together the best education software solutions into one unified platform, Frontline makes it possible to efficiently and effectively manage the administrative needs of the education community, including their recruiting and hiring, absence and time management, professional growth, special education and employee records management. Frontline Education corporate headquarters are in Malvern, Pennsylvania, with offices in Andover, Massachusetts, Austin, TX, Rockville Centre, New York, Salt Lake City, Utah and Chicago, Illinois. +Learn more at www.FrontlineEducation.com . +Subscribe FREE to DA Professional Development: A DA Special Repor \ No newline at end of file diff --git a/input/test/Test3433.txt b/input/test/Test3433.txt new file mode 100644 index 0000000..913e14e --- /dev/null +++ b/input/test/Test3433.txt @@ -0,0 +1,6 @@ +Hi, Spring fans! Welcome to another installment of This Week in Spring ! This week, I'm in San Francisco, Seattle, and Los Angeles talking to customers. +We on the Spring team are heads down, preparing for this year's top event-to-not-miss, SpringOne Platform . Come to learn more about cloud-native application development, cloud computing, agile, DevOps, big data, continuous-delivery, testing, and so much more. Get your tickets now! The event is September 24-27th, 2018, in Washington, D.C. +Speaking of — see this kid ? He just passed his Java camp certification and if he gets 1000 likes/RTs, Pivotal'll send him to SpringOne Platform. Please RETWEET! +It's been an absolutely crazy week, so let's get to it! +First, let's take a look at how the Defense Information Systems Agency (DISA) has moved to change how they manage operating systems. One of the side-effects of this change is a new certification — Ubuntu from Canonical. This has a lot of profound implications for Cloud Foundry. Click here to read more! M14 of the Spring Tools 4 has been released for Eclipse Java IDE, Visual Studio Code, and Atom Editor. Get the bits here . This webinar (August 15th) on enhancing security with automated, open-source, security management looks very interesting ! Spring Cloud Open Service Broker 2.0.1.RELEASE is now available Spring Cloud Skipper 1.1.0.M1 Spring Cloud for Google Cloud Platform 1.0 goes GA! Matt Raible has updated his "Develop a Microservices Architecture with OAuth 2.0 and JHipster" to use JHipster v5.1.0 and Spring Boot 2.0.3. We'll ignore that Spring Boot 2.0.4 is already available! I love this JAXEnter blog post on the results of a Cloud Foundry survey on serverless computing and container technologies . My buddy, Okta's Matt Rabile, has updated his "Develop a Microservices Architecture with OAuth 2.0 and JHipster" to use JHipster v5.1.0 and Spring Boot 2.0.3. This is pretty cool! Spring Boot and Spring Developer Stephane Nicoll has a nice video with Vaadin's Matti Tahvonen on building Spring Boot applications with Vaadin 10 . I've got this bookmarked and will watch. I love production and, apparently, so does Tyler Van Gorder and his company . They just moved a Spring Boot and Spring Cloud-based system with 657k lines of Java code to Spring Boot 2.0 and Spring Cloud Finchley into production! Congratulations! +Our friends at SUSE are hiring for a product management role, working on Cloud Foundry Kkubernetesio and OpenStack. Interested? Ping Devin Davis and he can make the introduction. The Spring Framework Guru website has a very interesting post on defining Spring Cloud Contracts with OpenAPI . This is awesome ! Spring is a good choice for services for JavaFX clients, especially in the reactive world made possible by Reactor. This thread is pretty inspiring . riff v0.1.1 on Knative is now available . The new release has the system uninstall and command function invoker support. This is awesome! Continuous Integration and Deployment with Jenkins for PCF The latest installment of this Japanese magazine on programming — WEB+DB — has a nice article on Spring Boot . Check it out! twitter.com The Flowable BPMN engine, which works ideally with Spring Boot, now supports running on MongoDB . I was interviewed, along with a number of other folks in the Java ecosystem, on the cadence of new Java releases. You might enjoy some of the insight . The SD Times has a nice write-up of the latest and greatest in Spring Cloud GCP . Our friend Marten Deinum has a nice write-up of how to integrate JDBI with Spring Boot . Rackspace has a nice look at ways that organizations are saving millions by running on Cloud Foundry — short and sweet! Now, we come to JUnit5's gem — parameterized tests. Never has it been more comfortable to execute the same test with varying inputs . Want a fairly exhaustive look at how to create Spring-based microservices with Spring Cloud? This community example from Pranav Patil looks to be an interesting start . Going to be at the WomakersCode Summit Sergipe held at the Department of Computing at the Federal University of Sergipe-São Cristóvão campus? This event will host discussions about the development, tools, and good practices, as well as a panel, focused on career acceleration and preparation of the study plan — all presented by women. There is so much to recommend this event! If you can only see one, though, be sure to see Spring community heroine Laís Neves about Spring Boot and how it can make life easier for the Java developer . Tyler Lund has a nice post on the five common mistakes made by teams that are new to Chaos Engineering . Swapnil Bhartiya has a nice post on why Cloud Foundry chose Istio and Envoy for Routing . Riff 0.1.1 is now available ! It supports command function invokers and system uninstallation support. This is a great thread by Spring Boot ninja Andy Wilkinson. Spring Boot is nearing 500 contributors to Spring Boot. Obviously, this merits a huge thanks to the community. THANK YOU. Want to contribute? Well, we want you to, too! Read this thread from Andy Wilkinson on how to do so! Zoltan Altfatter has a nice post on how to use the Spring Cloud Services service registry . This is an oldie-but-a-goodie; Mohamed Sanaulla writes about sample Logback configuration for Spring Boot profile-based logging Blaze Persistence has shipped some very compelling integrations for Spring Data JPA Our Spring LinkedIn group now has 51,000 members ! More is always welcome, of course! Wow! Spring Data Neo4j lead and awesome-sauce data legend Michael Hunger has just announced the release of the Neo4j JDBC driver 3.4.0 with support for spatial and date/time datatypes in Neo4j 3.4.x and full clustering/routing support. 120+ of my videos from the years are available online at this aggregator called DevTube . Many of the videos are unique, of course, but some are duplicates. Either way, you might find the content videos worthwhile. It was interesting to me to think that there's enough content out there to keep watching a talk a day for more than three months! Also, there's a lot of other great content on that portal from other speakers. So, again, worth a visit \ No newline at end of file diff --git a/input/test/Test3434.txt b/input/test/Test3434.txt new file mode 100644 index 0000000..9f2ff74 --- /dev/null +++ b/input/test/Test3434.txt @@ -0,0 +1,45 @@ +11:10 (IST) +Road between Gonikoppa to Kutta village has been blocked +The district administration has appointed officers to shelter homes. District minister Sa Ra Mahesh is camping in district monitoring rescue operations centre. Meanwhile, the road connecting Gonikoppa to Kutta has been blocked. +Inputs from Coovercolly Indresh/101 Reporters 11:05 (IST) +NH 47 between Alappuzha and Thiruvananthapuram blocked; Thottapally spillway shutters to be opened at 11 am +NH 47 between Alappuzha and Thiruvananthapuram will be blocked on Friday for sometime as Thottapally spillway shutters will be opened at 11 am. This is to ensure that area is cleared for water from the spillway to flow out into the Arabian Sea. 11:03 (IST) +Many stranded in low-lying area; Emmethal village worst affected +Villagers in Kandanakolli, Emmethalu, Katakeri and Devasthur in Madikeri are in trouble as the rescue team couldn't reach them. In Emmethal village, a hillock completely collapsed destroying a house and killing a villager. More than 6-7 feet of silt is affecting rescue operation there by NDRF. +Hundreds of coffee estates in the district are also destroyed due to mud slide. Rural parts have no electricity since two days and most of roads in rural areas are blocked. According to sources, at least 5 people have died in the district. Many home stay owners, marriage convention hall owners gave shelter to victims. However, helicopter services were affected due to adverse weather conditions. +Inputs from Coovercolly Indresh/ 101 Reporters 10:59 (IST) +SOS message: Man stranded in Kadapra village in Thiruvalla town, asks help from Thiruvalla's Tehsildar +"Sir I am Surendran, Puthuparampil, Valanjavattom, ward number 10 Thiruvalla Kadapra village. Stranded at second floor. Only boat can reach here. Kindly inform Thiruvalla Tehsildar. Since phone battery is weak, I can't use WhatsApp", read the SOS message from the stranded man. 10:57 (IST) +SOS message: Infant, mother stranded near Pandanad village office in Chengannur +A nine-day-old baby and her mother are stranded near Pandanad village office in Chengannur district. they can be reached out on these phone numbers: +91-9745489684, +91-9562891837 10:52 (IST) +Alappuzha may see flooding as water recedes from Pathanamthitta district; Kuttanad submerged +Alappuzha district may face flooding now as water has recedes from Pathanamthitta to Alappuzha district enroute to the Arabian Sea. Kuttanad region is currently submerged. Load More +Kerala floods latest updates: The NDRF said it has moved more than 4,000 people to safer places and rescued another 44 from flooded areas in Kerala during the past nine days, even as its personnel struggle to reach remote areas cut off due to landslides. +More than 100 people died in rain-related incidents in Kerala in the last 24 hours since Thursday, sources in the State Disaster Management Authority said, even as defence forces scaled up operations this morning to rescue those stranded in worst-hit areas. The toll for Thursday, initially put at 30, has now been revised to 106, the sources said, which takes the overall fatalities to 173 since the second spell of monsoon fury unleashed itself on 8 August. +The National Crisis Management Committee (NCMC) has met for the second time in two days in Delhi on Friday to review the rescue and relief operations in the flood-affected areas in Kerala. Cabinet secretary PK Sinha, who chaired the meeting, held a video conference with the chief secretaries of Kerala and Tamil Nadu. It was decided to mobilise additional resources of all agencies including army, navy, air force, coast guard and National Disaster Response Force (NDRF) to provide the required assistance to Kerala. +Supreme Court has directed sub-committee under Disaster Management Act 2005, Court appointed committee and National Committee for Crisis Management to explore possibility of reducing water level in Mullaperiyar dam reservoir to 139 feet from 142 feet. With Tungabhadra river in spate, the situations has spiraled down in north Karnataka. Image courtesy: Raghottama/101Reporters +Both the Chalakudy river and the Periyar river are at same level but water is not receding. A landslide occurred in the morning at Manandhavady in Wayanad but no casualty was reported. +Kerala chief minister Pinarayi Vijayan has sought more central forces to assist the state government in the rescue operations. According to him, 16 teams of Army, 13 teams of Navy, 10 teams of Air Force and 39 teams of NDRF are now engaged in the operations. The NDRF has so far rescued 4,000 people and Navy 550. Explaining the rescue and relief operations in Kerala, TV Sajeev, head of the Forest Health Division at the Kerala Forest Research Institute which is operating three helpline routes told Firstpost that there are three groups, outside Kerala, who are coordinating rescue operations at the moment — the National Defence Rescue Force, the Navy and the Air force. +"They've divided Kerala into three portions for the purpose of operational efficiency. Rescue activities are coordinated at the district Level. Every district collector is operating a district coordination centre and additionally, has their own rescue teams. Official helplines have been constituted across institutes and offices." +According to Sajeev, people who are stranded call with their locations, the role of those managing helplines is to break this down into geographical coordinates and then transfer the information to the District Coordination Centre. "Here, it is assigned to different rescue teams, manned either by the national forces or district teams. Those rescued are being transferred to relief camps across districts which provide accommodation, food and basic medical care services. There are private relief camps set up across districts too." +Kerala chief minister Pinarayi Vijayan has sought more central forces to assist the state government in the rescue operations. According to him, 16 teams of Army, 13 teams of Navy, 10 teams of Air Force and 39 teams of NDRF are now engaged in the operations. The NDRF has so far rescued 4,000 people and Navy 550. +Pinarayi Vijayan said, "Total 11 helicopters have been deployed to rescue stranded people across Kerala, especially in areas. We have appealed to Centre to provide more choppers for rescue operation. We haven't been able to deploy more boats in Chengannur, Chalakudy and Aluva. We have received over 140 boats this morning. There are some areas which are high and people can only be rescued by helicopters. Total 16 units of Army deployed across the state." +Pinarayi Vijayan addressed the media and said that since 8 August at least 164 people have died due to flooding and landslides. "At least, 4,000 people have been rescued by NDRF till now. A total of 70 people have been airlifted from various parts of the city and 1,568 relief camps have opened up in the state," Vijayan said. +The Southern Railways has cancel all trains going to Tamil Nadu from Mangalore. This step was taken after the flooding of railway lines in Palghat-Shoranur section. +The shutters of the Thottapally spillway have been opened in the Alappuzha district. The traffic along NH 47 between Alapuzha and Thiruvananthapuram has been suspended for next three hours as water will flow over the highway. +The district administration has appointed officers to shelter homes. District minister Sa Ra Mahesh is camping in district monitoring rescue operations centre. Meanwhile, the road connecting Gonikoppa to Kutta has been blocked. +NH 47 between Alappuzha and Thiruvananthapuram will be blocked on Friday for sometime as Thottapally spillway shutters will be opened at 11 am. +Defence minister Nirmala Sitharaman tweeted that she talked to Kerala chief minister Pinarayi Vijayan over phone and that he requested her for more helicopters. She said that she has instructed the Vice Chief of Air Staff to provide the required assistance. +BSNL Kerala has announced unlimited free calls for seven days from Friday in Kerala's four rain affected districts - Waynadu, Idukki, Alleppey and Pathanamthitta. This includes unlimited SMS and 20 minutes of free calling to non-BSNL numbers everyday. +Red alert has been issued in all 13 districts except Kasaragod for Friday. Red alert has been issued for Saturday also in Ernakulam and Idukki districts, ANI reported. +Prime Minister Narendra Modi took stock of the situation in Kerala as he spoke to chef minister Pinarayi Vijayan over phone. "Had a telephone conversation with Kerala chief minister P Vijayan just now.We discussed flood situation across the state and reviewed rescue operations. Later this evening, I will be heading to Kerala to take stock of the unfortunate situation due to flooding," Narendra Modi tweeted. +In a huge relief to the people on the banks of Periyar River, the government has decided not to release further water from Idukki dam. The govt has issued an advisory warning for the Cauvery river as it prepares to release more water from the Kabani and Krishna Raja Sagara Dam into the river and its tributaries. More than 2.1 lakh cusecs of water is expected to reach Mettur Dam in Tamil Nadu. +The Indian Army, state police and local rescue groups are engaged in rescue operations at Pathanamthitta, Ranni and Chenganoor localities which are submerged in flood waters. More men, including special forces with diving and rescue equipment and helicopters, are being deployed as calls for rescue have been pouring in from various parts of the districts. +Fisher folks from Kollam and Thiruvananthapuram have joined the Army and state police in rescuing people stranded in Pathanamthitta district following floods in Pampa river and its tributaries. About 130 fishermen who knows swimming have been pressed into action by the Trivandrum Latin Church diocese. The fishermen have arrived in Pathanamthitta with 50 fishing boats. +The Kochi International Airport on Thursday extended the suspension of all services up to 2 pm on 26 August, with large parts of the facility flooded. "Kochi Airport operations is temporarily suspended up to 2 pm on 26 August due to very high flood situation and key essential facilities like runway, taxiway and apron are under submerged condition," an airport statement said. +Thousands of people are stranded in flood-hit areas in Ernakulam, Thrissur, Pathanamthitta, Kottayam and Alappuzha districts are waiting for rescue teams to save their lives. Most of the people are trapped on the roof tops and upper floors of houses, apartments and hospitals for two to three days without drinking water, food and medicines. They include a large number of sick and aged people, pregnant women and children. +In a press conference held on Thursday, chief minister Pinarayi Vijayan informed that the situation in Kerala is under control, with rescue missions happening in full swings. Presently around 1.5 lakh people are in refugee camps. Around 3000 people were rescued on Thursday in Ernakulam and Pattanamthitta. The Centre and State are conducting the rescue operations together, according to the Chief Minister's office. +Prime minister Narendra Modi would visit Kerala and undertake an aerial survey of the flood ravaged areas on Saturday, Union Minister K J Alphons said on Thursday. Modi is expected to reach Kochi on Friday after attending the funeral of former prime minister Atal Bihari Vajpayee scheduled for 4 pm tomorrow in Delhi. After an overnight stay at Kochi, the Prime Minister will undertake an aerial survey of the flood affected areas on Saturday, Alphons said. +Modi has already been in touch with chief minister Pinarayi Vijayan and had assured all assistance. The prime minister has taken a "positive stand" towards the state on relief measures, Vijayan had said on Wednesday after he spoke to him for the second time in the past few days. +Kerala has been ravaged by unprecedented floods following torrential rains that also triggered landslides, claiming 97 lives since 8 August besides disrupting air, rail and road traffic in several places. Union Home Minister Rajnath Singh had on 12 August undertook an aerial survey of the floot-hit regions and announced an immediate central assistance of Rs 100 crore to the state for relief works. +Updated Date: Aug 17, 2018 16:11 PM Tags : #CMO #CMO Disaster Relief Fund #Cochin Aiport #Cyclone #Disaster Management #Disaster Relief #Flood #Flood In Kerala #Floods #Heavy Rains #Help Kerala #Home Ministry #Idukki #Idukki Dam #IMD #Kerala Disaster #Kerala Floods #Kerala Floods Live #Kerala Government #Kerala Rains #Kerala Rains Live #Kerala Relief #Kochi #Landslide #Narendra Modi #NewsTracker #Pinarayi Vijayan #Rains In Kerala #Rajnath Singh #Relief Fund #Thunderstorm Also Se \ No newline at end of file diff --git a/input/test/Test3435.txt b/input/test/Test3435.txt new file mode 100644 index 0000000..baed4cf --- /dev/null +++ b/input/test/Test3435.txt @@ -0,0 +1 @@ +WHAT MEN WANT Movie Trailer WHAT MEN WANT IS IN THEATERS JANUARY 11, 2019 SYNOPSIS Ali Davis (Taraji P. Henson) is a successful sports agent who's constantly boxed out by her male colleagues. When Ali is passed up for a well-deserved promotion, she questions what else she needs to do to succeed in a man's world… until she gains the ability to hear men's thoughts! With her newfound power, Ali looks to outsmart her colleagues as she races to sign the next basketball superstar, but the lengths she has to go to will put her relationship with her best friends and a potential new love interest (Aldis Hodge) to the test. WHAT MEN WANT is the latest comedy from director Adam Shankman (HAIRSPRAY) and producers Will Packer and James Lopez (GIRLS TRIP), co-starring Tracy Morgan, Richard Roundtree, Wendi McLendon-Covey, Josh Brener, Tamala Jones, Phoebe Robinson, Max Greenfield, Jason Jones, Brian Bosworth, Chris Witaske and Erykah Badu. STARRING Taraji P. Henson, Aldis Hodge, Richard Roundtree, Wendi McLendon-Covey and Tracy Morgan DIRECTED B \ No newline at end of file diff --git a/input/test/Test3436.txt b/input/test/Test3436.txt new file mode 100644 index 0000000..09a3663 --- /dev/null +++ b/input/test/Test3436.txt @@ -0,0 +1,13 @@ +By Joseph Menn and Paresh Dave SAN FRANCISCO (Reuters) - Google's plan to launch a censored search engine in China requires more "transparency, oversight and accountability," hundreds of employees at the Alphabet Inc unit said in an internal petition seen by Reuters on Thursday. +Hoping to gain approval from the Chinese government to provide a mobile search service, the company plans to block some websites and search terms, Reuters reported this month, citing sources familiar with the matter. +Disclosure of the secretive effort has disturbed some Google employees and human rights advocacy organizations. They are concerned that by agreeing to censorship demands, Google would validate China's prohibitions on free expression and violate the "don't be evil" clause in the company's code of conduct. +After employees petitioned this year, Google announced it would not renew a project to help the U.S. military develop artificial intelligence technology for drones. +The latest petition says employees are concerned the China project, code named Dragonfly, "makes clear" that ethics principles Google issued during the drone debate "are not enough." +"We urgently need more transparency, a seat at the table and a commitment to clear and open processes: Google employees need to know what we're building," states the document seen by Reuters. +The New York Times first reported the petition on Thursday. Google declined to comment. +Company executives have not commented publicly on Dragonfly. They are expected to face questions about the project during a weekly employee town hall discussion on Thursday, a person familiar with the matter said. It would be the first such meeting since details about Dragonfly were leaked. +Employees have asked Google to create an ethics review group with rank-and-file workers, appoint ombudspeople to provide independent review and internally publish assessments of projects that raise substantial ethical questions. +Three former employees involved with Google's past efforts in China told Reuters current leadership may see offering limited search results in China as better than providing no information at all. +The same rationale led Google to enter China in 2006. It left in 2010 over an escalating dispute with regulators that was capped by what security researchers identified as state-sponsored cyberattacks against Google and other large U.S. firms. +The former employees said they doubt the Chinese government will welcome back Google. A Chinese official, who declined to be named, told Reuters this month that it is "very unlikely" Dragonfly would be available this year. +(Reporting by Joseph Menn and Paresh Dave; Editing by David Gregorio and Dan Grebler \ No newline at end of file diff --git a/input/test/Test3437.txt b/input/test/Test3437.txt new file mode 100644 index 0000000..8b7f855 --- /dev/null +++ b/input/test/Test3437.txt @@ -0,0 +1 @@ +Pin 2 shares Chadwicks Credit Card is a credit card that is issued by the Comenity Bank of Omaha. It is a credit card filled with lots of rewards for its cardholders . The credit card allows cardholders to earn points on a dollar spent and those rewards earned can be redeemed for Chadwicks rewards certificate which can be use for Purchases at either Metrostyle or Chadwicks. Chadwicks Credit Card Benefits Cardholders earn 5 Chadwicks Fashion points for every $1 spent on Chadwicks or Metrostyle credit card Get a $10 Chadwicks Merchandise Rewards Certificate for every 1,000 points collect. Cardholders have opportunities to earn bonus points throughout the year. Card User also have access to Chadwicks credit card Gold Priority toll-free phone number for first in the line VIP service. Cardholders can manage their Gold card account online with the Chadwicks.com with ease. As a Chadwicks cardholders one can opt for easy Paperless billing statements. Cardholders enjoys free financial Education by the Comenity Bank on how to make smart, well informed financial decisions that brings about financial freedom. Manage your Account – keep track of your credit card account anytime and anywhere. Cardholders get 24/7 online access to sign up for secure, online account management. Chadwicks Credit Card Fees And Rates Annual Percentage Rate (APR) for Purchases – 26.74% Minimum Interest Charge – Not less than $1.00 Annual Fee – None Late Payment – Up to $38.00 Returned Payment – Up to $25.00 Purchase APR – 26.74% Chadwicks Credit Card Application Requirements To apply for the Chadwicks credit Card, the applicant must be at least up to 18 years of age, must be a resident of the United States, must also have a United States Social Security number, Must have a valid Government issued photo ID, must have a street, rural route or APO/FPO Mailing address and also a clear credit record. How To Apply For Chadwicks Credit Card Visit the Web page of the Comenity Bank . Navigate to the middle of the web page Click on the 'Apply Now' button or on the top of the page click on the "Apply" widget. On the next page of the application process Enter your personal information such as • Personal info which includes: First Name, middle name, last name, Suffix, Social security Number, Date of Birth, Annual Income. • Contact information such as, Street address, suite /Apt, City, State, Zip code, Email address, Mobile phone number, Alternative phone • Add Authorized Buyer if any • Click on 'continue' How To Check Chadwicks Credit Card Applications Status For cardholders to check their application Status the have to call the Credit Customer Service at this number 1-800-395-3780 and provide their application reference number to get the status report. How To Activate Chadwicks Credit Card Lane Bryant credit must be registered for it to activated, this will enable the cardholders use the credit card, this can also be achieved by submitting the following required primary card member information online the such as; Enter your credit card Account number Expiration Date Identification type – Social Security Number Last 4 Number of Social Security Zip code /postal code Click on the "Continue" button How To Login To Chadwicks Credit Card Visit the Home page of the Comenity Bank https://c.comenity.net Enter the Username and password at the left side of the page Click on 'Sign In' button How To Recover Chadwicks Credit Card Username ID And Password On the 'Sign In' section of the page Scroll down and click on the 'forgot Username/Password' Enter the information required Such as Credit card number or User name Zip code or postal Last 4 digits of the social security Number On the new page click on 'Find My Account' How To Make Bill Payment With Chadwicks Credit Card To make your bill payment pay the credit card bill through logging in to the credit card online account by following the steps given above, After logging in online to the account Search for the payment option on the dashboard. Or Use an Authorized auto debit from the bank and the credit card company will deduct the bill monthly from your bank account. Or Call on the Customer service Centre at 1-800-395-3780. Or by Mail Send your payment to the following address P.O.BOX 659728, San Antonio, TX 78265-9728. Chadwicks Credit Card Customer Service Center The Chadwicks of Boston Credit Card Customer service Center is always reachable for any information and enquiries cattery at 1- 800-395-3780, TDD/TTY: 1-800-695-1788. Share this \ No newline at end of file diff --git a/input/test/Test3438.txt b/input/test/Test3438.txt new file mode 100644 index 0000000..f8ee472 --- /dev/null +++ b/input/test/Test3438.txt @@ -0,0 +1,2 @@ +RSS Material Handling Motion Control System Industry 2018 Top Manufacturers - Parker Hannifin Corp, Schneider Electric SE, Siemens AG The study segments the Material Handling Motion Control System industry in light of major classification such as product type, potential markets, application, and end-user. + A new market assessment report on the Material Handling Motion Control System market provides a comprehensive overview of the Material Handling Motion Control System industry for the forecast period 2018 - 2025. The analytical study is proposed to provide immense clarity on the market size, share and growth rate across different regions. Download FREE Sample Copy of Material Handling Motion Control System Market @ form/16289 Scope of the Report: This industry assessment for the forecast period, 2018 - 2025 incorporates projections pertaining to the investment feasibility, gross margin, profits, consumption volume, production capability and major market vendors. Likewise, statistics associated with the competitive landscape, shifting consumer behaviour and spending power is showcased and well-explained with the help of treasured resources such as charts, graphs and graphic images, which can be easily incorporated in the business or corporate presentations. Market Segment by Manufacturers, this report covers: Moog Inc. (U.S.), Trio Motion (U.S.), Motion Control, Inc. (U.S.), ABB (Switzerland), Parker Hannifin Corp (U.S.), Rockwell Automation, Inc. (U.S.), Schneider Electric SE (France), Siemens AG (Germany) Market Segment On the basis of Application, Report covers: - Food and Beverages Purchase Material Handling Motion Control System Market Report@ https://www.marketexpertz.com/checkout-form/16289 Market Segment On the basis of Product, Report covers: - Actuators and Mechanical Systems - Others The research provides answers to the following key questions: - What is the estimated growth rate and market share and size of the Material Handling Motion Control System market for the forecast period 2018 - 2025? - What are the driving forces in the Material Handling Motion Control System market for the forecast period 2018 - 2025? - Who are the prominent market players and how have they gained a competitive edge over other competitors? - What are the market trends influencing the progress of the Material Handling Motion Control System industry worldwide? - What are the major challenges and threats restricting the progress of the industry? - What opportunities does the market hold for the prominent market players? Browse the Full Report@ overview/material-handling-motion-control-system-market Subject matter experts conducting the study also take a closer look at the products at their development stage and in the pipeline to help business owners conclude on the business strategies that can lower their cost and promise great returns or profits. Strong emphasis on new launches, acquisition and mergers, collaboration, import and export status and supply chain management empowers the business evangelists, manufacturers and business owners build a robust strategy when it comes to making an investment. marketexpertz Contact US: City NY 10005 United State \ No newline at end of file diff --git a/input/test/Test3439.txt b/input/test/Test3439.txt new file mode 100644 index 0000000..909b6cd --- /dev/null +++ b/input/test/Test3439.txt @@ -0,0 +1,14 @@ +Singapore-Based Crypto Exchange Cryptology Lists TomoChain (TOMO) and PolicyPal Network (PAL) +SINGAPORE , Aug. 17, 2018 /PRNewswire/ -- Singapore -based Cryptology Exchange has launched TomoChain (TOMO) and PolicyPal Network (PAL). +The ERC20 tokens will be available on Cryptology Exchange for deposits from 17 August, Friday at 2pm (GMT+8). Trading and withdrawals will start from 21 August, Tuesday at 2pm (GMT+8). The trading pairs will be TOMO/BTC, TOMO/ETH, PAL/BTC, PAL/ETH. +Mr Herbert Sim , CMO of Cryptology said, "We are pleased to announce the listing of TOMO and PAL, in a bid to bring in more trading options for our valued community. In the next few months, we will be adding in more trading pairs and announcing the listing of even more tokens." +Earlier this month, Cryptology also announced a reduction of transaction fee from 0.2% to 0.02%, the lowest among cryptocurrency exchanges. Project listing on Cryptology is also free at the moment and subject to assessment by Cryptology Lab, Cryptology's research arm. +Mr Sim added, "In the market right now, we see many cryptocurrency exchanges diversifying their services and launching many new initiatives. At Cryptology, our approach is different -- unlike typical crypto-to-crypto exchanges, we strive to simplify the process of token purchase. To do this we are offering a one-stop exchange that supports both tokens and fiat depositing and trading." +Founder and CEO of PolicyPal Network, Val Ji -hsuan Yap said, "Security is one of the key factors we look out for in an exchange and we are glad that Cryptology Exchange is one of the exchanges that provide just that." +Founder and CEO of Tomochain, Long Vuong added, "We will be able to avail ourselves further to the European community, with the availability of direct fiat-to-cryptocurrencies transactions. Through Cryptology exchange." +Operating in both web version and mobile app -- Google Play and App Store , Cryptology aims to make fiat and cryptocurrency trading easy and secure, for newbies and experienced traders alike. +Users can deposit fiat on Cryptology and start trading instantly via Mastercard and Visa transfer. This service is currently available for Europe , with plans for global expansion rolling out in the next few months. +About Cryptology +Headquartered in Singapore , Cryptology Exchange was established in August 2017 , with a mission to create an open ?nancial system as well to provide a trustworthy, reliable and convenient service for all those looking ahead to the crypto future. +As a not-for-profit and community-centric exchange, Cryptology advocates a low-fee model to give back to the users in a bid to support the growth of the cryptocurrency industry. For instance, deposit fee and project listing on Cryptology are free. Earlier this month, Cryptology has also announced a reduction of transaction fee from 0.2% to 0.02%, the lowest among cryptocurrency exchanges. +Website: www.cryptology.co \ No newline at end of file diff --git a/input/test/Test344.txt b/input/test/Test344.txt new file mode 100644 index 0000000..184acc8 --- /dev/null +++ b/input/test/Test344.txt @@ -0,0 +1,35 @@ +Net neutrality advocates were left furious on Thursday that there wasn't more fury directed at the chair of the Federal Communications Commission (FCC) at Congressional hearing despite, the fact he killed off net neutrality several months ago. +"Democrats Ripped for Totally Failing to Grill FCC Chair Ajit Pai Over Net Neutrality Cyberattack Lies," bellowed "staff writer" for Common Dreams Jack Johnson. +Johnson was referring to a tweet from furious freelance tech reporter Karl Bode. But Bode was too furious yelling about how Pai's "press shop actively maligned and misled reporters" (meaning himself) to notice the fury coming from Fight for the Future, which was furiously typing up its latest blog post in which it screamed: "Today removed any doubt that Ajit Pai will be remembered as one of the worst FCC Chairs in US history, and he should resign immediately." +Even the more reasoned reviews of the hearing were focused – and disappointed – by the fact that congressmen and federal regulator commissioners weren't as equally angry as the people watching them. +Pai and his people had personally lied to Congress and – worse! – to reporters when they insisted that the collapse of the FCC's comment systems were due to a cyberattack. It was time for him to face the music. +But, um, the thing is... Except, of course, a report by the FCC's independent inspector general revealed that actually it was a misjudgment by its CIO and Pai's office had been skeptical of his cyberattack explanation all along. +Yes but HOW LONG HAD HE KNOWN?! screamed the net neutrality advocates. Several months was the answer. HE'D KEPT US IN THE DARK FOR MONTHS!!! the screams of indignation rang out. Why? Why?? WHY???!! +Senator Brian Schatz asked that question and Pai answered exactly how he had already indicated he would: because his inspector general had asked him not to say anything until the report was finalized, in part because there was a risk there would be a criminal prosecution over false statements. +"Once we knew what the conclusions were it was very hard to stay quiet," Pai said. "We wanted the story to get out." He made this judgment "even though I knew I'd be falsely attacked," he noted. +And, of course, Pai has been falsely attacked. Which, ironically, makes us suspicious that part of the calculus the FCC chair made in not speaking out was that even though he was cleared of any blame, he could rely on the righteous indignation of others to attack him anyway – and so paint himself as a victim of left-wing madness. +Such is the cost of mindless partisanship and demonization. +There was more mindless and worthless criticism and counter-criticism over the topic of – aaaarrrgggghh – net neutrality. +Smug Pai rather smugly chided everyone for "claiming" that the internet would fall apart if the net neutrality rules were reversed. Except of course literally no one – not even the loons calling on Pai to be fired for doing his job professionally – actually said any such thing. +"It has now been 67 days since the repeal of the previous administration's utility-style Internet regulations took effect," Pai said in his openings remarks. "The internet is still open and free." +Pai has his own demented followers. Former FCC advisor and pretend neutral voice Roslyn Layton PhD tweeted just before the hearing started: "Tune it to FCC oversight hearing. Impressive accomplishments under Ajit Pai including speeding of 5G rollout, better/faster networks under Internet Freedom, increased public safety, rural call completion, universal service fund reform." +It was retweeted by Pai's own communications staff. Pai's chief of staff has literally been tweeting every day pointing out that another day has passed since the rules were scrapped. +Today's tweet : "Day 67 of the post-Title II era: The Internet is free and open, and it's Julie Newmar's 85th birthday. Best known for playing Catwoman on 1960s Batman TV series." +He does this every day – even on weekends – here's the one from this Sunday : "Day 63 of the post-Title II era: The Internet is free and open, and 11 years ago on this date, Tiger Woods won his 4th PGA Championship. Will he win his 5th today?" +What is wrong with these people? +Look after the kids All of this rabid, chest-thumping tribal nonsense had the peculiar result of making Congress – yes, Congress – looks like the reasonable parent. +Senators pointed out that it was unlikely that ISPs would start implementing the worst fears of net neutrality advocates – blocking content, charging more for certain websites, and so on – because the entire process was under a dark cloud of lawsuits right now. +But, as FCC Commissioner Jessica Rosenworcel pointed out – there aren't any actual legal constraints from stopping them from doing so and so it was really only a matter of time. "When a company has the business incentives and the technical ability and the legal right to do so, it is going to happen," she noted with an unreasonable degree of reasoning. +Aside from the fact that Congressmen and women appeared to have completely bought into the nonsense that there is a "race to 5G" and that if everything isn't done to make it as cheap as possible for multi-billion-dollar telcos to roll out the technology that somehow China is going to win, there were some actual reasonable oversight work done. +Congressman Jon Tester was perhaps our favorite this time around for his total honesty and clarity. +Tester is from Montana and pointed out that at his own home, he sometimes can't get a signal. This is despite the fact that the official coverage maps produced by the FCC from data provided from mobile operators shows his area as being completely covered. +"The maps stink," he said referring the widely panned coverage maps produced by the FCC. "You've got to target those maps." +To Pai's credit he at least acknowledged the main way that ISPs and telco fudge the system – by using census block and claiming that even if one person in such a block gets coverage it means the whole block is covered. +Ass kicking But Tester wasn't buying Pai phoney explanations over what the FCC is doing about it. Pai started to policy wonk himself to death talking about rules when Tester fired back: "It's going to take more than rule changes – it's going to take a push. The maps stink and we have to be more proactive… we have to kick someone in the ass." +The truth is that the current majority FCC Commissioners talk endlessly about how they are going to improve rural broadband and update America's broadband infrastructure and kill robocalls but all these efforts are built around putting more money into the pockets of the largest telcos, and every proposal that would really make a difference tends to require the FCC to push Big Cable off its pot of gold – and under Pai they refuse, for even a second, to consider such an approach. +Democrats go on the offensive over fake FCC net neut'y cyberattack READ MORE The FCC in fact already has the authority to introduce precise measures that would force cable companies that are making billions in profits annually to invest in infrastructure that would bring fast internet to rural America. +But it won't do it. And cable companies won't invest in loss-making infrastructure, even as they milk their oligopoly in other parts of the country. This tension between public interest and profit is precisely why the FCC exists – but it won't push back, or put the pressure on. +What is Pai's big idea? To spend government money subsidizing cable companies to put in pipes. But even that process had been slanted to benefit the largest companies and squeeze out the small guys. +That is the story that the frothing-at-the-mouth activists and indignant tech reporters should be focused on, not the fact that someone who did something they don't like wasn't shouted at enough. +And Congress? Congress is like a lazy pitbull who really wants a juicy bone but can't be bothered to go find one. In that respect, today's FCC hearing was like watching the dullest dog-fight in history: bored animals nibbling on each other's legs when the crowd screams at them to tear at each other's throats. +It was not a very edifying spectacle.  \ No newline at end of file diff --git a/input/test/Test3440.txt b/input/test/Test3440.txt new file mode 100644 index 0000000..098ed80 --- /dev/null +++ b/input/test/Test3440.txt @@ -0,0 +1,14 @@ +Aug 17, 2018 10:42 AM BST Share +The idea of replacing some 30 million grid-attached or diesel pumps with solar pumps is gaining traction. Credit: PGCIL/ADB +Vast potential in India for solar-powered irrigation - IEEFA +17 August: A switch from conventional irrigation-pump systems to solar-powered ones in India would save enormous sums of money and generate income for farmers nationwide, according to a research brief published by the Institute for Energy Economics and Financial Analysis (IEEFA). +The brief, " India: Vast Potential in Solar-Powered Irrigation ", notes that while the idea of replacing some 30 million grid-attached or diesel pumps with solar pumps is gaining traction, the pace of deployment has been slow. +However, it adds that recent solar-irrigation initiatives by way of the central government's Kisan Urja Suraksha Evam Utthaan Mahaabhiyan (KUSUM) scheme, which supports solar in agriculture, and the Gujarat state government's Suryashakti Kisan Yojana (SKY) scheme are steps in the right direction. +"The government, to its credit, is encouraging farmers to install stand-alone, solar-powered, off-grid pumps to not only meet their irrigation needs but also to provide an extra income source from selling surplus power to distribution companies (Discoms)," wrote Vibhuti Garg, an IEEFA energy economist and author of the brief. "Considering the declining trend in prices of solar modules combined with economies of scale, IEEFA sees the all-in cost of solar-powered irrigation as a strong argument for reducing reliance on the current expensive government-subsidized model. The strategy also stands to give a strong push to the government's 'Make in India' program by stimulating domestic solar-pump manufacturing." +SECI extends deadline for 5GW manufacturing tender +16 August: Solar Energy Corporation of India (SECI) has once again extended the deadline for bid submissions for its 5GW manufacturing tender linked with 10GW of solar deployment to 17 September. +Recent media reports revealed that the government had considered reducing the manufacturing component to 3GW, but today's extension shows no such intent. +NTPC tenders for 900kW rooftop solar project at Assam thermal plant +17 August: Indian state-run utility NTPC has issued a tender for a 900kW grid-connected rooftop solar PV project at the 750MW Bongaigaon Thermal Power Project in the Kokrajhar district of Assam . +The contract will be for design, supply, erection, testing and commissioning of the project with O&M services +The deadline for bid submissions is 15 September 2018 \ No newline at end of file diff --git a/input/test/Test3441.txt b/input/test/Test3441.txt new file mode 100644 index 0000000..5f5ad64 --- /dev/null +++ b/input/test/Test3441.txt @@ -0,0 +1 @@ +No posts where found Global Image-Based Cytometer Market 2018 Industry Analysis, Size, Application Analysis, Regional Outlook, Competitive Strategies And Forecast by 2027 August 17 Image-based cytometer requirement is anticipated to boost owing to technological advancements and the growing utilization of image-based flow cytometers in research activities. The image based cytometer market is thus estimated to expand at a robust CAGR over the forecast period. "Image-Based Cytometer Market: Global Demand Analysis & Opportunity Outlook 2027" The global Image based cytometer market is segmented into By Application:-Research, Clinical, Others; By End-User:-Hospitals, Commercial Organizations, Clinical Testing Labs, Others and by regions. Image based cytometer market is anticipated to mask a significant CAGR during the forecast period i.e. 2018-2027. Trend towards precision medicine where each clinical trial is towards a specific cell is emerging. Clinical applications of Image Based Cytometer basically includes measurement of DNA content of whole nuclei in ovarian tumors; measurement of DNA content of nuclei in sections of brain tumor; and analysis of DNA distribution of nuclei in sections of oral leukoplakia. Image cytometry has been particularly useful in studies of embedded tissues in which the tissue architecture is important in identifying regions for measurement, in which there may be very few cells available for measurement, or in which the tissue is not suitable for dissociation. North America is estimated to remain the ruling region owing to eminent advancements in research and development field along with elevated technological developments through the years. While Asia Pacific is expected to emerge as a fastest growing region due to growing expenditure by the government on R&D activities as well as rising technological advancements in the developed and developing countries of the region. Request Report Sample @ https://www.researchnester.com/sample-request/2/rep-id-905 Rising Expenditure on R&D Activities Image-based cytometer requirement is estimated to increase owing to technological advancements, development of intuitive software, increasing use of image-based cytometer in clinical trials and the growing utilization of image-based flow cytometers in research activities. Rapid 'user�friendly' systems currently under development may increase the market growth of image-based cytometric systems. However, the main problem for the researchers is to access such technology which has cost constraints associated to buying antibodies. Request for TOC Here @ https://www.researchnester.com/toc-request/1/rep-id-905 The report titled " Image-Based Cytometer Market: Global Demand Analysis & Opportunity Outlook 2027" delivers detailed overview of the global image based cytometer market in terms of market segmentation By Application:-Research, Clinical, Others; By End-User:-Hospitals, Commercial Organizations, Clinical Testing Labs, Others and by regions. Further, for the in-depth analysis, the report encompasses the industry growth drivers, restraints, supply and demand risk, market attractiveness, BPS analysis and Porter's five force model. This report also provides the existing competitive scenario of some of the key players of the global image based cytometer market which includes company profiling of Invitrogen, ChemoMetec A/S, Nexcelom Bioscience LLC., Vala Sciences Inc., Merck KGaA, GE Healthcare, Yokogawa Electric Corporation and Thorlabs, Inc. The profiling enfolds key information of the companies which encompasses business overview, products and services, key financials and recent news and developments. On the whole, the report depicts detailed overview of the global Image based cytometer market that will help industry consultants, equipment manufacturers, existing players searching for expansion opportunities, new players searching possibilities and other stakeholders to align their market centric strategies according to the ongoing and expected trends in the future. Buy This Premium Reports Now @ https://www.researchnester.com/payment/rep-id-905 About Research Nester: Research Nester is a leading service provider for strategic market research and consulting. We aim to provide unbiased, unparalleled market insights and industry analysis to help industries, conglomerates and executives to take wise decisions for their future marketing strategy, expansion and investment etc. We believe every business can expand to its new horizon, provided a right guidance at a right time is available through strategic minds. Our out of box thinking helps our clients to take wise decision so as to avoid future uncertainties. For more details visit @ https://www.researchnester.com/reports/image-based-cytometer-market/905 Media Contac \ No newline at end of file diff --git a/input/test/Test3442.txt b/input/test/Test3442.txt new file mode 100644 index 0000000..d19b9a4 --- /dev/null +++ b/input/test/Test3442.txt @@ -0,0 +1 @@ +Print This Dzifa Aku Attivor is a former Minister of Transport A former Minister of Transport in the National Democratic Congress (NDC) government, Madam Dzifa Aku Attivor, has launched her campaign for the NDC chairmanship position in the Volta Region, with the promise to rebrand the party into a vibrant political entity. Madam Attivor, launching her campaign and manifesto at the Ho Central Market, said she was on a mission to rejuvenate the NDC in the region after the painful defeat in the 2016 elections and to also rebuild a formidable base for the party to recapture political power in the 2020 elections. She noted that the NDC, now in opposition, needed a fresh crop of dedicated and committed leaders who would work to strengthen the party's structure and organs in the region. "We are aware the Volta Region is the party's world bank, and it is therefore necessary to have the kind of leadership that will build the party with the capacity to stand the test of time,"she stated and expressed her readiness to serve the interest of the NDC at all levels when given the nod as the first woman regional chairperson. The former minister, who currently chairs the women working committee of the party in the region, is in a two horse race for the chairmanship position with the incumbent, Mr John Gyapon Kudjo, in the party's upcoming regional congress slated for September 1, 2018. Time for women The party, she noted, had come of age to have women playing commanding roles at the helm of affairs, stressing that "men have led this party since its inception but I believe the time has come for us women to take charge and lead the NDC into the future." She thus appealed to the party delegates to support her make history,stressing that she had the clout to unite and give hope to the party's branches,connect the party back to the cadres, get women to be part of the new NDC, attract first-time voters into the NDC, as well as build a strong partnership with the media in the region. Madam Attivor in her eight-page manifesto also pledged to champion the expansion of the foreign branches of the NDC into neighbouring Togo and Benin in order to attract Ghanaians in those countries to support the party. Failed NPP Administration The former Transport Minister said it was evident Ghanaians were yearning for the return of the NDC in 2020 due to the failure of the governing New Patriotic Party (NPP) to deliver on its unrealistic promises made during the 2016 electioneering. According to her "The people of Ghana are no longer ready for President Nana Akuffo Addo beyond 2020 and they are yearning for the return of NDC. The NPP in opposition made promises to transform our country but all we see is one family destroying the solid foundation Mahama and the NDC laid. Ghanaians disappointed The mood in Ghana today is that of disappointment and regret. Apart from President Akufo-Addo's family and friends, all Ghanaians, including NPP members, say; we are living in the worse period and most incompetent government of the Fourth Republic." "Our Women in the Ho market, Dzemeni, Asafo and Aboabo market in Tamale are in that state. Our shallot farmers in Anloga, our tomato farmers in Ziope are ready to vote for the NDC in 2020," she added and charged all party faithful to help position NDC recapture power in the next elections. For more news go to: www.graphic.com.gh \ No newline at end of file diff --git a/input/test/Test3443.txt b/input/test/Test3443.txt new file mode 100644 index 0000000..afb5ac8 --- /dev/null +++ b/input/test/Test3443.txt @@ -0,0 +1,16 @@ +How to Make a Robot Use Theory of Mind Researchers give AI the ability to simulate the anticipated needs and actions of others By Chris Baraniuk on August 17, 2018 Credit: Getty Images Advertisement +Imagine standing in an elevator as the doors begin to close and suddenly seeing a couple at the end of the corridor running toward you. Even before they call out, you know from their pace and body language they are rushing to get the same elevator. Being a charitable person, you put your hand out to hold the doors. I n that split second you interpreted other people's intent and took action to assist; t hese are instinctive behaviors that designers of artificially intelligent machines can only envy. But that could eventually change as researchers experiment with ways to create artificial intelligence (AI) with predictive social skills that will help it better interact with people. +A bellhop robot of the future, for example, would ideally be able to anticipate hotel guests' needs and intentions based on subtle or even unintentional cues, not just respond to a stock list of verbal commands. In effect it would "understand"—to the extent that an unconscious machine can—what is going on around it, says Alan Winfield, professor of robot ethics at the University of West England in Bristol . +Winfield wants to develop that understanding through " simulation theory of mind ," an approach to AI that lets robots internally simulate the anticipated needs and actions of people, things and other robots—and use the results (in conjunction with pre programmed instructions) to determine an appropriate response. In other words, such robots would run an on-board program that models their own behavior in combination with that of other objects and people. +"I build robots that have simulations of themselves and other robots inside themselves," Winfield says. "The idea of putting a simulation inside a robot… is a really neat way of allowing it to actually predict the future." +"Theory of mind" is the term philosophers and psychologists use for the ability to predict the actions of self and others by imagining ourselves in the position of something or someone else. Winfield thinks enabling robots to do this will help them infer the goals and desires of agents around them—like realizing that the running couple really wanted to get that elevator. +This differentiates Winfield's approach from machine learning, in which an AI system may use, for example, an artificial neural network that can train itself to carry out desired actions in a manner that satisfies the expectations of its users. An increasingly common form of this is deep learning , which involves building a large neural network that can, to some degree, automatically learn how to interpret information and choose appropriate responses. +A simulation-based approach relies on a pre programmed internal model instead. Winfield describes the simulation theory of mind system as using a "consequence engine." In other words, a robot equipped with the system can answer simple "what if" questions about potential actions. If it simulates turning left, it might, for instance, detect that it would bump into a nearby wall. To make this prediction possible, the robots are pre programmed with a basic grasp of physics so that they understand what happens when objects collide. Winfield describes his robots as having a little bit of "common sense." +For the moment, robots can only use simulation theory of mind in relatively simple situations. In a paper published in January , Winfield and his colleagues described an experiment in which a robot was designed to move along a corridor more safely ( that is, without bumping into anything) after being given the ability to predict the likely movements of other nearby robots. This is not a new capability for a robot, but in this case Winfield's machine simulated the consequences of its own collision- avoidance strategies to make sure they would be safe. Winfield acknowledges in his study that this work is still in its nascent stages and "far from a complete solution." For example, it took his behavior-guessingrobot 50 percent longer to traverse the corridor than when it proceeded directly to the other side without trying to anticipate another robot's actions. Still, he proposes "simulation-based internal modeling as a powerful and interesting starting point in the development of artificial theory of mind." +Winfield also concedes that theory of mind is still not well understood in people. Scientists have incomplete knowledge of the human brain's "neurological or cognitive processes that give rise to theory of mind," according to a study Winfield published in Frontiers in Robotics and AI in June. Yet he believes a full understanding of these processes is not necessary to develop AI that can perform a very similar function. +One major potential advantage of simulation theory of mind is that it may help robots become more communicative with humans—a feature that will become increasingly important as automation makes ever more inroads into human life, Winfield says. Some people might, for example, want a robot to explain its actions after the fact—something AI is generally unable to do, because the inner workings of a deep- learning artificial neural network are highly complex and may leave humans largely out of the decision-making process. And what about robots that assist elderly or ill people? Ideally such a machine could spontaneously give a warning to an elderly person, announcing that it is about to approach, to avoid alarm or confusion. Think of a nurse saying, "I'm just going to give you another pillow so you can sit up and take your medicine." It is the difference between a robot that simply acts and one that justifies its actions before taking them. +Researchers are trying to develop machine-learning systems that explain their decision-making in human language. One basic model , for example, has an AI program determine whether an image depicts a healthy meal and explain its answer: "no" because the image includes a hot dog, or "yes" because it detects the presence of vegetables. But such programming is in its early stages and far from commonplace. +Henny Admoni , an assistant professor at Carnegie Mellon University's Robotics Institute who was not involved in the new studies, agrees this kind of capacity would be useful. "The benefit of something like simulation theory, the way Winfield implements it, is that there is an explanation that the system can generate about what it has learned or why it did something," Admoni says. +People will find it easier to trust a machine that can more accurately and clearly explain itself, according to Julie Carpenter , a research fellow with the Ethics and Emerging Sciences Group at California Polytechnic State University. "You have to believe that the other entity has similar goals that you do—that you're working towards the same goal," says Carpenter, who was not involved in Winfield's research. +Now that Winfield has built machines that carry out simple actions determined by internal simulations, his next step is to give these robots the ability to verbally describe their intended or past actions. A good test will be if one robot can listen to statements of intent made by another robot and correctly interpret these statements by simulating them. That process would involve one robot verbally describing an action—"I'm going to hold the elevator door," for example—and the other robot hearing this information before internally simulating the action and consequence: the doors are kept open. +If they can understand one another in such a way, they are in theory one step closer to understanding us, Winfield says—"I'm very excited by that experiment." ABOUT THE AUTHOR(S) Chris Baraniuk Chris Baraniuk is a freelance science and technology journalist based in the UK. Besides Scientific American, his work has been published by New Scientist, the BBC, Wired and Quartz. Recent Article \ No newline at end of file diff --git a/input/test/Test3444.txt b/input/test/Test3444.txt new file mode 100644 index 0000000..9e8d781 --- /dev/null +++ b/input/test/Test3444.txt @@ -0,0 +1,18 @@ +/ 5:22 +In 1996, the Northeastern U.S saw a sudden increase in the number of "extreme precipitation" events. And ever since then, that number has stayed elevated. So a group of researchers at Dartmouth College set out to figure out why. +Jonathan Winter, an assistant professor of geography at Dartmouth who co-authored the study, spoke to VPR's Henry Epp about the researchers' findings, which were published earlier this summer in the Journal of Geophysical Research: Atmospheres . +Listen to the conversation with Winter above; below find excerpts of Winter's responses during the interview. +The extreme precipitation experience: +"The primary driver of this shift has been hurricanes and tropical storms, so they've caused almost half of the increase in extreme precipitation that occured in 1996. And then we've also seen increases in extreme rain and snow from other types of events, and these include intense downpours along cold fronts, and these are mostly during severe thunderstorms — they're responsible for 25 percent. And then extratropical storms, which are storms that don't form in the tropics — an example of this is nor'easters — and they're responsible for 15 percent." +Causes, part 1: +"Behind the cause of the increase in hurricanes, we think, is warmer Atlantic Ocean temperatures and more water vapor in the atmosphere. So with warmer ocean temperatures, you're able to fuel the growth and intensity of hurricanes and tropical storms. So since 1996, we've had elevated ocean temperatures in the Atlantic. And then warmer air can hold more water vapor. So basically you can think of it as having a bigger bucket so when you actually do get the rain event, you can empty that bigger bucket and cause a bigger event." +Causes, part 2 : +"When we look at the cold fronts and the extratropical cyclones, like nor'easters, we find that they're associated with a wavier jet stream. So the jet stream is basically what brings us our weather — it comes from west to east — and the wavier it is, a few things can happen: So you can have basically cold air coming down from the north and be able to form kind of larger and more intense cold fronts. And then actually as that jet stream gets wavier, it also sets the conditions for the formation of things like nor'easters, so extratropical cyclones." +Where climate change fits in: +"I think it would be fair to say that climate change is behind some of it, but not all of it ... We know that there's climate variability and we've been in a relatively warm phase of the Atlantic Ocean's temperatures, so we know that part of that is probably just natural. And then you can think about basically that we've just added kind of a manmade signal on top of that." +What happened in 1996: +"We do know that in 1996 we transitioned from a relatively cool phase of the Atlantic to a relatively warm phase. We know that that's part of what's driving the increase in extreme precipitation, but we also know that the last time the Atlantic Ocean was warm, we didn't have this increase in extreme precipitation. So that's still an outstanding question." +What next? +"We do basically expect this pattern to continue, but the big question is when this kind of warm phase of the Atlantic ends and we go back into our cold phase, what exactly is going to happen. That's kind of the next question we're going to tackle, is how much of this is caused by that shift in ocean temperatures, caused by climate variability, and how much of it is really driven by greenhouse gas emissions and climate change. +Advice for community leaders and planners: +"This shift, for now, is here to stay, so when we go about sizing infrastructure or other types of decisions that could put people at risk for being flooded, they should design with this kind of a reference frame — so this most recent period, 1996 to present — versus previous time periods when we've had less extreme precipitation." Tags \ No newline at end of file diff --git a/input/test/Test3445.txt b/input/test/Test3445.txt new file mode 100644 index 0000000..948045f --- /dev/null +++ b/input/test/Test3445.txt @@ -0,0 +1,10 @@ +No posts where found Clean Energy Technology Market to grow at a CAGR of 11.6% including key players Alstom, China National Nuclear (CNNC), Suntech Power Holdings August 17 Share it With Friends Clean Energy Technology Market HTF analysts forecast the Clean Energy Technology market in China to grow at a CAGR of 11.6 percent over the period 2013-2018. +A new independent 74 page research with title 'Clean Energy Technology Market in China 2014-2018' guarantees you will remain better informed than your competition. The study covers geographic analysis that includes regions and important players/vendors such as Alstom, China National Nuclear (CNNC), Suntech Power Holdings, Trina Solar , Yingli Green Energy Holding, Xinjiang Goldwind Science & Technology With n-number of tables and figures examining the Clean Energy Technology the research gives you a visual, one-stop breakdown of the leading products, submarkets and market leader's market revenue forecasts as well as analysis to 2022 +HTF analysts forecast the Clean Energy Technology market in China to grow at a CAGR of 11.6 percent over the period 2013-2018. +Request a sample report @ https://www.htfmarketreport.com/sample-report/196849-clean-energy-technology-market +About Clean Energy Technology +Clean energy technology refers to the use of a technology that can reduce carbon emissions and other harmful pollutants to the minimum possible level while generating the maximum amount of energy. Moreover, clean energy power generation breaks the dependency of conventional fuels, enhances energy security, and helps in tackling environment challenges. Different types of clean energy sources are clean coal, nuclear energy, solar energy, and wind energy. +Covered in this Report +The report covers the present scenario and the growth prospects of the Clean Energy Technology market in China for the period 2014-2018. In terms of energy sources, the Clean Energy Technology market in China can be segmented into four: Clean Coal, Wind Energy, Solar Energy, and Nuclear Energy. +HTF report, the Clean Energy Technology Market in China 2014-2018, has been prepared based on an in-depth market analysis with inputs from industry experts. The report covers the landscape of the Clean Energy Technology market in China and its growth prospects in the coming years. The report includes a discussion of the key vendors operating in this market. +Get customization & check discount for report @ https://www.htfmarketreport.com/request-discount/196849-clean-energy-technology-marke \ No newline at end of file diff --git a/input/test/Test3446.txt b/input/test/Test3446.txt new file mode 100644 index 0000000..fcac993 --- /dev/null +++ b/input/test/Test3446.txt @@ -0,0 +1,11 @@ +by Caleb Sage +Outside of the Premier League top six, Everton are arguably the most difficult opponents a newly-promoted side could face on the opening day of the new season. +However, Wolves were able to hold the Merseyside club to a draw after the match between the two teams ended 2-2, and Nuno Espirito Santo's men may actually feel disappointed that they were not able to walk away with all three points having played the entire second half with an extra man. +Wolves, though, were still made to fight for that one point after going behind twice, and they could again be presented with another tricky game when they take on Leicester City at the King Power on Saturday. The Breakdown +And at the heart of any potential Wolves downfall could be Jamie Vardy with Leicester boss Claude Puel confirming the England striker has a good chance of starting ( via Leicester Mercury ). +£18m-rated ( via Transfermarkt ) Vardy was only fit enough to make the substitutes' bench in the Foxes' 2-1 Premier League defeat to Manchester United, but he managed to find the back of the net after being introduced in the second half and will now undoubtedly cause Wolves problems when the two sides meet. +Vardy's game is well known to largely consist of making runs in behind defenders and closing them down at every given opportunity, which is something Wolves' back three will be dreading. +But, while Vardy can hurt Wolves, Nuno's men should also fancy their chances going into the game with Leicester having looked defensively suspect against Manchester United. +The physicality of Wes Morgan and aerial prowess of Harry Maguire may see Raul Jimenez less effective in the air this time round. +However, should Nuno bring new signing Adama Traore into the side, the 22-year-old and the rest of Wolves' wide players could really give Leicester's full-backs problems with Ricardo Pereira, understandably, looking shaky at times against Manchester United. +Vardy's potential return to Leicester's starting XI is a huge boost for Puel and bad news for Wolves, but Nuno also has tools at his disposal which can hurt his managerial counterpart. Read Full Article HERE \ No newline at end of file diff --git a/input/test/Test3447.txt b/input/test/Test3447.txt new file mode 100644 index 0000000..8b56243 --- /dev/null +++ b/input/test/Test3447.txt @@ -0,0 +1 @@ +Display Full Page What the 'perfect' woman's body looks like, according to men and women It's probably not a huge surprise that men and women have different ideas about what constitutes the "ideal" body for women. Now, a recent survey is spotlighting just how different. The survey, conduc... 10 causes of body aches that have nothing to do with getting old ... some of the inflammatory mediators that we use to fight the infection cause fever and body aches," says Erich Voigt, MD, an otolaryngologist at NYU Langone Health. But a slew of other behaviours a... Health Ministry body: Allow Oxytocin sale by private chemists A health ministry advisory body has suggested that the Central government should not ban the sale of Oxytocin through retail chemists — which is proposed to come into force from September 1 — to "ensu... Khloe Kardashian Talks Motherhood, Mental Health, and Her Changing Body Shape Khloé Kardashian is launching her Good American activewear today and we're here LIVE with her taking a first look! Health on Thursday, August 2, 2018 Kardashian told the panel that from a yo... Body health depends on mental health Baltimore is the epicenter of trauma in the U.S. — gun violence, mass incarceration, poverty, heroin. I care for some of the most marginalized people in the nation, whom we refer to as "high-needs, hi... How A Vegan Diet Transformed My Body, Mind & Spirit–And Gave Me True Health After my near death experience, I felt that eating meat was depleting me of my energy rather than giving me the energy to create, thrive and to express myself fully. I could no longer consume dead ene... This is what happens to your body when you start following a vegan diet Research suggests that veganism can have health benefits, if well planned. For those who have pursued a diet rich in meat and dairy for most of their lives, embarking on a vegan diet can lead to signi... The Benefits of Cucumbers On Your Hair, Skin, Nails & Overall Body Health Cool, crisp, refreshing — these are just a few reasons why people typically love cucumbers. They make a great addition to summer salads, on sandwiches, sliced up and dipped in hummus and simply eaten .. \ No newline at end of file diff --git a/input/test/Test3448.txt b/input/test/Test3448.txt new file mode 100644 index 0000000..3389f10 --- /dev/null +++ b/input/test/Test3448.txt @@ -0,0 +1,10 @@ +Creative Works By John McCarthy - 17 August 2018 10:22am +In action movies, it is common to see the car deliver the lead characters from evil as they try to escape a formidable foe. Audi has taken this concept and redefined what an 'Escape' actually is with the release of a high-octane martial arts bash. +BBH London developed a minute-long (also extended at 90 seconds) movie that was shot in Bangkok, Thailand. The Thing (2011) director, Matthijs Van Heijnigen, branded the ad a "visual spectacle". +It saw a team of martial artists fight off an intimidating gang in a dingy bar. They looked to be successful in their efforts until a giant slab of a man imposed himself upon the battle and routed the protagonists. One warrior took refuge in an Audi A8, where he is treated to the benefits of a luxury interior, complete with a glass of bubbly and foot massage. +Explosions and carnage ensued in the background while he relaxed. After a painfully long time, his 'Escape' concluded. He was caught out by his ally whose face was being crushed into the windscreen by the burly henchman. +Benjamin Braun, marketing director of Audi UK, said Escape is the first of three major campaigns to come out for the brand in the next three months. +"In true Audi style, it tells a story. This time the narrative is about our seriously luxurious technology. No matter how chaotic the outside world, Audi cars provide an 'escape'. Our technology keeps you safe and supremely comfortable. The A8 can include widescreen TVs, 23 loudspeakers, a fridge and even a foot massage for passengers in the back." +Ian Heartfield, executive creative director of BBH London, added: "The film focuses on the technology story from inside an Audi, with the help of two martial-arts gangs and the voice of Lionel Ritchie." +The campaign was released 16 August. PHD has also booked in the cinematic film for cinemas and VOD. +Vote for it in The Drum's Creative Works \ No newline at end of file diff --git a/input/test/Test3449.txt b/input/test/Test3449.txt new file mode 100644 index 0000000..2a679aa --- /dev/null +++ b/input/test/Test3449.txt @@ -0,0 +1,30 @@ +Print By JIMMY GOLEN - Associated Press - Thursday, August 16, 2018 +FOXBOROUGH, Mass. (AP) - Tom Brady shook off the rust of a long layoff and then found time to shake hands with Nick Foles , six months after they met in the Super Bowl. +Brady moved the Patriots with ease in their rematch against the Eagles, with a little help from running back James White. Foles left with a shoulder injury after giving up a strip sack that led to Ja'Whaun Bentley's scoop and score, but the reigning Super Bowl MVP stuck around to get his long-awaited congratulations from the reigning NFL MVP after New England's 37-20 win Thursday night. +"That was kind of made up to me because that was never my intention. I wouldn't be a bad sport," said Brady , who never made it to Foles for a handshake after the Eagles' 41-33 victory in the Super Bowl. "I have a lot of respect for Nick . I know how hard it is to win that last game. They did it, congratulations to them." +In his first action since losing in the NFL title game, Brady led New England to scores on four of the six series he played, completing 19 of 26 passes for 172 yards and two touchdowns to help stake New England to a 27-7 halftime lead. +"It's the first time having to do that in about six months," Brady said after Brian Hoyer finished up the victory. "I feel like my timing could be better in certain areas. I've been doing this or a long time, so a lot of it is second nature at this point." +EAGLES QBS +Foles managed one first down in his first three possessions and then coughed the ball up on a hit from defensive lineman Adrian Clayborn. Bentley recovered and ran 54 yards for a touchdown that gave New England a 17-0 lead. +The hit knocked Foles out of the game. It was one of eight sacks by the Patriots. +"I was getting ready to throw a deep ball and a guy grabbed it as I was following through," Foles said. "It feels all right. It feels pretty good. Hopefully there's no issues." +Coach Doug Pederson said Foles will be evaluated Friday. +"I'm going to wait until I speak to my doctors," Pederson said. +Foles finished 3 for 9 for 44 yards. Third-stringer Nate Sudfeld played most of the next three quarters, completing 22 of 39 passes for 312 yards, three touchdowns and an interception. +Erstwhile Eagles starter Carson Wentz is on the verge of returning to 11-on-11 practice, but the team is not sure if he will be ready for the Sept. 6 opener against Atlanta. +Philadelphia's Shelton Gibson had five catches for 90 yards and a 4-yard TD reception in the second quarter that made it 17-7. +WHITE, FLAGS +White caught six passes for 61 yards, including a 20-yard touchdown, and also ran for 31 yards in the first half. +"I don't think you could ask any more of a teammate than what James provides us and the trust that everyone has in him," Brady said, comparing him to past Patriots part-time backs like Kevin Faulk, Shane Vereen and Danny Woodhead. "I feel like he never makes a mistake, and it's pretty amazing to have that." +The Eagles had five penalties for 50 yards in the first quarter - including two for lowering the head to initiate contact and one for hitting a defenseless receiver - and 97 penalty yards in all. +Hoyer completed five of 13 passes for 32 yards and an 11-yard touchdown pass to Cordarrelle Patterson. +OTHER INJURIES +Eagles: In addition to Foles , the Eagles also lost receiver Bryce Treggs (hamstring), tight end Richard Rodgers (knee), tight end Joshua Perkins (head), tackle Taylor Hart (cramps), receiver Kamar Aiken (hamstring) and defensive back Stephen Roberts (ankle). +Patriots: First-round draft choice Isaiah Wynn was taken away from the medical tent on a cart with a left ankle injury. Wynn, who was taken No. 23 overall, did not play the previous week against Washington. New England's other first-round pick, No. 31 overall selection running back Sony Michel, has not played because of a procedure on his knee. +ANTHEMS +Philadelphia defensive backs Malcolm Jenkins and De'Vante Bausby remained in the tunnel during the national anthem before the game, a week after raising their fists in protest in the exhibition opener. Defensive lineman Michael Bennett remained in the locker room Thursday night, NBC Philadelphia reported on Twitter. +A picture tweeted by the station showed Jenkins and Bausby bowing their heads as they looked out toward the field. +Jenkins and Bennett have been among the most vocal NFL players protesting racial inequality during the pregame playing of the "Star-Spangled Banner." The NFL Network tweeted a video of Jenkins coming out for warmups wearing a shirt that said, "YOU AREN'T LISTENING." +___ +More AP NFL: https://apnews.com/tag/NFLfootball and https://twitter.com/AP_ NFL + Th \ No newline at end of file diff --git a/input/test/Test345.txt b/input/test/Test345.txt new file mode 100644 index 0000000..f520654 --- /dev/null +++ b/input/test/Test345.txt @@ -0,0 +1,10 @@ +Tweet +Anchor Capital Advisors LLC lessened its stake in shares of Hospitality Properties Trust (NASDAQ:HPT) by 13.8% in the second quarter, according to its most recent filing with the SEC. The fund owned 50,826 shares of the real estate investment trust's stock after selling 8,154 shares during the period. Anchor Capital Advisors LLC's holdings in Hospitality Properties Trust were worth $1,454,000 at the end of the most recent reporting period. +Several other large investors also recently made changes to their positions in HPT. Summit Trail Advisors LLC lifted its position in shares of Hospitality Properties Trust by 2,722.9% during the 1st quarter. Summit Trail Advisors LLC now owns 114,978 shares of the real estate investment trust's stock valued at $115,000 after acquiring an additional 110,905 shares during the last quarter. Hartford Investment Management Co. acquired a new stake in shares of Hospitality Properties Trust during the 2nd quarter valued at $202,000. Element Capital Management LLC acquired a new stake in shares of Hospitality Properties Trust during the 1st quarter valued at $206,000. Sumitomo Mitsui Asset Management Company LTD acquired a new stake in shares of Hospitality Properties Trust during the 2nd quarter valued at $214,000. Finally, Oakbrook Investments LLC acquired a new stake in shares of Hospitality Properties Trust during the 2nd quarter valued at $218,000. Institutional investors own 74.31% of the company's stock. Get Hospitality Properties Trust alerts: +Shares of NASDAQ:HPT opened at $28.81 on Friday. The company has a debt-to-equity ratio of 1.49, a quick ratio of 0.43 and a current ratio of 0.43. Hospitality Properties Trust has a 12-month low of $23.83 and a 12-month high of $31.27. The firm has a market cap of $4.60 billion, a price-to-earnings ratio of 8.07, a PEG ratio of 1.43 and a beta of 0.91. Hospitality Properties Trust (NASDAQ:HPT) last announced its earnings results on Thursday, August 9th. The real estate investment trust reported $0.59 earnings per share (EPS) for the quarter, missing the consensus estimate of $1.07 by ($0.48). Hospitality Properties Trust had a net margin of 13.08% and a return on equity of 8.19%. The firm had revenue of $612.00 million for the quarter, compared to analyst estimates of $601.86 million. During the same period last year, the firm earned $0.37 earnings per share. Hospitality Properties Trust's revenue for the quarter was up 7.3% compared to the same quarter last year. sell-side analysts forecast that Hospitality Properties Trust will post 3.92 earnings per share for the current fiscal year. +The business also recently declared a quarterly dividend, which was paid on Thursday, August 16th. Stockholders of record on Monday, July 30th were paid a $0.53 dividend. This represents a $2.12 dividend on an annualized basis and a dividend yield of 7.36%. The ex-dividend date was Friday, July 27th. Hospitality Properties Trust's dividend payout ratio (DPR) is presently 59.38%. +Several brokerages have issued reports on HPT. TheStreet raised shares of Hospitality Properties Trust from a "c+" rating to a "b-" rating in a research note on Friday, May 25th. B. Riley boosted their target price on shares of Hospitality Properties Trust from $32.00 to $33.00 and gave the company a "buy" rating in a research note on Monday. ValuEngine raised shares of Hospitality Properties Trust from a "sell" rating to a "hold" rating in a research note on Wednesday. BidaskClub raised shares of Hospitality Properties Trust from a "hold" rating to a "buy" rating in a research note on Wednesday, June 27th. Finally, Zacks Investment Research raised shares of Hospitality Properties Trust from a "hold" rating to a "buy" rating and set a $29.00 target price on the stock in a research note on Thursday, May 10th. Six analysts have rated the stock with a hold rating and two have assigned a buy rating to the company. Hospitality Properties Trust has a consensus rating of "Hold" and an average target price of $29.83. +Hospitality Properties Trust Profile +Hospitality Properties Trust is a real estate investment trust, or REIT, which owns a diverse portfolio of hotels and travel centers located in 45 states, Puerto Rico and Canada. HPT's properties are operated under long term management or lease agreements. HPT is managed by the operating subsidiary of The RMR Group Inc (Nasdaq: RMR), an alternative asset management company that is headquartered in Newton, Massachusetts. +Featured Story: What does RSI mean? +Want to see what other hedge funds are holding HPT? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Hospitality Properties Trust (NASDAQ:HPT). Receive News & Ratings for Hospitality Properties Trust Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Hospitality Properties Trust and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test3450.txt b/input/test/Test3450.txt new file mode 100644 index 0000000..9321ab7 --- /dev/null +++ b/input/test/Test3450.txt @@ -0,0 +1,13 @@ +Gatsby is a static site generator for React and allows web developers to create a static HTML file. Thus it provides fast initial load times and makes dealing with SEO much simpler. The user-side experience is very comfortable when JavaScript is enabled, and you don't lose any content or navigation while having disabled JavaScript. By adding a single plugin, Gatsby can provide offline support as well, transforming your site into a Progressive Web Application. +The Purpose and Background of GatsbyJS Gatsby allows web developers to create static HTML files for every single page . Right after loading the page, Gatsby will boot up React and enable the user to navigate through the website just like a single page app. +It also supports web developers in using external sources such as Drupal CMS, Contentful, WordPress, as well as Stripe, Trello, Medium, MongoDB, and many others. If the data you require can be accessed via an API, you can write a Gatsby source plugin to consume it as well. All these assets can be used simultaneously. +"Gatsby can collate data from multiple sources which can then be queried by our templates. This is a significant difference when compared to most static site generators. Instead of only using Markdown files, I can now use any number of different data files locally," explains Ray Gesualdo . +Gatsby is a perfect solution for the developers that just started using React , but it also is a suitable tool for small and medium businesses, startups and self-employed professionals with limited budgets. Using Gatsby doesn't require a high-level experience with JS. +The First Steps in Using GatsbyJS The GatsbyJS community is becoming more and more vibrant since the tool is continues to find more widespread use. The creators of Gatsby arm users with an extremely friendly tutorial, available here . The installation of Gatsby takes literally a few seconds. +The Benefits of Using GatsbyJS First of all, Gatsby is fast . Gatsby's founder, Kyle Mathews performed a test comparing Instagram and Gatsbygram (Instagram's clone built using Gatsby v1) using a simulated 3G network and a Moto G4 smartphone. The median speed index score for Gatsbygram was 3151 vs. 8251 for Instagram. +Another value of this static site generator is its simplicity . Modern JavaScript websites are too complex to rely only on web developers always configuring things correctly. Gatsby simplifies website development by extracting configuration out of your site and moving it into the framework and community plugins. As a static site generator, Gatsby allows web developers with relatively little experience to create React-like apps. Currently, many developers use Gatsby to learn React. +As a multi-purpose solution, Gatsby is a counterpart for traditional static site generators such as Jekyll , Content Management Systems (CMSs) like WordPress, as well as site builders like Squarespace. The chart below details Gatsby's capabilities in comparison with an example from each above-mentioned category. +Summary GatsbyJS is an interesting alternative and an easy-to-use static web page generator , which has supporters among web developers of all experience levels. The community appreciates GatsbyJS for its speed, simplicity, and the large amount of tools that it can be used with. +It's a suitable tool for web developers at any skill level , as it provides educational value to the rookies as well as speeds up some of the work for more experienced web engineers. +Good luck, old sport! +* The source of all images features in the article can be found: https://www.gatsbyjs.org/features \ No newline at end of file diff --git a/input/test/Test3451.txt b/input/test/Test3451.txt new file mode 100644 index 0000000..00f2f9e --- /dev/null +++ b/input/test/Test3451.txt @@ -0,0 +1,4 @@ +Victoria Beckham 'vulnerable' after David Beckham cheating claims and split rumours +Doting brothers Romeo and Brooklyn also spent quality time with their little sister, posing for numerous snaps alongside the youngest Beckham member. +Making the most of their time away in paradise, the family visited Bali's famous tourist attractions, swam in crystal clear water and indulged in delicious food. +David and Victoria also appeared to make time for a date night, with the fashion designer revealing a bed with their initials on covered in rose petals on her social media account. Romeo Beckham posed with little sister Harper [Instagram] Romeo Beckham stands in front of the beautiful sunset [Instagram] Brooklyn Beckham made sure he didn't burn [Instagram] David Beckham spent quality time with his children [Instagram] Brooklyn Beckham strolled along with sister Harper [Instagram] Harper Beckham had braids put in her hair [Instagram] Victoria referred to Harper as 'Baby Spice' [Instagram] Victoria and David headed on a date night [Instagram] Harper Beckham looked adorable is a photo posted by mum Victoria [Instagram \ No newline at end of file diff --git a/input/test/Test3452.txt b/input/test/Test3452.txt new file mode 100644 index 0000000..ec641d9 --- /dev/null +++ b/input/test/Test3452.txt @@ -0,0 +1,12 @@ +By Linda Holmes • 1 hour ago L to R: Anna Cathcart, Janel Parrish, and Lana Condor play Kitty, Margot, and Lara Jean Covey in To All the Boys I've Loved Before . Netflix +Well, it's safe to say Netflix giveth and Netflix taketh away. +Only a week after the Grand Takething that was Insatiable , the streamer brings along To All The Boys I've Loved Before , a fizzy and endlessly charming adaptation of Jenny Han's YA romantic comedy novel. +In the film, we meet Lara Jean Covey (Lana Condor), who's in high school and is the middle sister in a tight group of three: There's also Margot, who's about to go to college abroad, and Kitty, a precocious (but not too precocious) tween. Unlike so many teen-girl protagonists who war with their sisters or don't understand them or barely tolerate them until the closing moments where a bond emerges, Lara Jean considers her sisters to be her closest confidantes — her closest allies. They live with their dad (John Corbett); their mom, who was Korean, died years ago, when Kitty was very little. +Lara Jean has long pined for the boy next door, Josh (Israel Broussard), who is Margot's boyfriend, and ... you know what? This is where it becomes a very well-done execution of romantic comedy tricks, and there's no point in giving away the whole game. Suffice it to say that a small box of love letters Lara Jean has written to boys she had crushes on manages to make it out into the world — not just her letter to Josh, but her letter to her ex-best-friend's boyfriend Peter (Noah Centineo), her letter to a boy she knew at model U.N., her letter to a boy from camp, and her letter to a boy who was kind to her at a dance once. +This kind of mishap only happens in romantic comedies (including those written by Shakespeare), as do stories where people pretend to date — which, spoiler alert, also happens in Lara Jean's journey. But there's a reason those things endure, and that's because when they're done well, they're as appealing as a solid murder mystery or a rousing action movie. +So much of the well-tempered rom-com comes down to casting, and Condor is a very, very good lead. She has just the right balance of surety and caution to play a girl who doesn't suffer from traditionally defined insecurity as much as a guarded tendency to keep her feelings to herself — except when she writes them down. She carries Han's portrayal of Lara Jean as funny and intelligent, both independent and attached to her family. +In a way, Centineo — who emerges as the male lead — has a harder job, because Peter isn't as inherently interesting as Lara Jean. Ultimately, he is The Boy, in the way so many films have The Girl, and it is not his story. But he is what The Boy in these stories must always be: He is transfixed by her, transparently, in just the right way. +There is something so wonderful about the able, loving, unapologetic crafting of a finely tuned genre piece. Perhaps a culinary metaphor will help: Consider the fact that you may have had many chocolate cakes in your life, most made with ingredients that include flour and sugar and butter and eggs, cocoa and vanilla and so forth. They all taste like chocolate cake. Most are not daring; the ones that are often seem like they're missing the point. But they deliver — some better than others, but all with similar aims — on the pleasures and the comforts and the pattern recognition in your brain that says "this is a chocolate cake, and that's something I like." +When crafting a romantic comedy, as when crafting a chocolate cake, the point is to respect and lovingly follow a tradition while bringing your own touches and your own interpretations to bear. Han's characters — via the Sofia Alvarez screenplay and Susan Johnson's direction — flesh out a rom-com that's sparkly and light as a feather, even as it brings along plenty of heart. +And yes, this is an Asian-American story by an Asian-American writer. It's emphatically true, and not reinforced often enough, that not every romantic comedy needs white characters and white actors. Anyone would be lucky to find a relatable figure in Lara Jean; it's even nicer that her family doesn't look like most of the ones on American English-language TV. +The film is precisely what it should be: pleasing and clever, comforting and fun and romantic. Just right for your Friday night, your Saturday afternoon, and many lazy layabout days to come. Copyright 2018 NPR. To see more, visit http://www.npr.org/. © 2018 KMU \ No newline at end of file diff --git a/input/test/Test3453.txt b/input/test/Test3453.txt new file mode 100644 index 0000000..e2ccabd --- /dev/null +++ b/input/test/Test3453.txt @@ -0,0 +1 @@ +Lata Mangeshkar dedicates unreleased poem to Vajpayee 15:31 IST File Photos Mumbai: Devastated by former Prime Minister Atal Bihari Vajpayee's death, Asia's nightingale Lata Mangeshkar who shared a very close bonding with him, dedicated an unreleased poem from Vajpayee's 'Antarnaad' album. Mangeshkar has sung six selected poems written by Vajpayee in the album. "I considered him as a father figure, and he treated me like his daughter. I used to address him as 'Dadda'. Today I feel the same loss and pain as I felt when my father had passed away," the Bharat Ratna singer said. "When I saw the glow on his face, his persuasive oratorical powers and his love for the arts, I was always reminded of my father (the legendary musician-stage actor Pandit Dinanath Mangeshkar). When I was a child many national leaders and politicians would visit my home. Vir Savarkar was one of them. Atalji reminded me of Vir Savarkar. He was a noble soul . No words of praise can do justice to him. Atalji was never short of words. But I am." Lataji gets pensive about her association with Atalaji. "He was very close to me, and I to him. When we Mangeshkars inaugurated a hospital in Pune in my name, I asked Atalji to do the inauguration. He happily agreed and gave a rousing speech -- as usual -- where he said he was in a dilemma as he thought naming a hospital after me was not right. There should be a music academy named after Lata Mangeshkar, not a hospital. Now what do I say? That people should fall sick so that this hospital named after my Beti would run?' His speeches were works of art. There is not one orator in Indian politics, or for that matter in India, to match Atalji." In 2014 Lataji had the rare privilege of doing an entire album of song devoted to Atalji's poems. Recalling the "unforgettable" experience, Lataji says: "I still remember the album was officially released in his home in Delhi. We had flown down for the occasion. All the poems in the album we entitled 'Antarnaad' were handpicked by me and my composer Mayuresh Pai. We then flew to Delhi to get his approval. When Atalji saw the poems we had selected he was very happy, specially with 'Geet naya gata hoon', which was among his personal favourites. "However there was some doubt over another poem 'Thann gayi maut se' which we had selected. Though Atalji himself loved the selection his (adopted) daughter and others close to him felt it was wrong of him to challenge death through poetry. So we decided to drop that poem. When we told Atalji of our decision he was very quiet then he said, if that's what everyone wants, then so be it." Lataji says she has seldom been more impressed by any other politician. "Atalji hriday se kavi the aur swabhav se sadhu (he was a poet at heart and a saint by nature). He was a visionary and India made rapid progress during his primeministership. I remember how much he did to improve relations with Pakistan. He started the bus service to Pakistan. And he was very keen that I be one of the first passengers in that journey to the other side of the border. He told me that people in Pakistan were as keen to hear me as people in India. But I didn't go. It was always hard to say no to Atalji. He was such a wonderful human being and great statesman." Lataji feels the nation has lost more than Bharat Ratna. "Dadda was man with a vision. He could see the future. His speeches were works of art. When he spoke, the nation listened. I still have his speeches on my mobile phone. I can listen to them for hours. In his going India has been orphaned. But then, if he was in so much pain it would've been selfish of us to hold him back. He is now relieved of all pain probably regaling the gods with his oration. \ No newline at end of file diff --git a/input/test/Test3454.txt b/input/test/Test3454.txt new file mode 100644 index 0000000..77d25e8 --- /dev/null +++ b/input/test/Test3454.txt @@ -0,0 +1 @@ +Schneider Electric launches app to boost digitization in F&B August 17 Share it With Friends Schneider Electric, a leader in digital transformation of energy management and automation, said it is accelerating digitisation in the food and beverage industry with a new application for managing product data. With evolving distribution systems and consumer needs, food and beverage manufacturers are looking for solutions to improve the organisation, management and security of their product data in a shared system. Schneider Electric is offering a new tool, PIM Powered by Agena3000, which is capable of centralising, standardising and distributing all updated product data with complete security, said a statement from the company. For this solution, Schneider Electric is drawing on the expertise of Agena3000, a French specialist in food and beverage product information management (PIM), it said. With the global trend for digitisation and growing consumer demand for trusted, transparent access to more relevant, reliable information on their choices, mass retailers and e-tailers are using innovative technologies, such as connected objects (IoT) and mobile apps, to meet their customers' needs. According to an IDC report published in 2017, the production of data should increase tenfold by 2024. Processing production, consumer and logistics data, and sending it to the right people is becoming a headache for manufacturers. They need to send this data in increasingly short deadlines, with near real-time becoming the norm in e-commerce. At its recent Innovation Summit which hosted more than 5,000 experts, customers and partners from all over the world at the Paris Expo Porte de Versailles, in France, Schneider Electric presented the latest innovations in its EcoStruxure IoT-enabled, plug and play, open, interoperable, architecture and platform, said a statement. Schneider Electric EcoStruxure delivers enhanced value around safety, reliability, efficiency, sustainability, and connectivity. It leverages advancements in IoT, mobility, sensing, cloud, analytics and cybersecurity to deliver innovation at every level, from connected products, edge control to apps, analytics and services, it said. Schneider Electric EcoStruxure has been deployed in 480,000+ installations, with the support of 20,000+ system integrators, connecting over 1.5 million assets. On this occasion, Schneider Electric also unveiled its new PIM Powered by Agena3000 app for reliable, efficient product information management. PIM Powered by Agena3000 will be part of EcoStruxure for food and beverage, it added. Benjamin Jude, food and beverage segment solution architect at Schneider Electric, said: "PIM is a system of reference that centralises all end-product data and makes it available to stakeholders internally and externally, from e-commerce platforms to stores." All the data handled by PIM Powered by Agena3000 will be constantly updated and comply with GS1, the global standard for encoding information produced by the food and beverage industry (product codes, ingredients, additives, consumer information, composition, allergens, etc.) adopted by all major retailers and e-tailers, it said. Stéphane Lopez, channel director at Agena300, said: "The GS1 standard is a mark of trust and security for distributors with which we bring our expertise in data standardisation and ensure updates, especially local adaptations of GS1 from one country to another." About Schneider Electric Schneider Electric is leading the Digital Transformation of Energy Management and Automation in Homes, Buildings, Data Centers, Infrastructure and Industries. With global presence in over 100 countries, Schneider is the undisputable leader in Power Management – Medium Voltage, Low Voltage and Secure Power, and in Automation Systems. We provide integrated efficiency solutions, combining energy, automation and software. In our global Ecosystem, we collaborate with the largest Partner, Integrator and Developer Community on our Open Platform to deliver real-time control and operational efficiency. We believe that great people and partners make Schneider a great company and that our commitment to Innovation, Diversity and Sustainability ensures that Life Is On everywhere, for everyone and at every moment. Media Contac \ No newline at end of file diff --git a/input/test/Test3455.txt b/input/test/Test3455.txt new file mode 100644 index 0000000..ca7af57 --- /dev/null +++ b/input/test/Test3455.txt @@ -0,0 +1,16 @@ +Federal Labor has confirmed a pledge to introduce a legal definition of casual employment, following a landmark Federal Court decision to grant a casual truck driver annual leave. +Tony Maher, national president of the Construction, Forestry, Mining, Maritime and Energy Union, supported Labor's plan to introduce a definition of casual employment in the Fair Work Act which was consistent with the Workpac v Skene decision and the common law definition of intermittent work. +Bill Shorten has pledged there will be no such thing as a permanent casual under a future Labor government. +Photo: Grant Wells The full federal Court on Thursday found Queensland truck driver Paul Skene was entitled to be paid accrued annual leave on termination of his employment. +A spokesman for Federal Labor MP Tanya Plibersek said Labor is clear it will "call time" on the exploitation of so-called 'permanent casuals'. +"In contrast, Malcolm Turnbull has denied the problem exists and has done nothing about it," he said. "Labor is carefully working through the Federal Court's decision and considering the implications." +Advertisement Labor Leader Bill Shorten has said there is there will be "no such thing" in a future Labor government, as a permanent casual. +"Once you've been in that job for a period of time, you are a permanent worker," he said. +The landmark ruling that has granted a casual worker annual leave entitlements sparked warnings from unions and employer groups that a clearer definition of casual employment is needed. +A spokesman for Workplace Minister Craig Laundy said he was "reviewing the decision carefully, including any broader implications". +Workplace Minister Craig Laundy +Photo: Louise Kennerley The full Federal Court of Australia found a truck driver employed at a Rio Tinto mine under a labour hire arrangement as a casual, was not a casual under employment law, because of his regular and continuous pattern of work. +Under the Fair Work Act national employment standards, a casual employee is not entitled to annual leave which permanent employees receive. The Act does not provide a definition of a casual employee. +Steve Knott, the Australian Mines and Metals Association said that an employee can seek and be awarded annual leave entitlements after knowingly accepting a higher rate of pay rate due to being casual, "massively fails the pub test," said Steve Knott, AMMA chief executive. +"Casual employees in Australia get paid extra loading in lieu of other entitlements including annual leave. This is widely understood and accepted by all Australians, from teenagers getting their first job at Coles or McDonalds to casual mining operators taking home some of the best hourly pay rates in the country." +"That a 68-page decision of the Full Federal Court can turn a simple concept like this on its head, shows how absurdly complex Australia's workplace relations legislative environment has become. \ No newline at end of file diff --git a/input/test/Test3456.txt b/input/test/Test3456.txt new file mode 100644 index 0000000..f3d8172 --- /dev/null +++ b/input/test/Test3456.txt @@ -0,0 +1 @@ +Teilen Drucken SINGAPORE , Aug. 17, 2018 /PRNewswire/ -- Singapore -based Cryptology Exchange has launched TomoChain (TOMO) and PolicyPal Network (PAL). The ERC20 tokens will be available on Cryptology Exchange for deposits from 17 August, Friday at 2pm (GMT+8). Trading and withdrawals will start from 21 August, Tuesday at 2pm (GMT+8). The trading pairs will be TOMO/BTC, TOMO/ETH, PAL/BTC, PAL/ETH. Mr Herbert Sim , CMO of Cryptology said, "We are pleased to announce the listing of TOMO and PAL, in a bid to bring in more trading options for our valued community. In the next few months, we will be adding in more trading pairs and announcing the listing of even more tokens." Earlier this month, Cryptology also announced a reduction of transaction fee from 0.2% to 0.02%, the lowest among cryptocurrency exchanges . Project listing on Cryptology is also free at the moment and subject to assessment by Cryptology Lab, Cryptology's research arm. Mr Sim added, "In the market right now, we see many cryptocurrency exchanges diversifying their services and launching many new initiatives. At Cryptology, our approach is different -- unlike typical crypto-to-crypto exchanges, we strive to simplify the process of token purchase. To do this we are offering a one-stop exchange that supports both tokens and fiat depositing and trading." Founder and CEO of PolicyPal Network , Val Ji -hsuan Yap said, "Security is one of the key factors we look out for in an exchange and we are glad that Cryptology Exchange is one of the exchanges that provide just that." Founder and CEO of Tomochain , Long Vuong added, "We will be able to avail ourselves further to the European community, with the availability of direct fiat-to-cryptocurrencies transactions. Through Cryptology exchange." Operating in both web version and mobile app -- Google Play and App Store , Cryptology aims to make fiat and cryptocurrency trading easy and secure, for newbies and experienced traders alike. Users can deposit fiat on Cryptology and start trading instantly via Mastercard and Visa transfer. This service is currently available for Europe , with plans for global expansion rolling out in the next few months. About Cryptology Headquartered in Singapore , Cryptology Exchange was established in August 2017 , with a mission to create an open �nancial system as well to provide a trustworthy, reliable and convenient service for all those looking ahead to the crypto future. As a not-for-profit and community-centric exchange, Cryptology advocates a low-fee model to give back to the users in a bid to support the growth of the cryptocurrency industry. For instance, deposit fee and project listing on Cryptology are free. Earlier this month, Cryptology has also announced a reduction of transaction fee from 0.2% to 0.02%, the lowest among cryptocurrency exchanges \ No newline at end of file diff --git a/input/test/Test3457.txt b/input/test/Test3457.txt new file mode 100644 index 0000000..f3885a7 --- /dev/null +++ b/input/test/Test3457.txt @@ -0,0 +1,10 @@ +Mastercard Incorporated (MA) Holder Obermeyer Wood Investment Counsel Lllp Has Lowered Its Holding by $12.08 Million + Clifton Ray +Investors sentiment decreased to 0.86 in Q1 2018. Its down 0.05, from 0.91 in 2017Q4. It dropped, as 47 investors sold MA shares while 533 reduced holdings. 121 funds opened positions while 378 raised stakes. 750.68 million shares or 1.84% less from 764.78 million shares in 2017Q4 were reported. Palisades Hudson Asset Management Limited Partnership invested in 1,717 shares. 2.95 million are held by Ny State Common Retirement Fund. Harris Associates Lp stated it has 3.29% in Mastercard Incorporated (NYSE:MA). Cap Fund Mgmt invested in 0.09% or 87,624 shares. Deutsche Financial Bank Ag reported 2.53 million shares. Bluemountain Capital Lc holds 69 shares or 0% of its portfolio. Cahill Fincl Advsrs stated it has 1,966 shares or 0.16% of all its holdings. Ycg Ltd Liability reported 198,830 shares. Samlyn Capital Ltd Llc accumulated 2.96% or 769,500 shares. Carnegie Asset Mgmt Ltd accumulated 1.66% or 102,566 shares. Cypress Gru invested in 23,619 shares or 0.87% of the stock. Thompson Davis & Inc owns 950 shares. Benjamin F Edwards And Co reported 10,900 shares or 0.19% of all its holdings. Federated Investors Incorporated Pa owns 767,139 shares or 0.39% of their US portfolio. 10,714 were accumulated by Cypress Asset Tx. +Since March 9, 2018, it had 0 insider purchases, and 7 insider sales for $56.62 million activity. 5,950 shares were sold by CARLUCCI DAVID R, worth $1.09M. $5.53M worth of Mastercard Incorporated (NYSE:MA) was sold by Murphy Timothy H on Monday, March 19. $692,252 worth of Mastercard Incorporated (NYSE:MA) shares were sold by Fraccaro Michael. On Thursday, May 3 the insider BANGA AJAY sold $44.45 million. 5,000 shares were sold by Haythornthwaite Richard, worth $866,104. +Obermeyer Wood Investment Counsel Lllp decreased its stake in Mastercard Incorporated (MA) by 16.55% based on its latest 2018Q1 regulatory filing with the SEC. Obermeyer Wood Investment Counsel Lllp sold 69,028 shares as the company's stock rose 7.48% while stock markets declined. The institutional investor held 348,102 shares of the business services company at the end of 2018Q1, valued at $60.97 million, down from 417,130 at the end of the previous reported quarter. Obermeyer Wood Investment Counsel Lllp who had been investing in Mastercard Incorporated for a number of months, seems to be less bullish one the $211.43 billion market cap company. The stock increased 1.68% or $3.36 $203.6. About 2.89M shares traded. Mastercard Incorporated (NYSE:MA) has risen 56.80% uptrending. It has outperformed by 44.23% the S&P500. +Obermeyer Wood Investment Counsel Lllp, which manages about $1.68B and $1.10B US Long portfolio, upped its stake in Ishares Tr (CSJ) by 93,908 shares to 104,306 shares, valued at $10.83 million in 2018Q1, according to the filing. +Analysts await Mastercard Incorporated (NYSE:MA) to report earnings on October, 30. They expect $1.67 earnings per share, up 24.63 % or $0.33 from last year's $1.34 per share. MA's profit will be $1.73B for 30.48 P/E if the $1.67 EPS becomes a reality. After $1.66 actual earnings per share reported by Mastercard Incorporated for the previous quarter, Wall Street now forecasts 0.60 % EPS growth. +More notable recent Mastercard Incorporated (NYSE:MA) news were published by: Seekingalpha.com which released: "Mastercard: Price Drop Irrational" on July 30, 2018, also Fool.com with their article: "Better Buy: PayPal Holdings, Inc. vs. Mastercard" published on August 15, 2018, Seekingalpha.com published: "Mastercard: It Will Keep Going Higher" on July 27, 2018. More interesting news about Mastercard Incorporated (NYSE:MA) were released by: Seekingalpha.com and their article: "Mastercard, Inc. 2018 Q2 – Results – Earnings Call Slides" published on July 26, 2018 as well as Seekingalpha.com 's news article titled: "Mastercard: Overpriced At Current Levels" with publication date: August 06, 2018. Mastercard Incorporated (NYSE:MA) Ratings Coverage +Among 13 analysts covering Mastercard ( NYSE:MA ), 12 have Buy rating, 0 Sell and 1 Hold. Therefore 92% are positive. Mastercard has $244 highest and $18700 lowest target. $219.09's average target is 7.61% above currents $203.6 stock price. Mastercard had 19 analyst reports since March 27, 2018 according to SRatingsIntel. The rating was maintained by Morgan Stanley on Thursday, May 3 with "Overweight". The company was maintained on Monday, April 23 by Susquehanna. JP Morgan maintained Mastercard Incorporated (NYSE:MA) on Friday, July 27 with "Overweight" rating. The stock of Mastercard Incorporated (NYSE:MA) earned "Buy" rating by Oppenheimer on Wednesday, May 2. Oppenheimer maintained the shares of MA in report on Wednesday, April 18 with "Buy" rating. The stock of Mastercard Incorporated (NYSE:MA) earned "Buy" rating by Buckingham Research on Friday, July 27. Raymond James maintained it with "Outperform" rating and $244 target in Tuesday, July 24 report. On Thursday, July 19 the stock rating was maintained by Morgan Stanley with "Overweight". Bank of America maintained Mastercard Incorporated (NYSE:MA) rating on Friday, May 4. Bank of America has "Buy" rating and $210 target. Wells Fargo maintained the shares of MA in report on Thursday, March 29 with "Buy" rating. +By1 Clifton Ra \ No newline at end of file diff --git a/input/test/Test3458.txt b/input/test/Test3458.txt new file mode 100644 index 0000000..3ef7ff9 --- /dev/null +++ b/input/test/Test3458.txt @@ -0,0 +1,2 @@ +RSS Micro SD Cards Market Trends by 2025: Top Players Like Sony, Toshiba, PNY Technologies, Lexar, SanDisk, Micron Technology The Micro SD Cards market report defines all important industrial or business terminologies. Industry experts have made a conscious effort to describe various aspects such as market size, share and growth rate. Apart from this, the valuable document weighs upon the performance of the industry on the basis of a product service, end-use, geography and end customer. +New York, NY -- ( SBWIRE ) -- 08/17/2018 -- Top key vendors in Micro SD Cards Market include are SanDisk, Transcend Information, ADATA Technologies, Panasonic, Kingston Technology, Micron Technology, Sony, Samsung Electronics, Toshiba, PNY Technologies, Lexar. You Can Download FREE Sample Brochure @ https://www.marketexpertz.com/sample-enquiry-form/14812 The recent report, Micro SD Cards market fundamentally discovers insights that enable stakeholders, business owners and field marketing executives to make effective investment decisions driven by facts – rather than guesswork. The study aims at listening, analyzing and delivering actionable data on the competitive landscape to meet the unique requirements of the companies and individuals operating in the Micro SD Cards market for the forecast period, 2018 to 2025. To enable firms to understand the Micro SD Cards industry in various ways the report thoroughly assesses the share, size and growth rate of the business worldwide. The study explores what the future Micro SD Cards market will look like. Most importantly, the research familiarizes product owners with whom the immediate competitors are and what buyers expect and what are the effective business strategies adopted by prominent leaders. To help both established companies and new entrants not only see the disruption but also see opportunities. In-depth exploration of how the industry behaves, including assessment of government bodies, financial organization and other regulatory bodies. Beginning with a macroeconomic outlook, the study drills deep into the sub-categories of the industry and evaluation of the trends influencing the business. Purchase Micro SD Cards Market Research Report@ https://www.marketexpertz.com/checkout-form/14812 On the basis of the end users/applications, this report focuses on the status and outlook for major applications/end users, consumption (sales), market share and growth rate for each application, including - Mobile Phon \ No newline at end of file diff --git a/input/test/Test3459.txt b/input/test/Test3459.txt new file mode 100644 index 0000000..cd620dc --- /dev/null +++ b/input/test/Test3459.txt @@ -0,0 +1 @@ +1 Occupational Cancer Research Centre , Cancer Care Ontario , Toronto , Ontario , Canada 2 Department of Epidemiology, Biostatistics and Occupational Health , McGill University , Montreal , Quebec , Canada 3 CAREX Canada , Simon Fraser University , Burnaby , British Columbia , Canada 4 Department of Cancer Epidemiology and Prevention Research , Alberta Health Services , Calgary , Alberta , Canada 5 Dalla Lana School of Public Health , University of Toronto , Toronto , Ontario , Canada 6 Chemical and Biological Hazards Prevention , Institut de recherche Robert-Sauvé en santé et en sécurité du travail du Québec (IRSST) , Montreal , Quebec , Canada 7 Département de santé environnementale et santé au travail , Université de Montréal , Montreal , Quebec , Canada 8 Institute for Risk Assessment Sciences , Universiteit Utrecht , Utrecht , The Netherlands 9 School of Population and Public Health , University of British Columbia , Vancouver , British Columbia , Canada 10 Faculty of Health Sciences , Simon Fraser University , Burnaby , British Columbia , Canada Correspondence to Dr Paul A Demers; Paul.Demers{at}cancercare.on.ca Abstract Objective To estimate the population attributable fraction (PAF) and number of incident and fatal lung cancers in Canada from occupational exposure to diesel engine exhaust (DEE). Methods DEE exposure prevalence and level estimates were used with Canadian Census and Labour Force Survey data to model the exposed population across the risk exposure period (REP, 1961–2001). Relative risks of lung cancer were calculated based on a meta-regression selected from the literature. PAFs were calculated using Levin's equation and applied to the 2011 lung cancer statistics obtained from the Canadian Cancer Registry. Results We estimated that 2.4% (95% CI 1.6% to 6.6%) of lung cancers in Canada are attributable to occupational DEE exposure, corresponding to approximately 560 (95% CI 380 to 1570) incident and 460 (95% CI 310 to 1270) fatal lung cancers in 2011. Overall, 1.6 million individuals alive in 2011 were occupationally exposed to DEE during the REP, 97% of whom were male. Occupations with the highest burden were underground miners, truck drivers and mechanics. Half of the attributable lung cancers occurred among workers with low exposure. Conclusions This is the first study to quantify the burden of lung cancer attributable to occupational DEE exposure in Canada. Our results underscore a large potential for prevention, and a large public health impact from occupational exposure to low levels of DEE. lung cance \ No newline at end of file diff --git a/input/test/Test346.txt b/input/test/Test346.txt new file mode 100644 index 0000000..02418d2 --- /dev/null +++ b/input/test/Test346.txt @@ -0,0 +1,24 @@ +The early signs suggest it will take Emery time to stem years of decline towards the end of Wenger's reign. (Photo: AFP) London: Chelsea and Arsenal's new regimes under Maurizio Sarri and Unai Emery got off to contrasting Premier League starts, but Saturday's clash between the two will provide a truer test of where the London rivals stand. +Failure to qualify for this season's Champions League provoked big changes at both clubs. +But while Chelsea are used to the upheaval of coaches coming and going under Roman Abramovich, Arsenal are still settling into Emery's new era after 22 years with Arsene Wenger in charge. +The early signs suggest it will take Emery time to stem years of decline towards the end of Wenger's reign. +However, the Spaniard had the misfortune to face champions Manchester City on his Premier League debut as Arsenal were outclassed in a 2-0 defeat on home soil last weekend. +Sarri has also insisted it will take at least two months to implement the free-flowing attacking style that made him a coach in demand at Napoli. +But, despite a disrupted pre-season due to his late arrival at Stamford Bridge to replace Antonio Conte, the departure of Thibaut Courtois and speculation over a host of other key players, Chelsea were too good for Huddersfield in an opening day 3-0 win. +There were already clear hallmarks of Sarri's influence as Jorginho, who followed his boss from Napoli to Chelsea in the summer, controlled the midfield. +Chelsea are likely to be even stronger this weekend as Eden Hazard could return to the starting line-up after he shone in a 15-minute cameo at Huddersfield following his World Cup exertions with Belgium. +Conte won just one of eight meetings with Arsenal in two seasons in charge. A quick reversal of fortunes this weekend would suggest Sarri is headed in the right direction. +Spurs' home from home +After failing to sign a single player in the transfer window, Tottenham's poor month off the field continued with the news this week that the club's new stadium won't be ready until at least October. +That means Mauricio Pochettino's men will play their first three home games of the season at Wembley, starting with the visit of Fulham on Saturday. +Pochettino has vowed to deliver wins for fans frustrated by the delay. +And more fixtures at the home of English football might not be a handicap on Spurs' ambitions. After failing to win any of their first three home games last season, Tottenham won 13 of the next 16 Premier League games at Wembley once they adjusted to their new surroundings. +Time for City's squad to shine +City's victory at Arsenal without ever hitting top gear last weekend was ominous for the challengers trying to stop Pep Guardiola's men becoming the first side in a decade to retain the title. +But City were dealt a huge blow when Kevin De Bruyne suffered a serious knee injury in training on Wednesday, expected to keep the Belgian sidelined for at least two months. +If any squad is equipped to deal without a world class talent like De Bruyne, it is probably the one at Guardiola's disposal. +Bernardo Silva starred against Arsenal and Chelsea in the Community Shield from a more central role with new signing Riyad Mahrez starting on the right. +David Silva is yet to play a minute this season and 18-year-old Phil Foden has been tipped by Kyle Walker to take his chance in De Bruyne's absence. +"We don't just rely on one player. It's a team game and whoever steps in will do well," said Walker. "Obviously, it's a big loss but we've got more than enough cover." +Life without De Bruyne begins at home to Huddersfield on Sunday. +end-o \ No newline at end of file diff --git a/input/test/Test3460.txt b/input/test/Test3460.txt new file mode 100644 index 0000000..dc0207c --- /dev/null +++ b/input/test/Test3460.txt @@ -0,0 +1,12 @@ +By Linda Holmes • 1 hour ago L to R: Anna Cathcart, Janel Parrish, and Lana Condor play Kitty, Margot, and Lara Jean Covey in To All the Boys I've Loved Before . Netflix +Well, it's safe to say Netflix giveth and Netflix taketh away. +Only a week after the Grand Takething that was Insatiable , the streamer brings along To All The Boys I've Loved Before , a fizzy and endlessly charming adaptation of Jenny Han's YA romantic comedy novel. +In the film, we meet Lara Jean Covey (Lana Condor), who's in high school and is the middle sister in a tight group of three: There's also Margot, who's about to go to college abroad, and Kitty, a precocious (but not too precocious) tween. Unlike so many teen-girl protagonists who war with their sisters or don't understand them or barely tolerate them until the closing moments where a bond emerges, Lara Jean considers her sisters to be her closest confidantes — her closest allies. They live with their dad (John Corbett); their mom, who was Korean, died years ago, when Kitty was very little. +Lara Jean has long pined for the boy next door, Josh (Israel Broussard), who is Margot's boyfriend, and ... you know what? This is where it becomes a very well-done execution of romantic comedy tricks, and there's no point in giving away the whole game. Suffice it to say that a small box of love letters Lara Jean has written to boys she had crushes on manages to make it out into the world — not just her letter to Josh, but her letter to her ex-best-friend's boyfriend Peter (Noah Centineo), her letter to a boy she knew at model U.N., her letter to a boy from camp, and her letter to a boy who was kind to her at a dance once. +This kind of mishap only happens in romantic comedies (including those written by Shakespeare), as do stories where people pretend to date — which, spoiler alert, also happens in Lara Jean's journey. But there's a reason those things endure, and that's because when they're done well, they're as appealing as a solid murder mystery or a rousing action movie. +So much of the well-tempered rom-com comes down to casting, and Condor is a very, very good lead. She has just the right balance of surety and caution to play a girl who doesn't suffer from traditionally defined insecurity as much as a guarded tendency to keep her feelings to herself — except when she writes them down. She carries Han's portrayal of Lara Jean as funny and intelligent, both independent and attached to her family. +In a way, Centineo — who emerges as the male lead — has a harder job, because Peter isn't as inherently interesting as Lara Jean. Ultimately, he is The Boy, in the way so many films have The Girl, and it is not his story. But he is what The Boy in these stories must always be: He is transfixed by her, transparently, in just the right way. +There is something so wonderful about the able, loving, unapologetic crafting of a finely tuned genre piece. Perhaps a culinary metaphor will help: Consider the fact that you may have had many chocolate cakes in your life, most made with ingredients that include flour and sugar and butter and eggs, cocoa and vanilla and so forth. They all taste like chocolate cake. Most are not daring; the ones that are often seem like they're missing the point. But they deliver — some better than others, but all with similar aims — on the pleasures and the comforts and the pattern recognition in your brain that says "this is a chocolate cake, and that's something I like." +When crafting a romantic comedy, as when crafting a chocolate cake, the point is to respect and lovingly follow a tradition while bringing your own touches and your own interpretations to bear. Han's characters — via the Sofia Alvarez screenplay and Susan Johnson's direction — flesh out a rom-com that's sparkly and light as a feather, even as it brings along plenty of heart. +And yes, this is an Asian-American story by an Asian-American writer. It's emphatically true, and not reinforced often enough, that not every romantic comedy needs white characters and white actors. Anyone would be lucky to find a relatable figure in Lara Jean; it's even nicer that her family doesn't look like most of the ones on American English-language TV. +The film is precisely what it should be: pleasing and clever, comforting and fun and romantic. Just right for your Friday night, your Saturday afternoon, and many lazy layabout days to come. Copyright 2018 NPR. To see more, visit http://www.npr.org/ \ No newline at end of file diff --git a/input/test/Test3461.txt b/input/test/Test3461.txt new file mode 100644 index 0000000..42b15c4 --- /dev/null +++ b/input/test/Test3461.txt @@ -0,0 +1,8 @@ +Search for: Mitomycin C Market Global Research 2018- Kyowa-kirin, Intas Pharmaceuticals, Aspen and Bristol-Myers Squibb +Global Mitomycin C Market research report insight provides the crucial projections of the market. It also serves a Mitomycin C correct calculation regarding the futuristic development depending on the past data and present situation of Mitomycin C industry status. The report analyses the Mitomycin C principals, participants, Mitomycin C geological areas, product type, and Mitomycin C end-users applications. The worldwide Mitomycin C industry report provides necessary and auxiliary data which is represents as Mitomycin C pie-charts, tables, systematic overview, and product diagrams. The Mitomycin C report is introduced adequately, that includes fundamental patois, vital review, understandings, and Mitomycin C certain aspects according to commiseration and cognizance. +Global Mitomycin C industry Report insistence on the overall data relevant to the Mitomycin C market. It includes most of the Mitomycin C queries related to the market value, environmental analysis, Mitomycin C advanced techniques, latest developments, Mitomycin C business strategies and current trends. While preparing the Mitomycin C report various aspects like market dynamics, stats, prospects and worldwide Mitomycin C market volume are taken into consideration. The global Mitomycin C market report evaluates an detailed analysis of the thorough data. Our experts ensure Mitomycin C report readers including the Mitomycin C manufacturers, investors find it simple and easy to understand the ongoing scenario of the Mitomycin C industry. +To Access PDF Sample Report, Click Here: https://market.biz/report/global-mitomycin-c-market-icrw/134243/#request-sample +Global Mitomycin C contains important points to offer a cumulative database of Mitomycin C industry like supply-demand ratio, Mitomycin C market frequency, dominant players of Mitomycin C market, driving factors, restraints, and challenges. The world Mitomycin C market report highlighted on the market revenue, sales, Mitomycin C production and manufacturing cost, that defines the competing point in gaining the idea of the Mitomycin C market share. Together with CAGR value over the forecast period 2018 to 2023, Mitomycin C financial problems and economical background over the globe. This Mitomycin C market report has performed SWOT analysis on the Mitomycin C leading manufacturing companies to accomplish their strength, opportunities, weaknesses, and risks. Segmentation of Global Mitomycin C Market Manufacturer Intas Pharmaceuticals, APOGEPHA, Kyowa-kirin, Teva, Alkem Laboratories, Varifarma, Bristol-Myers Squibb, Aspen and Speciality European Pharma Types 40 Mg, 2 Mg and 10 Mg Applications Cancer Treatment and Ophthalmic Use Regions Europe, Japan, USA, China, India and South East Asia +In a chapter-wise format inclusive of statistics and graphical representation, the Mitomycin C report explains the current market dynamics and the distinctive factors likely to affect the Mitomycin C market over the forecast period. The research draws attention to correct past Mitomycin C information and how the market has developed in the past few years to gain the present demography. Leading Mitomycin C players operating in the market are profiled broadly in the report. The shares of Mitomycin C top competitors are analyzed respectively to check the competitive landscape and measure the complete size of the global Mitomycin C market. The worldwide Mitomycin C industry was valued at US$ XX Mn in 2018 and is witnessed to hit US$ XX Mn between 2018 to 2023 with significant CAGR of XX%. +To Enquire About This Comprehensive Report, Click Here: https://market.biz/report/global-mitomycin-c-market-icrw/134243/#inquiry Important Points Of The Mitomycin C Industry Report: —Mitomycin C market report highlighted on the points related to historic, current and future prospects related to growth, sales volume, and Mitomycin C market share globally. —Mitomycin C Product specification, the report scope , and Mitomycin C market upcoming trends. —It provides all the key factors related to the Mitomycin C market growth, such as drivers, constraints, opportunities, and risks in the competitive Mitomycin C market. —Mitomycin C market reports offers an complete description of the emerging and current Mitomycin C market players. +The Mitomycin C market accomplish the future outlook of the market growth by comparing the previous and present data gathered by research analyst, through primary and secondary discoveries \ No newline at end of file diff --git a/input/test/Test3462.txt b/input/test/Test3462.txt new file mode 100644 index 0000000..e07ef26 --- /dev/null +++ b/input/test/Test3462.txt @@ -0,0 +1 @@ +Blocked Unblock Follow Following Passionate about combining IoT and mobile technologies with science to improve people's lives. Head of Marketing Fertility @Clearblue @P&G JV @GlobalShapers Aug 13 How to use Artificial Intelligence to boost your image How many times have you looked at your profile picture in LinkedIn and asked yourself, "What does this picture communicate about me?" "Is this the best profile picture of me?", and again "What is my best profile picture for Facebook and for my next post on Instagram?" "What do people think about me?" First — relax. You are not the only one asking yourself this kind of question. Social media and new technologies have transformed personal branding and made it part of our daily life. When Apple introduced the first front-facing camera in 2010 with the iPhone 4, nobody expected that the selfie trend would change our social life so much: a survey from Luster Premium White determined that young adults will take more than 25,000 pictures of themselves during their lifetimes. From such a huge quantity of pictures taken, how can you select the best picture to use on your social media? And what does it communicate? Second — allow technology to help you. Artificial intelligence can reveal the secrets behind your picture — and what people think about you. Cloud Vision API by Google © Giulia Zanzi, 2018 I can just see your grimace. Artificial intelligence might seem something very complex and far from our daily life. But it's not. So let's take a step back. What is artificial intelligence, often abbreviated to AI? Professor Malone , founding director of the MIT Center for Collective Intelligence , defines AI intuitively as "machines acting in ways that seem intelligent". We use artificial intelligence every day when searching for information on Google or checking our Facebook wall — machines are working to deliver a better result, in line with our interests. So why shouldn't we actively leverage AI in our daily life? How can AI help us to select our best picture and to boost our personal branding? Three tips for using AI to boost your image: 1. Test. There are free computer vision APIs that you can use very easily. I would recommend trying Amazon Web Service Image Rekognition; AWS is always at the top of the cloud business (source: RightScale 2018 State of the cloud report ), so it's a good idea to start your learning journey with the market leader. You simply provide an image or video to the AWS Rekognition API, and the service can provide highly accurate facial analysis and facial recognition on images. You can detect, analyze, and compare faces for a wide variety of user verification, people-counting, and public safety uses. I find the age estimation especially amusing. While far from accurate (of course, I look much younger than that!), it still gives you a good sense of what AI will read into your image; keep in mind that APIs are improving day by day, so they will be very accurate soon. Anyway, aren't you interested to know the age estimate that the automated HR machine screening your CV for your dream job will assign you? 2. Focus. The rules of marketing don't change, but are just amplified by AI. Think about your audience. Think about the environment you are in. A picture with your trendy flipflops at the beach might not be the best profile picture for LinkedIn. What are the three top messages that you would like your LinkedIn picture to communicate? Google Cloud Vision API provides powerful image analytic capabilities as easy-to-use APIs, and it can detect and extract information about entities within an image across a broad range of categories. Google has a function called "Label Detection" that helps you to objectively understand what the main take-aways are from looking at your picture. 3. Be yourself. "There is only one you for all time. Fearlessly be yourself," as Anthony Rapp said. Be yourself, and be yourself consistently. If you think of yourself as a brand, it's crucial that people recognize a branded product easily. How quickly do you recognize the iconic Coca-Cola bottle shape? How quickly will a hurried Instagram user recognize your face while scanning his stories? You can use CompareFaces API from AWS, which compares the new image and the reference image, returning you a similarity score. These are just some first easy examples of what AI can do to help you select your best pictures for your social media, but that's just the beginning. Are you curious to find out what artificial intelligence thinks of your profile picture? Leave a comment below or send me a private message; I'll select three contacts to run computer vision APIs on your personal picture. About the Author: Giulia Zanzi is passionate about combining IoT and mobile technologies with science to improve people's lives. As Head of Marketing Fertility in Swiss Precision Diagnostics , a Procter & Gamble JV, she led the launch of the first Connected Ovulation Test System that helps women to get pregnant faster by detecting two hormones and syncing with their phone. A former member of the European Youth Parliament , Giulia is currently serving on the Advisory Council of the World Economic Forum Global Shapers and she is a Lean In Partner Champion. Giulia graduated with honors at Bocconi University in Milan and holds a Masters at Fudan University in Shanghai \ No newline at end of file diff --git a/input/test/Test3463.txt b/input/test/Test3463.txt new file mode 100644 index 0000000..8806fee --- /dev/null +++ b/input/test/Test3463.txt @@ -0,0 +1,8 @@ +Tweet +ViaSat (NASDAQ:VSAT) had its price target cut by Needham & Company LLC from $74.00 to $70.00 in a report issued on Monday. They currently have a buy rating on the communications equipment provider's stock. +Other equities analysts have also issued research reports about the stock. BidaskClub raised shares of ViaSat from a hold rating to a buy rating in a report on Tuesday, July 10th. ValuEngine raised shares of ViaSat from a hold rating to a buy rating in a report on Friday, July 6th. William Blair reaffirmed a buy rating on shares of ViaSat in a research note on Saturday, June 2nd. TheStreet raised shares of ViaSat from a d+ rating to a c- rating in a research note on Thursday, July 19th. Finally, Wells Fargo & Co reduced their target price on shares of ViaSat to $84.00 and set an outperform rating for the company in a research note on Friday, May 25th. Two equities research analysts have rated the stock with a sell rating, four have issued a hold rating and six have assigned a buy rating to the stock. The stock currently has a consensus rating of Hold and a consensus target price of $70.33. Get ViaSat alerts: +Shares of VSAT stock opened at $64.05 on Monday. ViaSat has a 12-month low of $58.62 and a 12-month high of $80.26. The firm has a market capitalization of $3.54 billion, a PE ratio of -74.48 and a beta of 0.88. The company has a debt-to-equity ratio of 0.57, a current ratio of 1.37 and a quick ratio of 0.88. ViaSat (NASDAQ:VSAT) last announced its quarterly earnings results on Thursday, August 9th. The communications equipment provider reported ($0.57) earnings per share (EPS) for the quarter, missing the consensus estimate of ($0.50) by ($0.07). ViaSat had a negative net margin of 5.58% and a negative return on equity of 3.97%. The firm had revenue of $438.90 million during the quarter, compared to analyst estimates of $429.75 million. During the same period last year, the firm earned $0.04 EPS. ViaSat's quarterly revenue was up 15.5% on a year-over-year basis. equities analysts expect that ViaSat will post -1.36 EPS for the current fiscal year. +In related news, VP Robert James Blair sold 5,217 shares of the company's stock in a transaction on Friday, June 8th. The shares were sold at an average price of $63.62, for a total value of $331,905.54. Following the completion of the transaction, the vice president now directly owns 11,640 shares of the company's stock, valued at approximately $740,536.80. The sale was disclosed in a document filed with the SEC, which is available through the SEC website . Also, EVP Keven K. Lippert sold 4,000 shares of the company's stock in a transaction on Tuesday, June 12th. The stock was sold at an average price of $62.31, for a total transaction of $249,240.00. Following the completion of the transaction, the executive vice president now directly owns 1,693 shares of the company's stock, valued at $105,490.83. The disclosure for this sale can be found here . Over the last ninety days, insiders sold 47,594 shares of company stock valued at $3,156,451. Company insiders own 8.10% of the company's stock. +A number of hedge funds and other institutional investors have recently made changes to their positions in VSAT. Sylebra HK Co Ltd boosted its stake in ViaSat by 158.6% in the 2nd quarter. Sylebra HK Co Ltd now owns 1,304,806 shares of the communications equipment provider's stock worth $85,752,000 after purchasing an additional 800,248 shares during the period. Fiduciary Management Inc. WI lifted its position in ViaSat by 27.4% during the 1st quarter. Fiduciary Management Inc. WI now owns 1,157,779 shares of the communications equipment provider's stock worth $76,089,000 after buying an additional 248,804 shares in the last quarter. BlackRock Inc. lifted its position in ViaSat by 4.1% during the 1st quarter. BlackRock Inc. now owns 5,968,682 shares of the communications equipment provider's stock worth $392,261,000 after buying an additional 236,104 shares in the last quarter. Dimensional Fund Advisors LP lifted its position in ViaSat by 16.6% during the 2nd quarter. Dimensional Fund Advisors LP now owns 820,464 shares of the communications equipment provider's stock worth $53,921,000 after buying an additional 116,824 shares in the last quarter. Finally, Her Majesty the Queen in Right of the Province of Alberta as represented by Alberta Investment Management Corp bought a new stake in ViaSat during the 1st quarter worth about $5,455,000. +About ViaSat +Viasat, Inc provides broadband and communications products and services worldwide. The company's Satellite Services segment offers satellite-based fixed broadband services, including broadband Internet access and voice over Internet protocol services to consumers and businesses; in-flight Internet and aviation software services to commercial airlines; and mobile broadband services comprising network management and high-speed Internet connectivity services for customers using airborne, maritime, and ground mobile satellite systems. Receive News & Ratings for ViaSat Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for ViaSat and related companies with MarketBeat.com's FREE daily email newsletter . Comment on this Pos \ No newline at end of file diff --git a/input/test/Test3464.txt b/input/test/Test3464.txt new file mode 100644 index 0000000..6ea0ccc --- /dev/null +++ b/input/test/Test3464.txt @@ -0,0 +1,15 @@ +Congress plenary session: Manmohan Singh's silence has done what BJP's uproar failed to do, says Sidhu +Many Pakistanis heartily welcomed Indian cricketer-turned-politician Navjot Singh Sidhu to their country on Twitter, only to realise that the tweet had come from an account that wasn't the Punjab Minister's. Reports said that Sidhu is expected to arrive in Pakistan on Friday for Imran Khan 's swearing-in on Saturday. +After Khan secured the most seats in the Pakistan general elections, he extended invitations to multiple Indian cricketers to attend his swearing-in ceremony. Sidhu had, in August, accepted the invitation, while others like Sunil Gavaskar and Kapil Dev chose not to attend. +On Friday, a parody account (@NavjotSingh_1) tweeted, "Leaving home to visit Pakistan. I'm very excited to see Imran Khan and I am very lucky that Imran Khan called me. [sic]". It's not entirely surprising that people were fooled by the tweet since Sidhu had earlier termed it a "great honour" to be invited, and said the Pakistan prime minister-in-waiting was a "man of character. There has been no tweet from Sidhu's actual handle (@sherryontopp) since January 2017. Leaving home to visit pakistan I'm very excited to see Imran Khan and i am very lucky that Imran Khan called me. +— Navjot Singh Sidhu (@NavjotSingh_1) August 17, 2018 +The tweet got a lot of attention online and many from across the border thanked him for visiting, and promised him great hospitality. Warm Welcome To Naya Pakistan #PrimeMinisterImranKhan +— Engr.AFTAB AFRIDI (@aftabaftab) August 17, 2018 You are warmly welcome Paaji, thanks for coming to Pakistan. +— Engineer Nadeem (@EngrNadeemktk) August 17, 2018 Oye Islamabadio and Lahorio!! Foran se Airport pohoncho, Sidhu Payn ko Welcome Karne.. Shaba.. +— Moez Abdullah Khan (PM Imran Khan) (@Za_Yam_Khan) August 17, 2018 you are Welcomed sir, we are thankful to you ! +— jan muhammad (@journalistjan81) August 17, 2018 Only brave son to take a manly decision to visit Pakistan. Sardar Ji chah gye ho tussi +— Ali Shahrukh (@ialishahrukh) August 17, 2018 A warm welcome from land of love to u Sidhu paa g +— Imran Ali Shehzad (@imranalishehzad) August 17, 2018 Well come to the land of hospitality +— Arbaz khan mehsood (@Hussain15422928) August 17, 2018 You welcome pa jee we are waiting patiently. Rab Rakha +— Ali Arain (@PtiTeamUK) August 17, 2018 Well come to pak +— Dr Sajjad Ahmad (@DrSajjadAhmd) August 17, 2018 Welcome to pakistan respect from all pakistani \ No newline at end of file diff --git a/input/test/Test3465.txt b/input/test/Test3465.txt new file mode 100644 index 0000000..266ffee --- /dev/null +++ b/input/test/Test3465.txt @@ -0,0 +1,9 @@ +Shareholders can safely expect $0.15 dividends by Aug 31, 2018, from Allison Transmission Holdings Inc (NYSE:ALSN). + Vivian Currie +Investors sentiment decreased to 1.01 in Q1 2018. Its down 0.09, from 1.1 in 2017Q4. It dropped, as 37 investors sold Allison Transmission Holdings, Inc. shares while 90 reduced holdings. 38 funds opened positions while 90 raised stakes. 133.54 million shares or 10.50% less from 149.21 million shares in 2017Q4 were reported. Scout Inc owns 282,752 shares. Peak6 Lp accumulated 0% or 18,232 shares. Schwab Charles Investment stated it has 0.05% of its portfolio in Allison Transmission Holdings, Inc. (NYSE:ALSN). Pub Employees Retirement Systems Of Ohio reported 0.01% of its portfolio in Allison Transmission Holdings, Inc. (NYSE:ALSN). Moreover, Vanguard has 0.02% invested in Allison Transmission Holdings, Inc. (NYSE:ALSN). Gam Ag stated it has 0.03% of its portfolio in Allison Transmission Holdings, Inc. (NYSE:ALSN). Art Limited Liability, New York-based fund reported 26,800 shares. Omers Administration Corporation owns 0.06% invested in Allison Transmission Holdings, Inc. (NYSE:ALSN) for 159,900 shares. Moreover, Hudock Group Ltd Liability has 0.01% invested in Allison Transmission Holdings, Inc. (NYSE:ALSN). Los Angeles Mgmt & Equity Research Incorporated has 337,127 shares. Convergence Investment Prns stated it has 47,877 shares or 0.24% of all its holdings. Burney Company has 82,521 shares. Principal Group Incorporated holds 0% or 53,344 shares in its portfolio. The New York-based Neuberger Berman Group Inc Ltd Liability has invested 0.05% in Allison Transmission Holdings, Inc. (NYSE:ALSN). Jennison Limited Liability stated it has 2.38M shares or 0.09% of all its holdings. +Since April 13, 2018, it had 0 buys, and 4 insider sales for $22.61 million activity. +Allison Transmission Holdings Inc (NYSE:ALSN) is expected to pay $0.15 on Aug 31, 2018. Shareholders owning the stock before Aug 17, 2018 will be eligible to receive the payout. Based on Allison Transmission Holdings Inc's current price of $46.94, the dividend is 0.32 %. This dividend's record date is Aug 20, 2018 and the announcement date is Jul 23, 2018. The stock increased 1.16% or $0.54 $46.94. About 926,242 shares traded. Allison Transmission Holdings, Inc. (NYSE:ALSN) has risen 11.15% uptrending. It has underperformed by 1.42% the S&P500. +Allison Transmission Holdings, Inc., together with its subsidiaries, designs, makes, and sells commercial and defense fully-automatic transmissions for medium- and heavy-duty commercial vehicles, and medium- and heavy-tactical U.S. defense vehicles. The company has market cap of $6.12 billion. It offers 13 transmission product lines with approximately 100 product models for various applications, including distribution, refuse, construction, fire, and emergency on-highway trucks; school, transit, and hybrid-transit buses; motor homes; energy, mining, and construction off-highway vehicles and equipment; and wheeled and tracked defense vehicles. It has a 10.18 P/E ratio. The firm markets its transmissions under Allison Transmission brand name; and remanufactured transmissions under ReTran brand name. Allison Transmission Holdings, Inc. (NYSE:ALSN) Ratings Coverage +Among 4 analysts covering Allison Transmission ( NYSE:ALSN ), 3 have Buy rating, 0 Sell and 1 Hold. Therefore 75% are positive. Allison Transmission has $56 highest and $44 lowest target. $51.75's average target is 10.25% above currents $46.94 stock price. Allison Transmission had 7 analyst reports since May 1, 2018 according to SRatingsIntel. The firm earned "Buy" rating on Wednesday, May 2 by Stifel Nicolaus. The rating was maintained by Credit Suisse with "Outperform" on Wednesday, August 1. Credit Suisse maintained it with "Outperform" rating and $48 target in Wednesday, May 2 report. On Tuesday, July 31 the stock rating was maintained by Bank of America with "Neutral". The stock of Allison Transmission Holdings, Inc. (NYSE:ALSN) has "Neutral"rating given on Tuesday, May 1 by Bank of America. The stock of Allison Transmission Holdings, Inc. (NYSE:ALSN) has "Buy" rating given on Wednesday, August 1 by Stifel Nicolaus. +More news for Allison Transmission Holdings, Inc. (NYSE:ALSN) were recently published by: Seekingalpha.com , which released: "Auto supplier sector on watch" on July 25, 2018. Seekingalpha.com 's article titled: "Allison Transmission 2018 Q2 – Results – Earnings Call Slides" and published on July 31, 2018 is yet another important article. +By1 Vivian Curri \ No newline at end of file diff --git a/input/test/Test3466.txt b/input/test/Test3466.txt new file mode 100644 index 0000000..47082c1 --- /dev/null +++ b/input/test/Test3466.txt @@ -0,0 +1,27 @@ +Jets' Darnold looks like rookie in 15-13 loss to Redskins - WFXG FOX 54 - News Now Member Center: Jets' Darnold looks like rookie in 15-13 loss to Redskins 2018-08-17T03:13:44Z 2018-08-17T09:22:56Z (AP Photo/Alex Brandon). New York Jets quarterback Sam Darnold (14) throws under pressure from Washington Redskins linebacker Ryan Kerrigan, left, during the first half of a preseason NFL football game Thursday, Aug. 16, 2018, in Landover, Md. (AP Photo/Alex Brandon). New York Jets quarterback Sam Darnold (14) is sacked by Washington Redskins defensive tackle Da'Ron Payne (95) during the first half of a preseason NFL football game Thursday, Aug. 16, 2018, in Landover, Md. (AP Photo/Nick Wass). New York Jets quarterback Sam Darnold (14) looks to pass as Washington Redskins defensive end Jonathan Allen (93) is blocked during the first half of a preseason NFL football game Thursday, Aug. 16, 2018, in Landover, Md. (AP Photo/Nick Wass). New York Jets quarterback Sam Darnold warms up for the team's NFL football preseason game against the Washington Redskins, Thursday, Aug. 16, 2018, in Landover, Md. (AP Photo/Alex Brandon). Washington Redskins defensive back Troy Apke (30) celebrates his interception with defensive tackle Ondre Pipkins (78) during the first half of a preseason NFL football game against the New York Jets, Thursday, Aug. 16, 2018, i... +By STEPHEN WHYNOAP Sports Writer +LANDOVER, Md. (AP) - Limited playing experience in high school and college makes Sam Darnold appreciate every game, even if it's just the preseason. +The third overall pick made his first exhibition start for the New York Jets on Thursday night and showed some of the growing pains of a rookie quarterback by throwing an interception , taking two sacks and having a couple of balls batted out of the air. +Darnold was 8 of 11 for 62 yards in the first half before giving way to Teddy Bridgewater in a game the Jets lost to the Washington Redskins 15-13 on a last-second field goal. +"Any game experience is huge," said Darnold, who felt he played well but wasn't as sharp as his 13 of 18 for 96 yards preseason debut. "I feel like I'm going to continue to grow and get better every single day, and that's what I'm most excited about is to see how much I'm going to be able to grow and get better." +Darnold went in looking like the front-runner to win New York's starting QB competition, and it's still muddled after Bridgewater was 10 of 15 for 127 yards, a touchdown and an interception. Veteran Josh McCown didn't play after starting the first preseason game because coach Todd Bowles already knows what he has in the 39-year-old. +"It's already been cloudy," Bowles said. "It'll be a tough choice." +Darnold showed flashes for the Jets (1-1), going 5 of 5 on his second drive but was sacked by Preston Smith to force a field goal on a night full of them. Bridgewater took some intentional risks to test the left knee he injured two years ago to the point Bowles joked he had a neighborhood he could send the former Vikings quarterback to if he wanted to get hit. +"Some of those plays, I could've thrown the ball away or run out of bounds, but I wanted to challenge myself to see if I could take a hit and it was fun," Bridgewater said. +Redskins starter Alex Smith was 4 of 6 for 48 yards in one series, his only work so far in the preseason. Smith said he always wished he could play more but acknowledged "it's a fine line." +Washington kicker Dustin Hopkins made all five of his field-goal attempts, including a 40-yarder as time expired to win it for the Redskins (1-1). +INJURIES +Jets: CB Jeremy Clark left with a hamstring injury. ... LT Kelvin Beachum (foot), RG Brian Winters (abdominal), RB Isaiah Crowell (concussion) and DL Steve McLendon (leg) did not play. +Redskins: RB Samaje Perine injured an ankle on his first carry, a 30-yard run , and did not return. Coach Jay Gruden said Perine twisted his ankle but expects him to be OK ... RB Byron Marshall was evaluated for a lower-leg injury that Gruden said was fine after an MRI. ... LT Trent Williams, RB Chris Thompson, WR Maurice Harris and Jamison Crowder, TE Jordan Reed, OT Ty Nsekhe and DL Matt Ioannidis and Phil Taylor were among those nursing or coming off injuries who didn't dress. +REDSKINS RB COMPETITION +After second-round pick Derrius Guice's season ended because of a torn ACL , Rob Kelley was up first to show he deserves to be Washington's starter. Kelley had seven carries for 17 yards, Perine was impressive on his one run before being injured, Marshall had a kick-return fumble that was overturned on video review and Kapri Bibbs made six catches for 47 yards with only 6 yards on the ground. +"It will be a tough deal for us to figure all that out, but we will," Gruden said. +UNDISCIPLINED JETS +Linebacker Jordan Jenkins was flagged on the game's opening drive for roughing the passer against Smith when he drove the QB into the ground. Darron Lee was penalized for a horse-collar tackle on Redskins punt returner Danny Johnson. Then, there was rookie Frankie Luvu, who led with his helmet into Colt McCoy on a more egregious roughing-the-passer violation than what Jenkins had. +NATIONAL ANTHEM +All players appeared to stand for the national anthem. Jets players locked arms along the visiting sideline with no one remaining in the locker room. +NEXT UP +Jets: See what more Darnold can do in game action when they face the Giants on Aug. 24. +Redskins: Are expected to give Smith more snaps Aug. 24 when they host the Denver Broncos. +___ +More AP NFL: https://apnews.com/tag/NFLfootball and https://twitter.com/AP_NF \ No newline at end of file diff --git a/input/test/Test3467.txt b/input/test/Test3467.txt new file mode 100644 index 0000000..6d54513 --- /dev/null +++ b/input/test/Test3467.txt @@ -0,0 +1,37 @@ +Malaysian tourist caught lying to Chiang Mai police +Published Tweet +PHOTO: Chiangmai News +A Malaysian tourist is in hot water after telling Chiang Mai police that he'd been robbed by a foreigner in the city centre this morning. He's now been charged with filing a false police complaint. +20 year old Pravin Krishnan was charged early this morning (Friday) less than two hours after lodging the complaint. Police say that he admitted to lying but claimed he did so because he'd run out of money and wanted an excuse for his parents in Malaysia to send him more. +Krishnan's original complaint was that a Western man with a blond beard robbed him at knifepoint while he was walking along Loi Kroh Road at 1am. +Police went to the scene, spoke to residents and a security guard, but found no witnesses. They returned to the station and confronted Krishnan. The Malaysian admitted he'd made up the story. +He wanted the police complaint document to convince his parents to give him more money and didn't want to be get in trouble for exceeding his holiday allowance. He's now got a lot more explaining to do to his parents. +Thailand's fastest growing portal for news and information, in association with The Nation. Continue Reading +You must be logged in to post a comment Login Leave a Reply Chiang Mai's Doi Suthep houses to be immediately vacated +Published +PHOTO: The Nation +It's time to go. +The Chiang Mai OrBorJor and protest groups opposing the Doi Suthep housing project for judges and officials have agreed that the 45 housing units for judges must be immediately vacated. +As those who still stay at a nine-unit condominium building, the meeting agreed that they must be moved too, to a smaller condo building within a set timeframe. The meeting agreed that if f the space in the four-unit building wasn't adequate to accommodate the occupants, then more space should be arranged for them. +"The controversial housing units and the condo building must be returned to the Treasury Department as quick as possible." +Despite the agreement, Thirasak Roopsuwan – a representative of the network of civic groups, says they will press ahead with their plan to hold a rally at Tha Pae city gate on August 26 to reaffirm their demand for the dismantling of all the construction structures of the Region 5 Appeals Court at Doi Suthep so that the area in question can be restored to its natural status. +The Office of the Judicial Affairs has asked for a new land plot at the plants research centre in Chiang Rai from the Agricultural Technique Department to be developed into a new home and office of the Region 5 Appeals Court. Gang violence flares up at a pub, ends up at hospital – Chiang Mai +Published The Thaiger & The Nation +PHOTOS: Sanook +Two gangs of young people went at it late into last night in Chiang Mai. When all the dust had settled one victim was recovering at the Chiang Mai Medical Centre. +Sanook is reporting that the trouble started outside a pub in the Nimmanhaemin area of the city. A 21 year old was taken to Chiang Mai Medical Centre Hospital with head and facial injuries requiring 11 stitches. +Trouble continued through the night with up to ten potential assailants trying to get into the hospital to continue the arguments and fighting. There were several outbreaks of violence during the evening. +Patients, doctors and nurses all witnessed the trouble. Police eventually managed to disperse the gangs who disappeared. This morning Police were on duty at the hospital amid fears that trouble would flare again. +No arrests have been made so far over the incident but police are following up some of the gang leaders for further questioning over the incidents. Protesters demand removal of the court-owned properties on Doi Suthep in Chiang Mai +Published +The fight over the Doi Suthep houses, deemed illegal several months ago, has taken a new tack over the weekend with an approach to the Department of Agriculture in Chiang Rai to build new offices and housing for judges there. +But Doi Suthep protesters that's not good enough. +They say that the resolution to build new offices and residences for the Court of Appeals Region 5 in Chiang Rai has nothing to do with the demand to remove the court properties that are already encroaching on the pristine forest on Doi Suthep, a representative of the Doi Suthep Forest Reclamation Network said yesterday. +Teerasak Rupsuwan, the group's coordinator, said the resolution stopped short of clearly addressing the issue of properties on Doi Suthep, adding that the group will hold a rally on August 26 to demand the removal of all disputed properties. +At least 45 houses plus nine condominiums built for the Court of Appeals are said to be encroaching on the forest of Doi Suthep. +Meanwhile, Teerasak cited the 20 years it has taken to gain permissions and complete the project, saying it is worried nothing will be done if a deadline is not set. +"How long will we have to wait for the properties on Doi Suthep to be relocated?" Teerasak asked, adding that residents in the nine condominiums should move down to the court-owned four condos outside the disputed area. +The group will be meeting provincial authorities on Thursday, and expect to see clear answers during the rally, Teerasak said. +The Judicial Administration Commission held a meeting in Chiang Rai province last Friday and decided to have the Judiciary Office negotiate with the Department of Agriculture to use its land for the construction of office and residences for the Court of Appeals Region 5. A new budget will be sought for this project. +The Judiciary Office's secretary-general, Sarawut Benjakul, said that once this project was completed, the Court of Appeals Region 5 and residences on Doi Suthep would be moved to the new location. The new compound will be no bigger than 40 rai and only condominiums will be built to save space. +The court will be handed over the final phase of the project on August 24, Sarawut said. He added that the court will seek advice from the government on how to hand over the disputed land, and would be up to the government to decide \ No newline at end of file diff --git a/input/test/Test3468.txt b/input/test/Test3468.txt new file mode 100644 index 0000000..bd30054 --- /dev/null +++ b/input/test/Test3468.txt @@ -0,0 +1,21 @@ +Beto O'Rourke speaks at the Texas Democratic Convention in June. Since winning the Democratic primary, O'Rourke has embraced progressive positions — at times, including impeaching President Trump — as he challenges GOP Sen. Ted Cruz's reelection bid. Richard W. Rodriguez / AP GOP Sen. Ted Cruz takes a photo with a supporter during a rally to launch his re-election campaign on April 2 in Stafford, Texas. Cruz says he's taking the campaign of Democratic challenger Beto O'Rourke seriously. Erich Schlegel / Getty Images Rep. Beto O'Rourke, Democratic nominee for Senate in Texas, greets supporters at a cafe in San Antonio. Wade Goodwyn / NPR Listening... / +If you arrived at Beto O'Rourke's recent town hall meeting in San Antonio even 40 minutes ahead of time, you were out of luck. All 650 seats were already taken. +It was one sign that the El Paso Democratic congressman has set Texas Democrats on fire this year, as he takes on Republican Sen. Ted Cruz's re-election bid. +Texas Democrats have been wandering in the electoral wilderness for two decades — 1994 was the last time they won a statewide race — but at O'Rourke's events they have been showing up in droves. Often, it's standing room only. +"Let's make a lot of noise so the folks in the overflow room know we're here, that we care about them," O'Rourke tells the crowd at the town hall, before counting to three and leading them in a cheer of "San Antonio!" +While he was sorry that all of those supporters couldn't see him, Beto O'Rourke is an unapologetic, unabashed liberal, who's shown no interest in moving toward the political middle after his victory in the Texas Democratic primary. +On issues like universal health care, an assault weapons ban, abortion rights and raising the minimum wage, O'Rourke has staked out progressive positions. The Democrat even raised the specter of impeachment after President Trump's Helsinki press conference with Vladimir Putin — although O'Rourke has since walked back that position some. +Nevertheless, recent polls have him just 2 and 6 points behind Cruz. Compare that with the 20-point walloping Texas state Sen Wendy Davis endured in 2014 when she lost in a landslide to Republican Greg Abbott in the race for governor. But that recent history begs the question of whether someone running as far to the left as Cruz can actually win in a state like Texas. +Former Texas agricultural commissioner and Democratic populist Jim Hightower sees something different in O'Rourke's campaign. +"You've got a Democratic constituency that is fed up, not just with Trump, but with the centrist, mealy-mouthed, do-nothing Democratic establishment," Hightower said. "They're looking for some real change and Beto is representing that." +Cruz says he's taking O'Rourke's candidacy very seriously. +"I think the decision he's made is run hard left and find every liberal in the state of Texas, and energize them enough that they show up and vote," Cruz said in an interview with NPR. "And I think he's gambling on there are enough people on the left for whom defeating and destroying Donald Trump is their number-one issue, that he's hoping that his path to victory. I don't see that in the state of Texas. In Texas, there are a whole lot more conservatives than liberals." +When it comes to the critical issue of immigration, the two Texas candidates for Senate couldn't be further apart. Last week in Temple, Cruz indicated he supports ending birthright citizenship telling the crowd, "it doesn't make a lot of sense." O'Rourke is against building a wall along the border and favors a gradual path to legal status for undocumented immigrants. +Political observers in Texas say it's still too early to get a good read on the race, although it seems that O'Rourke's campaign is generating some momentum. Jim Hensen, director of the Texas Politics Project at the University of Texas, which does extensive statewide polling, says the key to O'Rourke's success thus far is that he began his campaign early. +"He's much more viable, he's been working harder, he's traveled all over the state. He started earlier than the statewide candidates that we've seen in recent years, and I think it's made a big difference," Hensen said. Still, Hensen believes an O'Rourke victory is probably a long shot, not for lack of effort or fundraising, but because of the advantage Republican candidates enjoy in Texas when it comes to the sheer numbers of voters. +"In a hundred-yard dash, [O'Rourke] probably starts 10 to 15 yards behind," Hensen said. +At a café in San Antonio where he's come for an interview, O'Rourke can't make it to a table because he's mobbed by customers who recognize him and want a picture together. The congressman patiently chats up everyone who approaches and agrees to pictures. He urges his fans to share the photos on social media, a likely unnecessary piece of advice. +With the recent separations of immigrant children from their parents who are seeking asylum at the Texas border, immigration is hot topic of conversation. "I think that this state, the most diverse state in the country, should lead on immigration," O'Rourke told NPR. "Free DREAMers from the fear of deportation, but make them citizens today so they can contribute to their full potential. That is not a partisan value, that's our Texan identity and we should lead with it." +O'Rourke seems to have no fear of sounding too progressive for Texas. He has no interest in moving toward the ideological center for the general election. +He borrowed an old line from Jim Hightower as way of explanation. +"The only thing that you're going to find in the middle of the road are yellow lines and dead armadillos. You have to tell the people that you want to serve what it is you believe and what you are going to do on their behalf," O'Rourke said. "We can either be governed by fear, fear of immigrants, fear of Muslims, call the press the enemy of the people, tear kids away from their parents at the U.S.-Mexico border, or we can be governed by our ambitions and our aspirations and our desire to make the most out of all of us. And that's America at its best." Copyright 2018 NPR. To see more, visit http://www.npr.org/ \ No newline at end of file diff --git a/input/test/Test3469.txt b/input/test/Test3469.txt new file mode 100644 index 0000000..874eca7 --- /dev/null +++ b/input/test/Test3469.txt @@ -0,0 +1 @@ +Home / Business / Uber loss widens on higher investments on big bets Uber loss widens on higher investments on big bets — By Agencies | Aug 17, 2018 12:05 am FOLLOW US: AFP PHOTO / Robyn Beck San Francisco : Uber has disclosed that its quarterly loss jumped despite taking in more money, as it invested in scooters and other "big bets." The smartphone ride star reported it lost $891 million on net revenue of $2.8 billion, while overall bookings rose to $12 billion. "We had another great quarter, continuing to grow at an impressive rate for a business of our scale," said Uber CEO Dara Khosrowshahi. He added that Uber is investing in "big bets" including restaurant take-away delivery service Uber Eats and "environmentally friendly modes of transport" like Express Pool, e-bikes and scooters. It is devoting resources to what it sees as high-potential markets in India and the Middle East, according to Khosrowshahi. Uber has made a practice of disclosing its earnings, despite not being required to since it is a private company. It said in May that its revenue revved up in the first quarter of this year and that its value climbed to $62 billion in a new funding round. Share this Post \ No newline at end of file diff --git a/input/test/Test347.txt b/input/test/Test347.txt new file mode 100644 index 0000000..5d655df --- /dev/null +++ b/input/test/Test347.txt @@ -0,0 +1,6 @@ +Aussie nurse first woman in 40 years to lift Dinnie Stones Posted August 17, 2018 05:01:54 +Leigh Holland-Keen lifts the Dinnie Stones in Scotland. YouTube: bigdinnie +If you have inside knowledge of a topic in the news, contact the ABC . News in your inbox +Do you feel great on a sunny day and down in the dumps when it rains? You're not alone. Here's what the research says. Site Map +This service may include material from Agence France-Presse (AFP), APTN, Reuters, AAP, CNN and the BBC World Service which is copyright and cannot be reproduced. +AEST = Australian Eastern Standard Time which is 10 hours ahead of GMT (Greenwich Mean Time \ No newline at end of file diff --git a/input/test/Test3470.txt b/input/test/Test3470.txt new file mode 100644 index 0000000..55389c8 --- /dev/null +++ b/input/test/Test3470.txt @@ -0,0 +1,23 @@ +3:07 AM PDT Aug 17, 2018 Baker who refused to make gay wedding cake sues again over gender transition cake Share 3:07 AM PDT Aug 17, 2018 Associated Press DENVER — +A Colorado baker who refused to make a wedding cake for a gay couple on religious grounds — a stance partially upheld by the U.S. Supreme Court — has sued the state over its opposition to his refusal to bake a cake celebrating a gender transition, his attorneys said Wednesday. +Jack Phillips, owner of the Masterpiece Cakeshop in suburban Denver, claimed that Colorado officials are on a "crusade to crush" him and force him into mediation over the gender transition cake because of his religious beliefs, according to a federal lawsuit filed Tuesday. Advertisement +Phillips is seeking to overturn a Colorado Civil Rights Commission ruling that he discriminated against a transgender person by refusing to make a cake celebrating that person's transition from male to female. +His lawsuit came after the Supreme Court ruled in June that Colorado's Civil Rights Commission displayed anti-religious bias when it sanctioned Phillips for refusing to make a wedding cake in 2012 for Charlie Craig and Dave Mullins, a same-sex couple. +The justices voted 7-2 that the commission violated Phillips' rights under the First Amendment. But the court did not rule on the larger issue of whether businesses can invoke religious objections to refuse service to gays and lesbians. +The Alliance Defending Freedom, a conservative Christian nonprofit law firm, represented Phillips in the case and filed the new lawsuit. +Phillips operates a small, family-run bakery located in a strip mall in the southwest Denver suburb of Lakewood. He told the state civil rights commission that he can make no more than two to five custom cakes per week, depending on time constraints and consumer demand for the cakes that he sells in his store that are not for special orders. +Autumn Scardina, a Denver attorney whose practice includes family, personal injury, insurance and employment law, filed the Colorado complaint — saying that Phillips refused her request for a gender transition cake in 2017. +Scardina said she asked for a cake with a pink interior and a blue exterior and told Phillips it was intended to celebrate her gender transition. She did not state in her complaint whether she asked for the cake to have a message on it. +The commission found on June 28 that Scardina was discriminated against because of her transgender status. It ordered both parties to seek a mediated solution. +Phillips sued in response, citing his belief that "the status of being male or female ... is given by God, is biologically determined, is not determined by perceptions or feelings, and cannot be chosen or changed," according to his lawsuit. +Phillips alleges that Colorado violated his First Amendment right to practice his faith and the 14th Amendment right to equal protection, citing commission rulings upholding other bakers' refusal to make cakes with messages that are offensive to them. +"For over six years now, Colorado has been on a crusade to crush Plaintiff Jack Phillips ... because its officials despise what he believes and how he practices his faith," the lawsuit said. "This lawsuit is necessary to stop Colorado's continuing persecution of Phillips." +Phillips' lawyers also suggested that Scardina may have targeted Phillips several times after he refused her original request. The lawsuit said he received several anonymous requests to make cakes depicting Satan and Satanic symbols and that he believed she made the requests. +Reached by telephone Wednesday, Scardina declined to comment, citing the pending litigation. Her brother, attorney Todd Scardina, is representing her in the case and did not immediately return a phone message seeking comment. +Phillips' lawsuit refers to a website for Scardina's practice, Scardina Law. The site states, in part: "We take great pride in taking on employers who discriminate against lesbian, gay, bisexual and transgender people and serving them their just desserts." +The lawsuit said that Phillips has been harassed, received death threats, and that his small shop was vandalized while the wedding cake case wound its way through the judicial system. +Phillips' suit names as defendants members of the Colorado Civil Rights Division, including division director Aubrey Elenis; Republican state Attorney General Cynthia Coffman; and Democratic Gov. John Hickenlooper. It seeks a reversal of the commission ruling and at least $100,000 in punitive damages from Elenis. +Hickenlooper told reporters he learned about the lawsuit Wednesday and that the state had no vendetta against Phillips. +Rebecca Laurie, a spokeswoman for the civil rights commission, declined comment Wednesday, citing pending litigation. Also declining comment was Coffman spokeswoman Annie Skinner. +The Masterpiece Cakeshop wedding cake case stirred intense debate about the mission and composition of Colorado's civil rights commission during the 2018 legislative session. Its seven members are appointed by the governor. +Lawmakers added a business representative to the commission and, among other things, moved to ensure that no political party has an advantage on the panel \ No newline at end of file diff --git a/input/test/Test3471.txt b/input/test/Test3471.txt new file mode 100644 index 0000000..064808f --- /dev/null +++ b/input/test/Test3471.txt @@ -0,0 +1,4 @@ +ternopilinkling Afghan president visits key city, week after Taliban raid KABUL, Afghanistan – The Afghan president visited the embattled southeastern city of Ghazni on Friday, a week after the Taliban in a surprise attack managed to infiltrate deep into the key provincial capital and capture several areas of it. +Two rockets hit inside the city as President Ashraf Ghani held a meeting at a nearby mosque, witnesses said. A third rocket landed in a nearby river, they said, speaking on condition of anonymity because they were not authorized to talk to the media. There were no injuries and Ghani was never in any danger. No one claimed responsibility for firing the rockets. +The Taliban hung on in Ghazni for nearly five days before U.S.-backed Afghan forces flushed them out in what were some of the fiercest battles with the insurgents in recent months that killed scores of Afghan troops and civilians. Security was on high alert as Ghani and the country's Chief Executive Abdullah Abdullah arrived in Ghazni — the capital of Ghazni province, just 120 kilometers (75 miles) from the capital, Kabul — by helicopter from Kabul. They immediately went into meetings with security officials and elders. Ghani said greater security was needed around district capitals, as well as the provincial capital, and questioned the strength of defense trenches dug around vulnerable areas. +Afghan helicopters also patrolled overhead as the president visited, police official Bilal Ahmad said. In Kabul, the U.N. office for humanitarian assistance said fighting was continuing on Ghazni's outskirts. According to a report by OCHA, released late Thursday, water and electricity have yet to be restored in many areas of the city of 270,000 people. The five-day battles with the Taliban in Ghazni, killed at least 100 members of Afghan security forces and 35 civilians before calm was restored on Tuesday. The OCHA report quotes "unverifiable numbers" that put the civilian death toll at more than 200. Abdul Halim Noori, the head of the Afghan Red Crescent in Ghazni, said six of their teams are still sifting through the rubble in the city, searching for bodies. So far, the aid group has retrieved 270 bodies but there was no breakdown or indication how many were Afghan security troops, Taliban fighters or civilians. In one home, they found bodies of 11 members of a single family, Noori told The Associated Press. Even though they were pushed back from the city, the Taliban still hold sway in much of Ghazni province. During the fighting, the Taliban destroyed the main telecommunication tower, just outside of Ghazni, and torched the television and radio station in the city. According to the OCHA report, mobile phone connection was gradually returning but outages remain frequent. Advertisement \ No newline at end of file diff --git a/input/test/Test3472.txt b/input/test/Test3472.txt new file mode 100644 index 0000000..4ac170b --- /dev/null +++ b/input/test/Test3472.txt @@ -0,0 +1,8 @@ +Tweet +ViaSat (NASDAQ:VSAT) had its price target reduced by Needham & Company LLC from $74.00 to $70.00 in a research report report published on Monday. They currently have a buy rating on the communications equipment provider's stock. +Several other research firms have also recently weighed in on VSAT. BidaskClub cut shares of ViaSat from a sell rating to a strong sell rating in a research report on Wednesday, June 13th. Royal Bank of Canada set a $45.00 price objective on shares of ViaSat and gave the stock a sell rating in a research report on Monday, June 11th. William Blair restated a buy rating on shares of ViaSat in a research report on Saturday, June 2nd. ValuEngine cut shares of ViaSat from a buy rating to a hold rating in a research report on Thursday, August 2nd. Finally, Wells Fargo & Co dropped their price objective on shares of ViaSat to $84.00 and set an outperform rating for the company in a research report on Friday, May 25th. Two investment analysts have rated the stock with a sell rating, four have assigned a hold rating and six have assigned a buy rating to the stock. The company presently has an average rating of Hold and a consensus price target of $70.33. Get ViaSat alerts: +NASDAQ:VSAT opened at $64.05 on Monday. The company has a debt-to-equity ratio of 0.57, a current ratio of 1.37 and a quick ratio of 0.88. ViaSat has a 1 year low of $58.62 and a 1 year high of $80.26. The company has a market capitalization of $3.54 billion, a PE ratio of -74.48 and a beta of 0.88. ViaSat (NASDAQ:VSAT) last posted its quarterly earnings data on Thursday, August 9th. The communications equipment provider reported ($0.57) earnings per share for the quarter, missing the consensus estimate of ($0.50) by ($0.07). ViaSat had a negative return on equity of 3.97% and a negative net margin of 5.58%. The company had revenue of $438.90 million during the quarter, compared to the consensus estimate of $429.75 million. During the same quarter last year, the firm earned $0.04 EPS. The business's revenue for the quarter was up 15.5% on a year-over-year basis. sell-side analysts anticipate that ViaSat will post -1.36 EPS for the current year. +In other ViaSat news, Director John P. Stenbit sold 700 shares of ViaSat stock in a transaction on Wednesday, August 1st. The shares were sold at an average price of $70.22, for a total transaction of $49,154.00. Following the completion of the sale, the director now owns 700 shares of the company's stock, valued at approximately $49,154. The transaction was disclosed in a document filed with the Securities & Exchange Commission, which is available through this hyperlink . Also, Director Jeffrey M. Nash sold 5,000 shares of ViaSat stock in a transaction on Wednesday, August 15th. The stock was sold at an average price of $62.80, for a total transaction of $314,000.00. Following the sale, the director now directly owns 5,000 shares of the company's stock, valued at approximately $314,000. The disclosure for this sale can be found here . Insiders have sold a total of 47,594 shares of company stock valued at $3,156,451 in the last ninety days. Company insiders own 8.10% of the company's stock. +Institutional investors and hedge funds have recently added to or reduced their stakes in the business. Summit Trail Advisors LLC acquired a new stake in ViaSat during the 2nd quarter worth $133,000. Verition Fund Management LLC acquired a new stake in ViaSat during the 1st quarter worth $200,000. Sciencast Management LP acquired a new stake in ViaSat during the 1st quarter worth $219,000. LPL Financial LLC acquired a new stake in ViaSat during the 1st quarter worth $235,000. Finally, Royal Bank of Canada grew its holdings in ViaSat by 109.7% during the 1st quarter. Royal Bank of Canada now owns 3,858 shares of the communications equipment provider's stock worth $252,000 after acquiring an additional 2,018 shares during the period. +ViaSat Company Profile +Viasat, Inc provides broadband and communications products and services worldwide. The company's Satellite Services segment offers satellite-based fixed broadband services, including broadband Internet access and voice over Internet protocol services to consumers and businesses; in-flight Internet and aviation software services to commercial airlines; and mobile broadband services comprising network management and high-speed Internet connectivity services for customers using airborne, maritime, and ground mobile satellite systems \ No newline at end of file diff --git a/input/test/Test3473.txt b/input/test/Test3473.txt new file mode 100644 index 0000000..8b07c54 --- /dev/null +++ b/input/test/Test3473.txt @@ -0,0 +1,12 @@ +Shutterstock photo +Investors certainly have to be happy with ANGI Homeservices Inc. ANGI and its short term performance. After all, the stock has jumped by 19.2% in the past 4 weeks, and it is also above its 20 Day Simple Moving Average as well. This is certainly a good trend, but investors are probably asking themselves, can this positive trend continue for ANGI? +While we can never know for sure, it is pretty encouraging that estimates for ANGI have moved higher in the past few weeks, meaning that analyst sentiment is moving in the right way. Plus, the stock actually has a Zacks Rank #2 (Buy), so the recent move higher for this spotlighted company may definitely continue over the next few weeks. You can see the complete list of today's Zacks #1 Rank stocks here . +Will You Make a Fortune on the Shift to Electric Cars? +Here's another stock idea to consider. Much like petroleum 150 years ago, lithium power may soon shake the world, creating millionaires and reshaping geo-politics. Soon electric vehicles (EVs) may be cheaper than gas guzzlers. Some are already reaching 265 miles on a single charge. +With battery prices plummeting and charging stations set to multiply, one company stands out as the #1 stock to buy according to Zacks research. +It's not the one you think. +See This Ticker Free >> +Want the latest recommendations from Zacks Investment Research? Today, you can download 7 Best Stocks for the Next 30 Days. Click to get this free report +Angie's List, Inc. (ANGI): Free Stock Analysis Report +To read this article on Zacks.com click here. +Zacks Investment Research The views and opinions expressed herein are the views and opinions of the author and do not necessarily reflect those of Nasdaq, Inc \ No newline at end of file diff --git a/input/test/Test3474.txt b/input/test/Test3474.txt new file mode 100644 index 0000000..6fd6c33 --- /dev/null +++ b/input/test/Test3474.txt @@ -0,0 +1,19 @@ +Save +A decade passed between the Litchfield girls tennis team's last section title and state tournament appearance prior to last season. After ending that streak last season, head coach Matt Draeger hopes that a calendar year is long enough to wait to place at state again. +"We want to place in the state tournament," he said. "Win our section, that's first and foremost, and then try to place in the state tournament." +Litchfield hadn't been to the state tournament since 2007 before last season, but it won the Section 5A title and went on to place fifth at state. +While that was a successful season for the Litchfield team, it also left its members hungry for more this season. +"We're hoping to get back there and just get a better place than we did," senior Laney Huhner said. +Huhner is among a number of impact performers who are returning from last year's team. Huhner is joined by others who played at the state tournament last year, including Shanna Kinny, Vaida Behnke, Neriah Lara, Avery Stilwell and Taylar Smith. +"Most of these people have been playing since seventh and eighth grade," Draeger said. "It's not just last year. We have a core who has been here four years or more and that's always nice to have." +Lara echoed Draeger's thoughts, as the team members' familiarity with each other plays an important factor. +"We all have confidence in one another since we've been playing together for awhile," Lara said. "We're super close together, we have a good team bond." +Kinny played in the No. 1 singles spot for Litchfield last year, and returns as the favorite in that slot. She also placed third at state in the doubles tournament last year, alongside Stilwell. +Huhner and Behnke were partners in the state doubles tournament as well, and Elise Bierbaum returns, fresh off a fifth-place finish at the state tournament singles competition. +Two girls gone from last year's state team are Natalie Nelson and Alanis Thesenvitz, who played the No. 2 and No. 3 singles spots, respectively. +Even with their losses, the return of much of last year's team projects Litchfield as one of the top-ranked teams in the state coming into this season. Other teams could view the Dragons as a tough challenge to be gunning for, but Huhner says that that's not how they see it. +"I think they think that of us, but we don't think that of ourselves," Huhner said. "We're from Litchfield, a little town, and we're thinking 'We're just out here playing and whatever happens, happens.'" +The Dragons are still building their complete varsity lineup through this week, and it won't be long until it gets put to the test. Litch opens with the Pine City Invitational on Monday, which Draeger views as one of the toughest tests on the calendar with Rochester Lourdes and Bemidji among those in attendance. +"I find out a lot about our team that first day because we play a lot of good competition," Draeger said. "We leave there a lot better after playing three matches in a day than we were when we went in. That's really what we're trying to accomplish with that, is to be a lot better at the end of the day than we were at the beginning, and that's usually the case because you're forced to." +The invite will serve as an early measuring stick as the Dragons play against some opponents they may see down the line at the state tournament. But with state still two months away, and a section title anything but a certainty, Draeger just wants his girls to focus on progressing and not getting caught up in their chase to return to state. +"I think the goals are to focus on daily goals and getting better, and not worrying about what's going to happen at the end of the year," Draeger said. "You've got to worry about getting better every day and competing on a daily basis, and just approach every day with the mindset of playing at a high level. \ No newline at end of file diff --git a/input/test/Test3475.txt b/input/test/Test3475.txt new file mode 100644 index 0000000..9f724d8 --- /dev/null +++ b/input/test/Test3475.txt @@ -0,0 +1,6 @@ +World's biggest shipping company cautions on trade tensions Posted on Friday, August 17th, 2018 By The Associated Press Share by Email +COPENHAGEN, Denmark (AP) — Danish shipping group A.P. Moller-Maersk says it swung to a profit in the second quarter but cautioned about uncertainty related to global trade amid U.S. sanctions on major economies. +Second-quarter revenue grew 24 percent to $9.5 billion, leading to a $26-million profit, compared with a $264-million loss a year earlier. +CEO Soeren Skou said Friday the company delivered "strong growth," with the acquisition of German container shipping company Hamburg Sud "a positive contributor." Profits were helped by higher bunker prices. +The Copenhagen-based group said full-year guidance "continues to be subject to uncertainties," including further restrictions on global trade. +Maersk also decided to spin off its drilling unit, Maersk Drilling Holding A/S, and list it separately in Copenhagen. Shares in the parent company were up 4 percent to 8,966 kroner. More on MarketBea \ No newline at end of file diff --git a/input/test/Test3476.txt b/input/test/Test3476.txt new file mode 100644 index 0000000..ee3931e --- /dev/null +++ b/input/test/Test3476.txt @@ -0,0 +1,12 @@ +Shares of public sector undertaking (PSU) banks were in focus with Nifty PSU Bank index gaining 3% on Friday after falling 7% in past four trading days on the National Stock Exchange (NSE). +State Bank of India (SBI), IDBI Bank, Punjab National Bank (PNB), Union Bank of India, Allahabad Bank, Oriental Bank of Commerce and Canara Bank were up in the range of 2% to 5% on the NSE at 02:43 pm. +The Nifty PSU Bank index, the largest gainer among sectoral indices, was up 3% as compared to 0.83% rise in the Nifty 50 index. In past four trading sessions, the PSU bank index slipped 7.5% against 0.75% decline in the benchmark index till Thursday. +According to Business Standard report, the government has asked the Reserve Bank of India (RBI) to consider diluting the Prompt Corrective Action (PCA) framework, to ensure that regulatory sanctions against public sector banks (PSBs) are lifted swiftly. CLICK HERE TO READ FULL REPORT. +SBI was trading higher by 3% at Rs 302 on the NSE. The stock of the country's largest public sector lender had slipped 7% from Rs 317 to Rs 293 on Thursday after it reported the third consecutive quarterly loss. The bank posted a net loss of Rs 48.8 billion in June quarter (Q1FY19) led by higher provision from investment depreciation, higher wage opex and NPA provisions. +SBI's management has guided at a strong recovery path led by the moderation in slippages (apart from NPA, entire balance stressed asset pegged at Rs 258 billion), strong growth in advances and fee income. Divestment of non-core assets and stake sale in subsidiaries is on the list. +"The stage is now set for an uptick in loan growth and lower stress accretion. Resolution in NCLT accounts (around Rs 630 billion exposure) can make our FY19-20E credit cost (average around 200bps) assumptions look conservative," analysts at HDFC Securities said in results review with 'buy' rating on the stock and target price of Rs 340 per share. +Meanwhile, the WPI inflation (Wholesale Price Index) dipped to 5.09% in July, cooling off from 4-year highs in June. The consumer price index (CPI) inflation plunged to 4.17% in July as against 4.9% the previous month supported by the dip in food prices, data from the Central Statistics Office showed. +The sustained rise in core inflation seen till June was one of the main reasons why the Monetary Policy Committee (MPC) of the Reserve Bank of India had raised its policy, or repo rate twice since June. +"Despite declining, core inflation at 5.5% can continue to worry the MPC. Also, with improving domestic demand conditions, manufacturers will pass on higher input costs (from oil and commodity prices) to consumers, which can limit the downside to core inflation. We believe the MPC will be on hold unless pressures from higher-than-anticipated upside risks to inflation from crude oil, stronger demand conditions, and food prices materialize," Dharmakirti Joshi, Chief Economist, CRISIL Research, on CPI data. +"The pressure on WPI could be from the elevated prices of the crude oil and the progression of the monsoon. However, the growth in inflation in the coming months is less likely to rise significantly given the favourable base effect. We expect the WPI inflation to moderate to below 5% in the coming months on account of a favourable base effect," CARE Ratings said on WPI data. +COMPANY LATEST PREV CLOSE GAIN(%) BANK OF INDIA 92.85 88.85 4.50 CANARA BANK 276.85 267.60 3.46 ORIENTAL BANK 78.95 76.65 3.00 SYNDICATE BANK 38.85 37.80 2.78 BANK OF BARODA 146.60 142.70 2.73 UNION BANK (I) 86.50 84.40 2.49 ST BK OF INDIA 299.50 292.70 2.32 PUNJAB NATL.BANK 83.35 81.55 2.21 ANDHRA BANK 32.15 31.55 1.90 VIJAYA BANK 62.75 61.65 1.78 UCO BANK 19.35 19.05 1.57 DENA BANK 16.90 16.65 1.50 PUN. & SIND BANK 29.05 28.65 1.40 ALLAHABAD BANK 40.10 39.55 1.39 IDBI BANK 62.15 61.40 1.2 \ No newline at end of file diff --git a/input/test/Test3477.txt b/input/test/Test3477.txt new file mode 100644 index 0000000..0727f3d --- /dev/null +++ b/input/test/Test3477.txt @@ -0,0 +1,2 @@ +RSS Mask Inspection System Market Analysis by 2025: Top Players Like Applied Materials, Lasertec, Carl Zeiss, KLA-Tencor, ASML The latest report studies the global Mask Inspection System market status and forecast, categorizes the Worldwide Mask Inspection System market size (value & volume) by manufacturers, type, application, and region. The global Mask Inspection System market is valued at million US$ in 2017 and will reach million US$ by the end of 2025, growing at a CAGR of during 2018-2025. +New York, NY -- ( SBWIRE ) -- 08/17/2018 -- The Top key vendors in Mask Inspection System Market include are KLA-Tencor, Applied Materials, Lasertec, Carl Zeiss, ASML (HMI). You Can Download Free Sample Copy of Mask Inspection System Market at https://www.marketexpertz.com/sample-enquiry-form/16285 Apart from this, the valuable document weighs upon the performance of the industry on the basis of a product service, end-use, geography and end customer. The industry experts have left no stone unturned to identify the major factors influencing the development rate of the Mask Inspection System industry including various opportunities and gaps. A thorough analysis of the micro markets with regards to the growth trends in each category makes the overall study interesting. When studying the micro markets the researchers also dig deep into their future prospect and contribution to the Mask Inspection System industry. A high focus is maintained on factors such as demand and supply, production capacity, supply chain management, distribution channel, product application and performance across different countries. The report not only offers hard to find facts about the trends and innovation driving the current and future of Mask Inspection System business, but also provides insights into competitive development such as acquisition and mergers, joint ventures, product launches and technology advancements. A quick look at the industry trends and opportunities The researchers find out why sales of Mask Inspection System are projected to surge in the coming years. The study covers the trends that will strongly favor the industry during the forecast period, 2018 to 2025. Besides this, the study uncovers important facts associated with lucrative growth and opportunities that lie ahead for the Mask Inspection System industry. Following customization options are available for the report: - Regional and country-level analysis of the Mask Inspection System market, by end-use. - Detailed analysis and profiles of additional market players. #If You Want Order Mask Inspection System Market Report Now @ https://www.marketexpertz.com/checkout-form/16285 On the basis of the end users/applications, this report focuses on the status and outlook for major applications/end users, sales volume, market share and growth rate for each application, including - Semiconductor Device Manufacturers - Mask Shops On the basis of product, this report displays the production, revenue, price, and market share and growth rate of each type, primarily split into - Die to Die (DD) Method - Die to Database (DB) Method Region wise performance of the Mask Inspection System industry This report studies the global Mask Inspection System market status and forecast categorizes the global Mask Inspection System market size (value & volume) by key players, type, application, and region. This report focuses on the top players in North America, Europe, China, Japan, Southeast Asia India and Other regions (the Middle East & Africa, Central & South America). The Fundamental key point from TOC 8 Major Manufacturers Analysis of Mask Inspection System 8.1 KLA-Tencor 8.1.2 Product Picture and Specifications 8.1.2.1 Product A 8.1.3 KLA-Tencor 2017 Mask Inspection System Sales, Ex-factory Price, Revenue, Gross Margin Analysis 8.1.4 KLA-Tencor 2017 Mask Inspection System Business Region Distribution Analysis 8.2 Applied Materials 8.2.2 Product Picture and Specifications 8.2.2.1 Product A 8.2.3 Applied Materials 2017 Mask Inspection System Sales, Ex-factory Price, Revenue, Gross Margin Analysis 8.2.4 Applied Materials 2017 Mask Inspection System Business Region Distribution Analysis 8.3 Lasertec 8.3.2 Product Picture and Specifications 8.3.2.1 Product A 8.3.3 Lasertec 2017 Mask Inspection System Sales, Ex-factory Price, Revenue, Gross Margin Analysis 8.3.4 Lasertec 2017 Mask Inspection System Business Region Distribution Analysis Continue.. This Mask Inspection System market report holds answers to some important questions like: - What is the size of occupied by the prominent leaders for the forecast period, 2018 to 2025? What will be the share and the growth rate of the Mask Inspection System market during the forecast period? - What are the future prospects for the Mask Inspection System industry in the coming years? - Which trends are likely to contribute to the development rate of the industry during the forecast period, 2018 to 2025? - What are the future prospects of the Mask Inspection System industry for the forecast period, 2018 to 2025? - Which countries are expected to grow at the fastest rate? - Which factors have attributed to an increased sale worldwide? - What is the present status of competitive development? Browse Full RD with TOC of This Report @ https://www.marketexpertz.com/industry-overview/mask-inspection-system-market About MarketExpertz Planning to invest in market intelligence products or offerings on the web? Then MarketExpertz has just the thing for you - reports from over 500 prominent publishers and updates on our collection daily to empower companies and individuals catch-up with the vital insights on industries operating across different geography, trends, share, size and growth rate. There's more to what we offer to our customers. With marketexpertz you have the choice to tap into the specialized services without any additional charges. Our in-house research specialists exhibit immense knowledge of not only the publisher but also the types of market intelligence studies in their respective business verticals. Contact 40 Wall St. 28th floor New York City, NY 10005 United State \ No newline at end of file diff --git a/input/test/Test3478.txt b/input/test/Test3478.txt new file mode 100644 index 0000000..293073b --- /dev/null +++ b/input/test/Test3478.txt @@ -0,0 +1,8 @@ + Lisa Pomrenke on Aug 17th, 2018 // No Comments +Altria Group Inc (NYSE:MO) was the recipient of a significant growth in short interest in the month of July. As of July 31st, there was short interest totalling 26,252,711 shares, a growth of 26.4% from the July 13th total of 20,766,999 shares. Based on an average trading volume of 8,096,794 shares, the days-to-cover ratio is currently 3.2 days. Currently, 1.4% of the shares of the company are short sold. +MO opened at $60.83 on Friday. The company has a current ratio of 0.65, a quick ratio of 0.31 and a debt-to-equity ratio of 0.83. The company has a market capitalization of $111.32 billion, a P/E ratio of 17.99, a price-to-earnings-growth ratio of 1.72 and a beta of 0.65. Altria Group has a 12-month low of $53.91 and a 12-month high of $74.38. Get Altria Group alerts: +Altria Group (NYSE:MO) last posted its quarterly earnings data on Thursday, July 26th. The company reported $1.01 earnings per share (EPS) for the quarter, topping analysts' consensus estimates of $1.00 by $0.01. The company had revenue of $4.88 billion for the quarter, compared to the consensus estimate of $5.02 billion. Altria Group had a net margin of 42.00% and a return on equity of 48.88%. The firm's revenue was down 3.7% compared to the same quarter last year. During the same quarter last year, the firm posted $0.85 earnings per share. equities research analysts predict that Altria Group will post 4 earnings per share for the current year. Altria Group declared that its board has initiated a share repurchase program on Thursday, May 17th that allows the company to repurchase $1.00 billion in outstanding shares. This repurchase authorization allows the company to buy up to 1% of its shares through open market purchases. Shares repurchase programs are typically an indication that the company's management believes its stock is undervalued. +A number of analysts have recently commented on the stock. ValuEngine upgraded shares of Altria Group from a "strong sell" rating to a "sell" rating in a research note on Wednesday. Zacks Investment Research downgraded shares of Altria Group from a "hold" rating to a "sell" rating in a report on Monday, May 14th. Consumer Edge assumed coverage on shares of Altria Group in a report on Monday, June 11th. They issued an "equal weight" rating and a $69.31 price objective on the stock. Jefferies Financial Group set a $70.00 price objective on shares of Altria Group and gave the stock a "buy" rating in a report on Friday, June 1st. Finally, Stifel Nicolaus dropped their price objective on shares of Altria Group from $78.00 to $65.00 and set a "buy" rating on the stock in a report on Friday, July 27th. Two investment analysts have rated the stock with a sell rating, five have assigned a hold rating, ten have given a buy rating and one has given a strong buy rating to the company's stock. Altria Group currently has an average rating of "Buy" and a consensus target price of $71.61. +Several institutional investors and hedge funds have recently bought and sold shares of MO. LVW Advisors LLC lifted its holdings in Altria Group by 5.4% during the second quarter. LVW Advisors LLC now owns 59,179 shares of the company's stock valued at $3,361,000 after purchasing an additional 3,008 shares in the last quarter. Financial Sense Advisors Inc. lifted its holdings in Altria Group by 1,507.5% during the second quarter. Financial Sense Advisors Inc. now owns 56,262 shares of the company's stock valued at $3,195,000 after purchasing an additional 52,762 shares in the last quarter. Point72 Asia Hong Kong Ltd purchased a new position in Altria Group during the first quarter valued at approximately $147,000. Home Federal Bank of Tennessee purchased a new position in Altria Group during the second quarter valued at approximately $550,000. Finally, Sumitomo Life Insurance Co. lifted its holdings in Altria Group by 4.2% during the second quarter. Sumitomo Life Insurance Co. now owns 68,730 shares of the company's stock valued at $3,903,000 after purchasing an additional 2,772 shares in the last quarter. 62.92% of the stock is currently owned by institutional investors. +About Altria Group +Altria Group, Inc, through its subsidiaries, manufactures and sells cigarettes, smokeless products, and wine in the United States. It offers cigarettes primarily under the Marlboro brand; cigars principally under the Black & Mild brand; and moist smokeless tobacco products under the Copenhagen, Skoal, Red Seal, and Husky brands \ No newline at end of file diff --git a/input/test/Test3479.txt b/input/test/Test3479.txt new file mode 100644 index 0000000..142c2c8 --- /dev/null +++ b/input/test/Test3479.txt @@ -0,0 +1,7 @@ +Print By - Associated Press - Friday, August 17, 2018 +COPENHAGEN, Denmark (AP) - Danish shipping group A.P. Moller-Maersk says it swung to a profit in the second quarter but cautioned about uncertainty related to global trade amid U.S. sanctions on major economies. +Second-quarter revenue grew 24 percent to $9.5 billion, leading to a $26-million profit, compared with a $264-million loss a year earlier. +CEO Soeren Skou said Friday the company delivered "strong growth," with the acquisition of German container shipping company Hamburg Sud "a positive contributor." Profits were helped by higher bunker prices. +The Copenhagen-based group said full-year guidance "continues to be subject to uncertainties," including further restrictions on global trade. +Maersk also decided to spin off its drilling unit, Maersk Drilling Holding A/S, and list it separately in Copenhagen. Shares in the parent company were up 4 percent to 8,966 kroner. + Th \ No newline at end of file diff --git a/input/test/Test348.txt b/input/test/Test348.txt new file mode 100644 index 0000000..95fd526 --- /dev/null +++ b/input/test/Test348.txt @@ -0,0 +1,14 @@ +In the next month or so, Islamabad may have to take another bailout package from the International Monetary Fund — the country's 13th. As former cricket star Imran Khan prepares to take his oath as Pakistan's new prime minister Saturday, there's one thing he must be clear about: Pakistan may be China's friend at the moment, but the relationship could quickly turn sour. +In the next month or so, Islamabad may have to take another bailout package from the International Monetary Fund — the country's 13th. The State Bank of Pakistan now holds just over $10 billion in foreign exchange reserves, giving enough room to buy only two months' worth of imports. +But the IMF route is tedious. A rescue package from the Fund would mean the usual round of economic austerity and pro-market reforms, for a prime minister who came to power promising an "Islamic welfare state." The U.S., the Fund's largest shareholder and most important decision-maker, has already said that any bailout money can't be used to pay off China, whose ambitious Belt and Road Initiative is turning Pakistan into another Venezuela. +So Khan may be tempted to turn instead to Beijing or even Saudi Arabia, despite having campaigned against corruption in Chinese-funded projects. China is reported to have recently agreed to write a $2 billion loan to ease his transition into the office, and the Saudi-backed Islamic Development Bank has arranged a $4.5 billion loan, with the proceeds mainly to be used to pay for Pakistan's oil imports. Higher crude prices have also contributed to Pakistan's problems. +It's increasingly becoming the norm for defiant strongmen to seek alternatives to the U.S.-led world order. Turkey's President Recep Tayyip Erdogan has found a benefactor in Qatar, who promised to invest $15 billion in the country Thursday to avert a financial meltdown amid a spat with Washington. +So why shouldn't Pakistan join in? After all, Beijing is used to supporting financial zombies. An average local government financing vehicle has a net-debt-to-Ebitda ratio of 27 times. If the borrower can't pay, the lender just hands out more loans; that way, none of the debt shows up as bad on the creditor's books, and both sides are happy. +There's one problem: Whereas a default by an obscure subsidiary of a state-owned enterprise or a small town in Inner Mongolia could send shock waves through China's entire corporate bond market, Pakistan is still a sovereign state (in the eyes of investors, if not its creditors in Beijing) so is far less likely to cause financial contagion. +The fragility of China's domestic market encourages state lenders to be forgiving even as the country makes deleveraging a national economic priority. Pakistan doesn't have that backstop. +In addition, lenders to Pakistan such as the China Development Bank aren't traditional commercial banks. They don't take household deposits or even follow Basel III standards. If a few loans go bad, the Ministry of Finance can just sweep the problems away, leaving China's financial system intact. +From Beijing's perspective, that means there's little downside to rolling over a few bad debts, at least in the short term. But for Pakistan, the stakes are much higher. +The question ultimately comes down to whether China decides to forgive a soured loan, restructure it, or resolve it another way. According to Nomura Securities, of 31 heavily indebted poor countries, China has provided relief to 28, and even generously offered full debt forgiveness to several, such as Afghanistan and Burundi. +That's not always how things pan out, though. Last year, Sri Lanka signed over a 99-year lease of its moribund Hambantota Port to China Merchants Group to help repay its debt. +Turkey's crisis dragged emerging markets back into bear territory this week, a warning to Pakistan about what may lie ahead. The one lesson we may learn, as my Bloomberg Opinion colleague Noah Smith argues, is that debt-fueled growth can turn real ugly, real quickly. +So while China's money may look easy right now, it comes with dangerous strings attached. An austerity program with the IMF would serve Pakistan better \ No newline at end of file diff --git a/input/test/Test3480.txt b/input/test/Test3480.txt new file mode 100644 index 0000000..c5aa474 --- /dev/null +++ b/input/test/Test3480.txt @@ -0,0 +1,29 @@ +by Rodney Muhumuza, The Associated Press Posted Aug 17, 2018 5:06 am EDT Last Updated Aug 17, 2018 at 6:00 am EDT +KAMPALA, Uganda – In his red beret and jumpsuit the Ugandan pop star Kyagulanyi Ssentamu, better known as Bobi Wine, leads cheering campaigners down a street, punching the air and waving the national flag. +That image has defined the unlikely new political phenomenon — and possibly now put him in danger as an opposition figure taking on one of Africa's longest-serving leaders. +Once considered a marijuana-loving crooner, the 36-year-old "ghetto child" is a new member of parliament who urges his countrymen to stand up against what he calls a failing government. His "Freedom" video opens with him singing behind bars: "We are fed up with those who oppress our lives." He has protested against an unpopular social media tax and a controversial change to the constitution removing presidential age limits. +Despite murmurs about his wild past and inexperience in politics, his approach appears to be working: All of the candidates he has backed in strongly contested legislative byelections this year have emerged victorious. +But after clashes this week led to a smashed window in President Yoweri Museveni's convoy and Ssentamu's own driver shot dead, some of the singer's supporters now wonder if they'll ever see him again. +The brash young lawmaker was charged Thursday in a military court with illegal possession of firearms for his alleged role in Monday's clashes in the northwestern town of Arua, where both he and Museveni were campaigning. As the president's convoy left a rally, authorities say, a group associated with Ssentamu and the candidate he supported, Kassiano Wadri, pelted it with stones. +Ssentamu quickly posted on Twitter a photo of his dead driver slumped in a car seat, blaming police "thinking they've shot at me." Then he was arrested, and he hasn't been seen in public since. +His lawyer, Medard Sseggona, told reporters after Thursday's closed-door hearing that his client had been so "brutalized he cannot walk, he cannot stand, he can only sit with difficulty … It is hard to say whether he understands this and that." +Army spokesman Brig. Richard Karemire on Friday didn't address the allegation but said the military will ensure the lawmaker receives medical attention "now that he is under its safe custody." +Critics have said Uganda's government might find it easier to get the verdict it wants in a military court, where independent observers often have limited access. Ssentamu's wife, Barbara, told reporters he has never owned a gun and does not know how to handle one, reinforcing widespread concerns about trumped-up charges. +The U.S. Embassy said in a statement Friday it was "disturbed by reports of brutal treatment" of legislators and others by security forces, urging the government "to show the world that Uganda respects its constitution and the human rights of all of its citizens." +The case against Ssentamu has riveted this East African country that has rarely seen a politician of such charisma and drive. Beaten and bruised, often literally, Uganda's opposition politicians have largely retreated as the 74-year-old Museveni pursues an even longer stay in power. +While Kizza Besigye, a four-time presidential challenger who has been jailed many times, appears to relax his protest movement, Ssentamu has been urging bold action. The young must take the place of the old in Uganda's leadership, he says. +His message resonates widely in a country where many educated young people cannot find employment, public hospitals often lack basic medicines and main roads are dangerously potholed. +Because traditional avenues of political agitation have largely been blocked by the government, the music and street spectacle of an entertainer with a political message offer hope to those who want change, said Mwambutsya Ndebesa, who teaches political history at Uganda's Makerere University. +"There is political frustration, there is political anger, and right now anyone can do. Even if it means following a comedian, we are going to follow a comedian," Ndebesa said. "Uganda is a political accident waiting to happen. A singer like Bobi Wine can put Uganda on fire." +Running against both the ruling party and the main opposition party under Besigye, Ssentamu won his parliament seat by a landslide last year after a campaign in which he presented himself as the voice of youth. +"It is good to imagine things, but it is better to work toward that imagination," he told the local broadcaster NBS afterward while speaking about his presidential ambitions. "But it does not take only me. It takes all of us." +Not long after taking his parliament seat, Ssentamu was among a small group of lawmakers roughed up by security forces inside the chamber for their failed efforts to block legislation that opened the door for Museveni to possibly rule for life. +"You are either uninformed or you are a liar, a characteristic you so liberally apply to me," the president said to Ssentamu in a scathing letter published in local newspapers in October amid public debate over the law. +Museveni, who took power by force in 1986, is now able to rule into the 2030s. While his government is a key U.S. security ally, notably in fighting Islamic extremists in Somalia, the security forces have long faced human rights groups' allegations of abuses. +The alleged harassment of Ssentamu, however, has only boosted his popularity and led to calls for a presidential run in 2021. +"Bobi Wine is now a phenomenon in the sense of the reaction of the state," said Asuman Bisiika, a Ugandan political analyst. "The only critical thing is how he responds to the brutality of the state. How does he respond after the physical impact of the state on his body? We are waiting." +A trial before a military court is likely to be drawn out over months and possibly years, impeding his political activities. His followers have expressed concern that this was the government's motive in locking him up. +In the poor suburb of Kamwokya in the capital, Kampala, where Ssentamu's musical journey started and where he is fondly recalled as "the ghetto president," some vow to fight until he is freed. On Thursday, protesters were quickly dispersed by police lobbing tear gas. +"For us, Bobi Wine is a good leader because he cares for the ordinary person and he is a truth teller," said John Bosco Ssegawa, standing in a street where tires had been burned. "And those people whose names I will not mention think he is wrong. No, they are wrong." +___ +Follow Africa news at https://twitter.com/AP_Africa Join the conversation Sign in to comment (not connected to your Insider Club login). You're logged in as Loading profile... Unexpected error. Please try again. Notice: Your email may not yet have been verified. Please check your email, click the link to verify your address, and then submit your comment. If you can't find this email, access your profile editor to re-send the confirmation email. You must have a verified email to submit a comment. Once you have done so, check again . Commen \ No newline at end of file diff --git a/input/test/Test3481.txt b/input/test/Test3481.txt new file mode 100644 index 0000000..1e4d6f3 --- /dev/null +++ b/input/test/Test3481.txt @@ -0,0 +1,12 @@ +( ArtfixDaily.com ) +Fusion Art is pleased to announce the opening of the 3rd Annual Artist's Choice International Art Exhibition. The exhibition is now available for viewing on the Fusion Art website and features awards in three categories: Traditional Art, Digital Art & Photography and 3-Dimensional Art. +For this open (no theme) competition, both 2D & 3D artists, worldwide, were encouraged to submit their best art and photography in any subject matter and any media. +The Artist's Choice Best in Show winners are Mike Welton for his oil on canvas, "Hotel", August Naude for his photograph, "No More Judgement" and Rob Lenihan for his porcelain and ash, "Lost Boy." Mike, August and Rob are Fusion Art's Featured Artists for the month of August 2018 and, as the Best in Show winners, all three artists are invited to participate in Fusion Art's 3rd Annual Group Show in Palm Springs in February 2019. +Other award winners include Second Place winners, Kathy Christian for her colored pencil, "Nosey Neighbors", Codie Moore for her photograph, "Midnight Mist," and Haimi Fenichel for his hollow sand casting, "Sandbox Series." Third Place awards were given to Kathleen Giles for her watercolor, "A Sustaining Passion" Nancy Jo Ward for her pastels on archival print on Hahnemühle Paper, "Virginia," and Gale Rothstein for her mixed media assemblage, "My Life as a Boy." Fourth Place awards were given to Elizabeth Burin for her watercolor, "Ancient Pueblo (Balcony House)" and Tianran Qin for his archival pigment print, "Logan's, Enmarket & Chick-fil-A." Fifth Place awards were given to Gail Lehman for her acrylic on canvas, "Jacob's Ladder" and Zachary Ruddell for his photograph, "quiet Monument #30." +Rounding out the awards for the exhibition are twelve Honorable Mention winners. Honorable Mention awards in the Traditional Art category are given to Toni Silber-Delerive for her acrylic on canvas, "Dusseldorf", Hossein Edalatkhah for his acrylic on canvas, "Dancing Shadows", Doreen Wulbrecht for her acrylic on canvas, "Summer Solstice Rose", M Alexander Gray for his woodcut, "Hardware River Aqueduct II", Kien Nguyen for his graphite, "Follow Me", and John Shimmin for his watercolor, "Priceless Junk." +Honorable Mention awards in the Digital & Photography category are given to Wendy Veugeler for her photographic portrait, "The Cat's Meow", Sarco for her digital photograph, "Butting Heads (6920)", Jake Mosher for his digital photograph, "Kiss the Bride", Liza Botkin for her silver gelatin print, "Twin Landscapes", Ryan Chesla for his photograph, "Radiating Fog", and Jeb Gaither for his digital print on canvas, "ArtByAi #1432 Gold Silver & Copper." +The remaining finalists in the exhibition all exemplified uniquely creative talents and we are honored to showcase their artwork on the Fusion Art website. +The international competition received a diverse collection of quality artwork from artists all around the world, including the US, Canada, United Kingdom, Australia, Germany, Japan, Taiwan, Israel, Belgium and South Africa. The exhibition will be featured on the Fusion Art website for the month of August 2018. +Founded by Award winning artist, Chris and Valerie Hoffman, Fusion Art was envisioned and formed out of a passion for art and the artists who create it. The website promotes and connects new, emerging and established artists with collectors and art enthusiasts, while offering the opportunity to participate in art competitions, exhibitions and experiences. +Each month and quarter Fusion Art hosts uniquely themed solo and group art competitions and exhibitions. Both winners and finalists are provided with worldwide exposure, by having their work promoted through Fusion Art's website, in hundreds of press release announcements, email marketing, online event calendars, art news websites and through the gallery's social media outlets. The gallery's objective is to promote the artists, worldwide, to art professionals, gallerists, collectors and buyers. +To view the exhibition and for further information on all the winners and finalists, please visit Fusion Art's website: https://fusionartps.com/3rd-artists-choice-art-exhibition-august-2018/ . Fusion Ar \ No newline at end of file diff --git a/input/test/Test3482.txt b/input/test/Test3482.txt new file mode 100644 index 0000000..84f0ace --- /dev/null +++ b/input/test/Test3482.txt @@ -0,0 +1,27 @@ +A Congressional bill introduced this week to enact federal regulations on port emissions highlights the political salience of the issue. Photo credit: Shutterstock +The new zero and near-zero emission guidelines the ports of Los Angeles and Long Beach approved Nov. 2 for container terminal operators and harbor truckers in Southern California will be by far the strictest for any US port, and if past is precedent, other ports will adopt similar guidelines to meet their environmental goals. +The good news for port users is that despite dire predictions by some industry sources that these guidelines will result in inflated costs and lead to cargo diversion, equipment manufacturers are already testing some of these zero-emission units. If successful, the equipment will be mass-produced, much like what is occurring today with electric and battery-powered automobiles. +If zero or near-emission yard tractors, top handlers, rubber-tired gantry cranes and drayage trucks are manufactured in commercial quantities, the cost of port-related equipment is expected to drop considerably. Furthermore, plug-in electric and battery-powered vehicles experience much lower operating and maintenance costs than diesel-powered units. This means that terminal operators and drayage companies at many US ports may opt for this technology as their first choice. +The 2017 Clean Air Action Plan that the ports adopted this week is an environmental document that will guide investment decisions by terminal operators and motor carriers in Southern California for the next 20 years. The ports state that this third version of the 2006 CAAP could come at a cost of $14 billion to ports and their stakeholders by 2035. +Rick Cameron, managing director of planning and environmental at the Port of Long Beach, cautioned that before assuming that they will be burdened by unreasonable costs for replacing equipment, terminal operators and drayage companies must first understand that the Clean Air Action Plan that was released on Oct. 23 will not force specific technologies on the industry, nor will it enforce rigid deadlines based on yet-to-be developed technologies. +Rather, the timelines for achieving zero and near-zero emissions from cargo-handling equipment by 2030 and trucks by 2035 are not requirements. Rather, they are target dates the ports hope to achieve by working with government regulatory agencies, motor carriers, terminal operators and equipment manufacturers for developing, testing, and implementing the latest pollution-reduction technologies. +"These are not mandatory deadlines. They are goals," Cameron said Friday. The ports will work with terminal operators, truckers, and equipment manufacturers to encourage use of the best-available technologies that will reduce pollution without imposing onerous costs on port tenants and their BCO customers. Where available, the ports will advocate for federal and state agency grants to help mitigate the cost of new, cleaner equipment. Some technologies, such as plug-in electric or battery-powered cargo-handling equipment or short-haul trucks, are either available today, or are in various stages of testing and could be massed produced within the coming decade, the CAAP states. +As port users replace equipment, the ports will seek to encourage use of only the latest technologies. "The technologies need to be commercially available and cost-effective," Cameron said. If terminal operators and drayage companies comply with the CAAP guidelines when they replace their equipment with units that are in compliance, they will be allowed to continue operating that cargo-handling equipment until its useful life is over, even if zero-emission technology becomes commercially available in the interim, he said. +Click to Enlarge +Most container ports today have green programs that are geared largely to the particular needs in their region, be it clean water or clean air. Most ports encourage the use of cleaner trucks, either through their own clean-truck programs such as exist in Seattle-Tacoma and Oakland, or through an industry organization known as the Coalition for Responsible Transportation. +Although the joint Los Angeles-Long Beach CAAP was implemented in 2006 and updated in 2012, this latest version, dubbed CAAP 3.0, has terminal operators and drayage companies more concerned than they were by the previous roll-outs because all of the easy gains have been achieved, and future reductions in health-risk emissions and greenhouse gases will come at a large cost for what the industry views as incremental gains. +That point was emphasized by John McLaurin , president of the Pacific Merchant Shipping Association, in an Oct. 18 address to the Propeller Club of Southern California. Citing pollution reductions in the mid-90-percent range for some pollutants since the first CAAP was implemented, McLaurin said, "According to the ports' own data, these reductions have been achieved at a cost of between $1 billion and $2 billion. Under the proposed CAAP, the final four percent will cost over $14 billion." +To be specific, the final CAAP 3.0 document that was released on Oct. 23 cites the following pollution reductions since 2006: diesel particulate matter, down 87 percent; nitrogen oxide, down 56 percent; sulfur oxide, down 99 percent; and greenhouse gases, which have only been seriously addressed in the last few years, down 18 percent. The ports are not shy about citing these accomplishments. "The CAAP remains the most successful seaport emission-reduction effort ever implemented," the report stated. The ports also stated that the gains were realized through the effort of port tenants, carriers, regulatory agencies, and the ports themselves. +While the current CAAP focuses largely on cargo-handling equipment and trucks, the effort the past decade has also produced significant reductions in emissions from ocean vessels, harbor craft, and intermodal trains. Future pollution reductions from vessels will come largely from an International Maritime Organization requirement for low-sulfur fuel that will take effect globally in 2020. In other areas, harbor craft are being re-engined and are burning cleaner fuels. Locomotives in California are poised to use Tier 4 engines when they become commercially available. +The main focus of the CAAP 3.0 is on reducing pollution from cargo-handling equipment and harbor drayage trucks. Cargo-handling equipment at container terminals includes yard tractors, top handlers, side handlers, gantry cranes, reach stackers, and forklifts. In Los Angeles-Long Beach, that equipment totals 3,760 units. While terminal operators say zero and near-zero technology has a long way to go in their sector, the CAAP argues that in fact technology in cargo-handling equipment is more advanced than vehicles and equipment used in other areas of the port. +For example, electric (zero-emission) ship-to-shore cranes are common now in many ports. The large rubber-tired gantry cranes that lift containers into and out of the stacks are also becoming more common. The Georgia Ports Authority continues to enter into its fleet RTGs that run mostly on electricity, with only 5 percent of the energy consumed coming from diesel. The GPA stated in November 2016 that 45 of its 146 RTGs have been converted, and by 26 it will have 170 RTGs, all of which will operate primarily from electric power. At full build-out, the Port of Savannah will realize annual savings of $11 million owing to lower fuel and maintenance costs, the GPA stated. +APM Terminals announced in March 2011 that it was embarking upon a program to convert and retrofit more than 400 RTGs in its global operations to operate on a combination of diesel-electric power. APMT said this will result in a 60-80 percent reduction in carbon dioxide (greenhouse gas) emissions. +Mark Sisson, senior port planner at AECOM, said the same scenario is developing in the area of yard tractors, where technology is developing rapidly and zero-emission yard tractors would be commercially available well in advance of the 2030 timeline in the CAAP. In a paper he authored for Port Technology International, Sisson said that because of steadily decreasing costs for batteries, and the eventual commercial production of battery-powered yard tractors, terminal operators will end up paying a premium of about $50,000 per electric yard tractor compared with a typical $125,000 diesel-powered unit. +When the cost of installing the charging infrastructure is added, and the lower maintenance costs and fuel savings inherent in electric-powered vehicles are deducted, many terminal operators will choose to purchase electric-powered tractors, whether or not they are required to do so, because they will experience a net decrease in costs over the life of the equipment, Sisson said. For example, port equipment manufacturer Kalmar has stated that electric top picks may also be available in the near future. Sisson said he believes that the ports' estimate of $14 billion in costs associated with the CAAP is much too high given the rapid advances being made in battery technology and related areas. +Battery technology for automobiles is quickly becoming a passion for manufacturers such as Tesla, Volvo, Ford, and General Motors. The Southern California ports are working with manufacturers to test zero-emission trucks in the rigorous drayage environment. According to the CAAP, there will be 70 zero-emission trucks operating in the port region by the end of 2019. +Nevertheless, drayage companies continue to be scared by the 2035 target date in the CAAP for 100 percent zero emission drayage trucks. Cameron said that as with cargo-handling equipment, the date is a guideline, and even if zero-emission trucks become commercially available before then, drayage companies that meet phased-in guidelines in the CAAP that will take effect over the next 10 years will be allowed to continue operating those trucks for the rest of their useful lives. +The original clean-truck program in the CAAP demonstrated just how quickly a fleet can be replaced with the proper incentives and financial support from the ports and regulatory agencies. The phase-out deadlines in the clean-truck program began in 2008, and by 2010 about 90 percent of the 17,000-truck fleet in Los Angeles-Long Beach was compliant in operating 2007 or newer model vehicles. By Jan. 1, 2012, the entire fleet was compliant. +The Los Angeles-Long Beach clean-truck program has been emulated to various degrees by the Northwest Seaport Alliance of Seattle and Tacoma, Oakland, and New York-New Jersey. The Coalition for Responsible Transportation has taken the clean-truck initiative nationwide, with ports, motor carriers, and BCOs coming together voluntarily to phase out old, dirty trucks from harbor service. +Cameron said Los Angeles and Long Beach have shared their best practices with other ports that have requested a dialogue in pollution-reduction methods that are of particular interest in their region. He said he expects that as advances are made in zero-emission cargo-handling equipment, other ports will turn to Los Angeles and Long Beach for advice on best practices. +Contact Bill Mongelluzzo at bill.mongelluzzo@ihsmarkit.com and follow him on Twitter: @billmongelluzzo . +Port News › US Ports › Port of Long Beach International Logistics › Green Supply Chain Port News › Port Equipment Port News › US Ports › Port of Los Angeles Regulation & Policy Trucking Logistics › Drayage Trucking Logistics › Trucking Equipmen \ No newline at end of file diff --git a/input/test/Test3483.txt b/input/test/Test3483.txt new file mode 100644 index 0000000..631e686 --- /dev/null +++ b/input/test/Test3483.txt @@ -0,0 +1,9 @@ +Tweet +Robert Half International Inc. (NYSE:RHI) EVP Robert W. Glass sold 40,000 shares of Robert Half International stock in a transaction on Wednesday, August 15th. The shares were sold at an average price of $77.50, for a total value of $3,100,000.00. Following the completion of the sale, the executive vice president now directly owns 271,364 shares of the company's stock, valued at $21,030,710. The sale was disclosed in a legal filing with the Securities & Exchange Commission, which is available at this link . +NYSE:RHI opened at $78.09 on Friday. The firm has a market capitalization of $9.71 billion, a P/E ratio of 30.03 and a beta of 1.20. Robert Half International Inc. has a 12-month low of $42.92 and a 12-month high of $79.91. Get Robert Half International alerts: +Robert Half International (NYSE:RHI) last released its earnings results on Tuesday, July 24th. The business services provider reported $0.89 earnings per share (EPS) for the quarter, beating the Zacks' consensus estimate of $0.85 by $0.04. The firm had revenue of $1.46 billion during the quarter, compared to analyst estimates of $1.43 billion. Robert Half International had a return on equity of 33.44% and a net margin of 6.11%. Robert Half International's revenue was up 11.4% compared to the same quarter last year. During the same period last year, the business posted $0.64 earnings per share. research analysts anticipate that Robert Half International Inc. will post 3.45 EPS for the current year. +The firm also recently declared a quarterly dividend, which will be paid on Friday, September 14th. Shareholders of record on Friday, August 24th will be issued a dividend of $0.28 per share. This represents a $1.12 dividend on an annualized basis and a yield of 1.43%. The ex-dividend date is Thursday, August 23rd. Robert Half International's dividend payout ratio (DPR) is 43.08%. +A number of brokerages have recently weighed in on RHI. Robert W. Baird lifted their price objective on Robert Half International from $68.00 to $75.00 and gave the company an "outperform" rating in a research note on Wednesday, July 25th. Credit Suisse Group initiated coverage on Robert Half International in a report on Friday, August 10th. They issued an "underperform" rating and a $57.00 target price for the company. Barclays lifted their target price on Robert Half International from $66.00 to $72.00 and gave the company a "$68.51" rating in a report on Wednesday, July 18th. Zacks Investment Research lowered Robert Half International from a "strong-buy" rating to a "hold" rating in a report on Tuesday, June 26th. Finally, SunTrust Banks reiterated a "hold" rating and issued a $62.00 target price on shares of Robert Half International in a report on Wednesday, April 25th. Three research analysts have rated the stock with a sell rating, four have assigned a hold rating and five have given a buy rating to the company. The stock currently has an average rating of "Hold" and a consensus target price of $64.64. +A number of hedge funds and other institutional investors have recently made changes to their positions in RHI. Old Mutual Global Investors UK Ltd. lifted its holdings in Robert Half International by 361.4% during the 1st quarter. Old Mutual Global Investors UK Ltd. now owns 1,375,033 shares of the business services provider's stock worth $79,600,000 after buying an additional 1,077,023 shares during the last quarter. Argent Capital Management LLC purchased a new stake in Robert Half International during the 2nd quarter worth about $49,785,000. Morgan Stanley lifted its holdings in Robert Half International by 199.6% during the 2nd quarter. Morgan Stanley now owns 1,135,605 shares of the business services provider's stock worth $73,927,000 after buying an additional 756,618 shares during the last quarter. Mackay Shields LLC purchased a new stake in Robert Half International during the 1st quarter worth about $33,850,000. Finally, American Century Companies Inc. lifted its holdings in Robert Half International by 4,750.9% during the 1st quarter. American Century Companies Inc. now owns 495,662 shares of the business services provider's stock worth $28,694,000 after buying an additional 485,444 shares during the last quarter. 88.37% of the stock is owned by institutional investors. +About Robert Half International +Robert Half International Inc provides staffing and risk consulting services in North America, South America, Europe, Asia, and Australia. The company operates through three segments: Temporary and Consultant Staffing, Permanent Placement Staffing, and Risk Consulting and Internal Audit Services. It places temporary personnel for accounting, finance, and bookkeeping; temporary and full-time office and administrative personnel consisting of executive and administrative assistants, receptionists, and customer service representatives; full-time accounting, financial, tax, and accounting operations personnel; and information technology contract consultants and full-time employees in the areas of platform systems integration to end-user technical and desktop support, including specialists in application development, networking, systems integration and deployment, database design and administration, and security and business continuity \ No newline at end of file diff --git a/input/test/Test3484.txt b/input/test/Test3484.txt new file mode 100644 index 0000000..5ca900f --- /dev/null +++ b/input/test/Test3484.txt @@ -0,0 +1,10 @@ +Allweiler to introduce new compact Marine centrifugal pumps at SMM » Video Intercom Devices and Equipments Market Research Report 2018 +In this report, the global Video Intercom Devices and Equipments market is valued at USD XX million in 2017 and is expected to reach USD XX million by the end of 2025, growing at a CAGR of XX% between 2017 and 2025. +Download FREE Sample of this Report @ https://www.24marketreports.com/report-sample/video-intercom-devicesequipments-market-72 +Geographically , this report is segmented into several key Regions , with production, consumption, revenue million USD, market share and growth rate of Video Intercom Devices and Equipments in these regions, from 2013 to 2025 forecast, covering United States South Korea Taiwan +Global Video Intercom Devices and Equipments market competition by top manufacturers , with production, price, revenue value and market share for each manufacturer; the top players including SAMSUNG Quanzhou Jiale Jacques Technologies +On the basis of product , this report displays the production, revenue, price, market share and growth rate of each type, primarily split into Analog Type IP Type +On the basis of the end users/applications , this report focuses on the status and outlook for major applications/end users, consumption sales, market share and growth rate for each application, including Residential Industrial Use Others +If you have any special requirements, please let us know and we will offer you the report as you want. Get the Complete Report & TOC @ https://www.24marketreports.com/semiconductor-and-electronics/video-intercom-devicesequipments-market-72 +Table of content +Global Video Intercom Devices and Equipments Market Research Report 2018 1 Video Intercom Devices and Equipments Market Overview 1.1 Product Overview and Scope of Video Intercom Devices and Equipments 1.2 Video Intercom Devices and Equipments Segment by Type Product Category 1.2.1 Global Video Intercom Devices and Equipments Production and CAGR % Comparison by Type Product Category20132025 1.2.2 Global Video Intercom Devices and Equipments Production Market Share by Type Product Category in 2017 1.2.3 Analog Type 1.3 Global Video Intercom Devices and Equipments Segment by Application 1.3.1 Video Intercom Devices and Equipments Consumption Sales Comparison by Application 20132025 1.3.2 Residentia \ No newline at end of file diff --git a/input/test/Test3485.txt b/input/test/Test3485.txt new file mode 100644 index 0000000..97ab1c6 --- /dev/null +++ b/input/test/Test3485.txt @@ -0,0 +1 @@ +Testen Sie ihr Schwinger-Wissen Vor dem Saisonfinal auf der Schwägalp: Was wissen Sie über den Schweizer Nationalsport?


Feedback

Tragen Sie mit zu diesem Artikel bei oder melden Sie uns Fehler.

1921892 Sign In or Sign Up now to post a comment! All Comments (0) No comments receieved yet, Be first to add comment Feature Videos 1:56:1 \ No newline at end of file diff --git a/input/test/Test4258.txt b/input/test/Test4258.txt new file mode 100644 index 0000000..34857fa --- /dev/null +++ b/input/test/Test4258.txt @@ -0,0 +1,8 @@ +By Carlo Martuscelli +Novo Nordisk A/S (NOVO-B.KO) said Friday that it has bought Ziylo--a U.K.-based company developing advanced treatments for diabetes--in a deal that could be worth more than $800 million. +The Danish pharmaceutical company didn't lay out the specific financial terms of the deal, but said it consisted of an upfront payment, with future payments contingent on certain milestones. The total payout could exceed $800 million once certain development, regulatory and sales milestones are achieved, it said. +Under the terms of the deal, Novo Nordisk acquired the rights to Ziylo's glucose binding molecule platform, a technology for the development of a next-generation insulin therapy called glucose responsive insulin. The new therapy could allow diabetic patients to avoid hypoglycemia, a risk associated with existing insulin treatments, it said. +Novo Nordisk said that before the deal closed, Ziylo spun out a number of its research activities to a new company called Carbometrics. Novo Nordisk said it entered a research collaboration with the new company, which retains the rights to develop glucose monitoring applications. +"We believe the glucose binding molecules discovered by the Ziylo team together with Novo Nordisk world-class insulin capabilities have the potential to lead to the development of glucose responsive insulin which we hope can remove the risk of hypoglycaemia and ensure optimal glucose control for people with diabetes," Novo Nordisk's senior vice president of global drug discovery, Marcus Schindler, said. +Write to Carlo Martuscelli at carlo.martuscelli@dowjones.com + 17, 2018 05:51 ET (09:5 \ No newline at end of file diff --git a/input/test/Test4259.txt b/input/test/Test4259.txt new file mode 100644 index 0000000..ed115dd --- /dev/null +++ b/input/test/Test4259.txt @@ -0,0 +1 @@ +1. Automatic import of account documents is 80% completed. 2. Management of p2p exception nodes on mainnet is 50% completed. 3. PRC interface testing is 70% completed. 4. Crash bug on mainnet node is fixed. [BROWSER] Bug fixing and optimization of new version browser is 80% completed. Community operation Extra bonuses (iphone X and CZR related souvenir) of "Lock CZR to Win ETH" incentive program has been given away to the winners. On August 11th, Canonchain representatives were invited to "Industry Breakthroughs Entrepreneur Summit" hosted by Zn Finance. The summit focused on discussions of four hot topics of "new technology, new manufacturing, new finance and Blockchain". Pan Yuefei, founder of Zn Finance, summed up the way to survive in the new industrial economy. Core technology is much more significant than product experience and supply chain. After the summit, Canonchain representatives also discussed with many entrepreneurs from all over the country about the tokenization of the real economy and reached cooperation intention. Canonchain will continue to embrace more industry partners and accelerate the development of tokenomics. On August 15th, Canonchain community participated in the "Blockchain technology application in digital copyright Seminar" hosted by Shenzhen cultural assets and equity exchange. The problem of traditional copyright has been a pain point that needs to be improved in the industry in recent years. The emergence of the blockchain industry provides good infrastructure for right determination and tracing. Canonchain will participate in the pace of development of The Times and assume a strong responsibility in infrastructure construction. On August 17th, the 2nd Hangzhou Expo of Intelligent Life is held in Hangzhou International Expo Center. Canonchain nodo has drawn great attention from Blockchian enthusiastics. The Expo will last two more days. You can find CZR through the following way \ No newline at end of file diff --git a/input/test/Test426.txt b/input/test/Test426.txt new file mode 100644 index 0000000..72abc25 --- /dev/null +++ b/input/test/Test426.txt @@ -0,0 +1 @@ +Get Fit for Fall with El Cid Vacations Club and Mexico's Major Sporting Events August 17 Share it With Friends El Cid Vacations Club welcomes all its guests participating in Oceanman, Aquarun Cancun, and the MayanMan Triathlon this month. El Cid Vacations Club, the award-winning resort group with properties throughout Mexico welcomes its guests who are participating in the country's most challenging sporting events this August including Oceanman, Aquarun Cancun, and the MayanMan Triathlon. Oceanman is the world's first and only open water swimming world championship. The current season of the Oceanman circuit has featured races all over the world including Langkawi, Malaysia, Tabarca, Spain, Sochi, Russia, and the latest Oceanman event, which was held in Cozumel, Mexico earlier this month. Hundreds of swimmers of all ages and skill levels took to the warm waters off the shores of the Playa Mia Grand Beach Park to participate in various open ocean swim events including a rigorous 10-kilometer race. The second annual MayanMan Triathlon will take place on August 19 th in Tulum, Quintana Roo. Not for the faint of heart, participants of the MayanMan can choose to race in two categories: Triathlon Sprint which includes a 750m swimming race, 20km cycling race, and a 5k race and Medium Distance which includes a 1900m swimming race, 90k cycling race, and a 21k race. Those who complete and place in the MayanMan will receive unique handmade trophies or medals crafted by Mayan artisans from the Yucatan. For visitors who may find the MayanMan a little too intense for their skill set, Aquarun Cancun will take place on August 19 th in Cancun on Coral Beach in the heart of the Hotel Zone. Participants will take to the streets for an untimed 5k race and then hit the open waters for a swimming competition that varies in distance from 500 meters to 2.5 kilometers. For athletes participating in these events, or for folks who simply want to get away from it all, El Cid Vacations Club's properties in Riviera Maya and Cozumel are ideal resort destinations. Travelers visiting Riviera Maya can stay at either Hotel Marina El Cid Spa & Beach Resort, or El Cid's newest property, Ventus at Marina El Cid Spa & Beach Resort. No matter which property one chooses, everyone can relax their sore muscles or train for upcoming sporting events at El Cocay Spa. This newly renovated, beachfront spa complex features breathtaking views of the Caribbean Sea and a wide array of healing remedies and massage techniques to balance the mind, body, and spirit of all El Cid guests. In Cozumel, guests can make El Cid La Ceiba Beach Hotel their home away from home. Located just three miles from downtown San Miguel, El Cid La Ceiba Beach Hotel offers guests superior accommodations, seaside dining options, and endless activities from massage treatments to zipline adventures. For almost 50 years, El Cid has made it its mission to provide guests the best vacation experiences possible at all seven of its resort properties in Mexico's most popular destinations. El Cid Vacations Club offers its guests luxurious accommodations, endless dining options, and unparalleled service. For more information about El Cid Vacations Club please visit: https://elcidvacationsclub.com/ About El Cid Vacations Club El Cid Vacations Club is a global leader in the vacation ownership and resort industry, delivering a wide variety of memorable vacation experiences for members. El Cid Vacations Club continually strives to enhance its member services and guest experiences. Members are invited to take advantage of downloading the complimentary El Cid Vacations Club Member mobile app available on both the App Store and Google Play (keyword "ecvc"). This application allows members to stay up to date on the most recent news, make reservations, and always stay in contact with El Cid Vacations Club. This is the perfect opportunity for El Cid Vacations Club members to plan their next dream vacation at one of the many stunning El Cid properties. For more information, visit http://www.elcidvacationsclub.com . Media Contac \ No newline at end of file diff --git a/input/test/Test4260.txt b/input/test/Test4260.txt new file mode 100644 index 0000000..985cb60 --- /dev/null +++ b/input/test/Test4260.txt @@ -0,0 +1,8 @@ +Emerge Energy Services (EMES) Reaches New 52-Week Low at $5.30 Nicolas Jordan on Aug 17th, 2018 Tweet +Shares of Emerge Energy Services LP (NYSE:EMES) reached a new 52-week low on Wednesday . The stock traded as low as $5.30 and last traded at $5.53, with a volume of 9855 shares traded. The stock had previously closed at $5.75. +EMES has been the subject of several recent research reports. Goldman Sachs Group downgraded shares of Emerge Energy Services from a "buy" rating to a "neutral" rating and set a $8.00 price target for the company. in a research note on Monday, May 14th. Stifel Nicolaus downgraded shares of Emerge Energy Services from a "buy" rating to a "hold" rating in a research note on Thursday, August 2nd. Zacks Investment Research downgraded shares of Emerge Energy Services from a "buy" rating to a "hold" rating in a research note on Wednesday, July 4th. B. Riley lowered their price objective on shares of Emerge Energy Services from $10.00 to $9.00 and set a "neutral" rating for the company in a research note on Thursday, August 2nd. Finally, Piper Jaffray Companies reaffirmed a "hold" rating and set a $7.00 price objective on shares of Emerge Energy Services in a research note on Tuesday, August 7th. One analyst has rated the stock with a sell rating, eight have issued a hold rating and one has given a buy rating to the stock. The company has a consensus rating of "Hold" and a consensus target price of $8.75. Get Emerge Energy Services alerts: +The company has a market cap of $192.41 million, a P/E ratio of -46.00 and a beta of 1.93. The company has a current ratio of 1.74, a quick ratio of 1.35 and a debt-to-equity ratio of 2.81. +Emerge Energy Services (NYSE:EMES) last issued its quarterly earnings data on Wednesday, August 1st. The oil and gas company reported $0.30 EPS for the quarter, missing the consensus estimate of $0.38 by ($0.08). The firm had revenue of $101.84 million for the quarter, compared to the consensus estimate of $122.78 million. Emerge Energy Services had a net margin of 5.19% and a return on equity of 40.78%. The business's revenue was up 23.3% on a year-over-year basis. During the same period last year, the company posted ($0.11) earnings per share. equities analysts predict that Emerge Energy Services LP will post 1.25 EPS for the current fiscal year. +Several large investors have recently modified their holdings of the company. Private Advisor Group LLC raised its stake in shares of Emerge Energy Services by 88.2% during the second quarter. Private Advisor Group LLC now owns 19,100 shares of the oil and gas company's stock valued at $135,000 after acquiring an additional 8,950 shares during the last quarter. Wells Fargo & Company MN raised its stake in shares of Emerge Energy Services by 66.6% during the fourth quarter. Wells Fargo & Company MN now owns 56,500 shares of the oil and gas company's stock valued at $406,000 after acquiring an additional 22,585 shares during the last quarter. Sanders Morris Harris LLC raised its stake in shares of Emerge Energy Services by 156.1% during the second quarter. Sanders Morris Harris LLC now owns 88,600 shares of the oil and gas company's stock valued at $632,000 after acquiring an additional 54,000 shares during the last quarter. GSA Capital Partners LLP increased its position in shares of Emerge Energy Services by 42.1% during the second quarter. GSA Capital Partners LLP now owns 198,162 shares of the oil and gas company's stock valued at $1,413,000 after buying an additional 58,700 shares during the period. Finally, Deutsche Bank AG purchased a new position in shares of Emerge Energy Services during the fourth quarter valued at about $1,134,000. 9.62% of the stock is owned by hedge funds and other institutional investors. +About Emerge Energy Services ( NYSE:EMES ) +Emerge Energy Services LP, through its subsidiary, Superior Silica Sands LLC, operates an energy services company in the United States. It engages in mining, producing, and distributing silica sand, which is a primary input for the hydraulic fracturing of oil and natural gas wells. The company serves oilfield services companies, and exploration and production companies that are engaged in hydraulic fracturing. Receive News & Ratings for Emerge Energy Services Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Emerge Energy Services and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test4261.txt b/input/test/Test4261.txt new file mode 100644 index 0000000..c915ade --- /dev/null +++ b/input/test/Test4261.txt @@ -0,0 +1,17 @@ +The "Global Cancer Immunotherapies Market to 2024 - Increased Uptake of Immune Checkpoint Inhibitors Driving Growth, Supported by a Large, Robust Pipeline" report has been added to ResearchAndMarkets.com's offering. +The report focuses on the key indications of breast cancer, leukemia, lymphoma, melanoma and non-small cell lung cancer, these indications are the largest in terms of size, with 448, 526, 456, 415 and 374 in active development, respectively. The pipeline is dominated mAbs, cell therapies, small molecules and cancer vaccines. +Cancer immunotherapy, which can predominantly be classed as a form of targeted therapy, drives an immune response against cancer cells. This may include stimulating a patient's immune system in a general way or aiding the identification of specific antigens associated with the cancer. +The interest in cancer immunotherapy development has been driven by the growing understanding of the immune system as a hallmark of cancer pathophysiology, particularly immune evasion of developing cancer cells. Overall, 3,863 products are being actively developed in the cancer immunotherapy pipeline, approximately half of the overall oncology pipeline. +Scope +Global revenue from the cancer immunotherapies market is forecast to increase from $33.7 billion in 2017 to $103.4 billion in 2024, at a compound annual growth rate of 17.4%. What is driving this growth? The leading companies in terms of market share are Celgene, Merck & Co., Bristol-Myers Squibb and Roche. Which of these are forecast to experience the largest growth? There are some key new approvals and late-stage products set to enter the market during the forecast period. Which impact will these drugs have on the market? The market has been dominated by immune checkpoint inhibitors and drugs that target tumor associated antigens. To what extent will these classes of drugs and others dominate the market over the forecast period? There are 3,863 cancer immunotherapy products in the pipeline. What molecular targets are most abundant in the pipeline and what role will pipeline product approvals play in market growth? Cancer immunotherapy clinical trials have an overall attrition rate of around 96%, what can companies do to maximize their chance of success? Key Topics Covered: +1 Tables & Figures +2 Introduction +3 Key Marketed Products +4 Pipeline Landscape Assessment +5 Multi-scenario Market Forecast to 2024 +6 Company Analysis and Positioning +7 Strategic Consolidations +8 Appendix +Companies Featured +AbbVie Advaxis Amgen AstraZeneca Biogen Bristol-Myers Squibb Celgene Gilead Sciences Incyte Corp Johnson & Johnson Juno Therapeutics Merck & Co. Novartis Ono Pharma Regeneron/Sanofi Roche For more information about this report visit https://www.researchandmarkets.com/research/9rpwcx/global_cancer?w=4 +View source version on businesswire.com: https://www.businesswire.com/news/home/20180817005119/en \ No newline at end of file diff --git a/input/test/Test4262.txt b/input/test/Test4262.txt new file mode 100644 index 0000000..590d907 --- /dev/null +++ b/input/test/Test4262.txt @@ -0,0 +1,7 @@ + Scott Lucas | Aug 17, 2018 | Uncategorized | 0 | +We are updating the EA website on Friday — to improve access for our existing readers and to bring in a new audience. +[While we are updating the homepage, you can reach our latest content via the menu —"Syria. Iran. United States. World"— at the top.] +EA will now stand for "Engagement. Analysis" as we offer a window on the world, from Syria to Iran to Europe to the US. Building on our foundation of engaging from the ground up with contributors and local groups, we will be expanding our news and analysis of these areas and looking to move into others. +There will also be a ground-breaking partnership with the University of Birmingham, linking the latest academic research to insight on current events, as well as our current link with the Clinton Institute of University College Dublin. +And, yes, there will be a new logo to reflect all of this. +Onward and upwards. Thanks to all of you. Share \ No newline at end of file diff --git a/input/test/Test4263.txt b/input/test/Test4263.txt new file mode 100644 index 0000000..173006d --- /dev/null +++ b/input/test/Test4263.txt @@ -0,0 +1,12 @@ +0 2.92 +TransMontaigne Partners presently has a consensus target price of $44.25, suggesting a potential upside of 15.11%. Mplx has a consensus target price of $41.50, suggesting a potential upside of 11.02%. Given TransMontaigne Partners' higher probable upside, analysts plainly believe TransMontaigne Partners is more favorable than Mplx. +Dividends +TransMontaigne Partners pays an annual dividend of $3.18 per share and has a dividend yield of 8.3%. Mplx pays an annual dividend of $2.51 per share and has a dividend yield of 6.7%. TransMontaigne Partners pays out 144.5% of its earnings in the form of a dividend, suggesting it may not have sufficient earnings to cover its dividend payment in the future. Mplx pays out 236.8% of its earnings in the form of a dividend, suggesting it may not have sufficient earnings to cover its dividend payment in the future. TransMontaigne Partners has increased its dividend for 8 consecutive years and Mplx has increased its dividend for 4 consecutive years. TransMontaigne Partners is clearly the better dividend stock, given its higher yield and longer track record of dividend growth. +Institutional & Insider Ownership +61.6% of TransMontaigne Partners shares are held by institutional investors. Comparatively, 30.9% of Mplx shares are held by institutional investors. 20.4% of TransMontaigne Partners shares are held by insiders. Strong institutional ownership is an indication that endowments, hedge funds and large money managers believe a stock will outperform the market over the long term. +Summary +Mplx beats TransMontaigne Partners on 10 of the 17 factors compared between the two stocks. +About TransMontaigne Partners +TransMontaigne Partners L.P. provides integrated terminaling, storage, transportation, and related services. The company operates through Gulf Coast terminals, Midwest terminals and pipeline system, Brownsville terminals, River terminals, Southeast terminals, and West Coast terminals segments. It offers its services for companies engaged in the trading, distribution, and marketing of light and heavy refined petroleum products, crude oil, chemicals, fertilizers, and other liquid products. The company operates 8 refined product terminals in Florida with approximately 7.0 million barrels of aggregate active storage capacity; a 67 mile interstate refined products pipeline; 2 refined product terminals with approximately 5 million barrels of active storage capacity; and 5.4 million barrels of aggregate storage capacity. It operates 1 crude oil terminal in Cushing with an aggregate active storage capacity of approximately 1.0 million barrels; 1 refined product terminal located in Oklahoma City with aggregate active storage capacity of approximately 0.2 million barrels; 1 refined product terminal located in Brownsville with an aggregate active storage capacity of approximately 0.9 million barrels; and a 16 mile LPG pipeline from its Brownsville facility to the U.S. border. In addition, the company operates a 174 mile bi-directional refined products; 7.1 million barrel terminal facility on Houston Ship Channel; 12 refined product terminals with approximately 2.7 million barrels of aggregate active storage capacity, as well as operates a dock facility; 22 refined product terminals located along Colonial and Plantation pipelines with an aggregate active storage capacity of approximately 11.9 million barrels; and 2 refined product terminals with active storage capacity of approximately 5.0 million barrels. TransMontaigne Partners L.P. was founded in 2005 and is headquartered in Denver, Colorado. +About Mplx +MPLX LP owns, operates, develops, and acquires midstream energy infrastructure assets. It operates in two segments, Logistics and Storage, and Gathering and Processing segments. The company is involved in the gathering, processing, and transportation of natural gas; gathering, transportation, fractionation, storage, and marketing of natural gas liquids (NGLs); and gathering, transportation, and storage of crude oil and refined petroleum products. MPLX LP also engages in inland marine business, which transports light products, heavy oils, crude oil, renewable fuels, chemicals, and feedstocks in the Midwest and U.S. Gulf Coast regions through inland marine vessels. As of December 31, 2017, its assets included 1,613 miles and 2,360 miles of owned or leased and operated crude oil and product pipelines; partial ownership in 2,194 miles and 1,917 miles of crude oil and products pipelines; and a barge dock facility with approximately 78 thousand barrels per day (mbpd) of crude oil throughput capacity; crude oil and product storage facilities with approximately 18,642 thousands of barrels (mbbls) of available storage capacity. The company's assets also comprised 9 butane and propane storage caverns with approximately 2,755 mbbls of NGL storage capacity; 59 light products terminal facilities, 1 leased terminal, and partial ownership in 2 terminals, with a combined total shell capacity of approximately 23.8 million barrels; 18 tow boats and 232 barges; and gathering and processing infrastructure, with approximately 5.9 one billion cubic feet of natural gas per day (bcf/d) of gathering capacity, 8.0 bcf/d of natural gas processing capacity, and approximately 610 mbpd of fractionation capacity. MPLX GP LLC acts as the general partner of MPLX LP. MPLX LP was founded in 2012 and is based in Findlay, Ohio. Receive News & Ratings for TransMontaigne Partners Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for TransMontaigne Partners and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test4264.txt b/input/test/Test4264.txt new file mode 100644 index 0000000..e3b88e0 --- /dev/null +++ b/input/test/Test4264.txt @@ -0,0 +1,37 @@ +The 41 best free web fonts The 41 best free web fonts Add typographic personality to your next website without breaking the bank. Shares Page 2 +Searching for brilliant free web fonts? We know it's time-consuming to cut through the ocean of free fonts online, so we've rounded up the best free web fonts right here to get you started. +Of course, the very best examples aren't usually free. For those, there are various methods you can use to source and license great web fonts, including subscription-based models such as Typekit and Fontspring , which boast libraries of quality typefaces that are becoming increasingly popular with professional designers. +If you're on a tight budget, however, or just looking to experiment on a smaller project, there are plenty of good web fonts available at no cost, if you know where to look. And that's where this list of the best free web fonts comes in. +Below, you'll find a broad selection of web fonts, so there should be something here to suit every project. And don't forget to check out our articles How to use webfonts and How to choose the right typeface for your brand , if you need assistance. 01. Sawarabi Mincho +Sawarabi Mincho contains thousands of glyphs +If you're looking for a web font that's designed to maintain a high legibility even in small text sizes, Sawarabi Mincho could be the family for you. With both Latin and Kanji glyphs included, Sawarabi Mincho is a popular font around the world. Available in just one weight and style, this set likes to keep things straightforward. 02. M+ 1p +This set is focussed on being a sophisticated and relaxed design +M+ 1p is a set from the M+ Outline Fonts Project , which has developed a superfamily set of free web fonts consisting of four sub families. For M+ 1p, the team created a proportional font with seven weights ranging from thin to black. With its crisp shape and sleek terminals, this letterforms aim to be sophisticated and relaxed at the same time. 03. Do Hyeon +Do Hyeon is inspired by kitschy hand-cut vinyl letters +Taking its inspiration from old and kitschy hand-cut vinyl letters on acrylic sheets, Do Hyeon is a Latin and Korean split font. In this set, consonants and vowels are visually connected, and the font even selects the right consonant for its adjacent vowel. Pretty clever. 04. Palanquin Palanquin has seven weights plus a heavier display family +A Unicode-compliant Latin and Devanagari text type family designed for the digital age, Palanquin is a versatile font family that strikes the balance between typographic conventions and visual flair. It consists of seven text weights and can be extended with a heavier display family, Palanquin Dark. +If you'd like to contribute to the Palanquin project you can find it here on GitHub . 05. Ostrich Sans Ostrich Sans is a gorgeous modern sans-serif, available in a variety of styles and weights +Available from The League of Moveable Type, free web font Ostrich Sans is a gorgeous modern sans-serif with a very long neck. The family comes complete with a number of styles and weights, including dash, rounded, ultra light, normal and black. 06. PT Sans PT Sans is based on Russian sans serif types of the second part of the 20th century +PT Sans was developed for the project Public Types of Russian Federation. Based on Russian sans serif types of the second part of the 20th century, free web font PT Sans also incorporates distinctive features of contemporary humanistic designs. +PT Sans was designed by Alexandra Korolkova, Olga Umpeleva and Vladimir Yefimov and released by ParaType in 2009. 07. Fira Sans Fira Sans was created by legendary type designer Erik Spiekermann +Free web font Fira Sans was created by legendary type designer Erik Spiekermann, with additional contributions from Carrois Type Design. Designed to integrate with the character of the Mozilla FirefoxOS, the Fira family aims to cover the legibility needs for a large range of handsets varying in screen quality and rendering. 08. Montserrat Montserrat is inspired by the urban typography of the region in Buenos Aires +Julieta Ulanovsky created this font because she wanted to preserve the beautiful typography she saw on the street signage in Montserrat, Buenos Aires. As the area is developed, the old posters and signs are lost. This font is distributed under an open source license and goes some way toward preserving the urban typography of the historic region. 09. Abril Fatface Perfect for arresting headlines +Abril Fatface is part of a big type family that has 18 styles designed for all kinds of uses. Fatface has a strong, elegant presence that makes for striking headlines. It's commonly paired with Lato, Open Sans and Droid Sans. 10. Playfair Display Great for squeezing into tight spots +With its extra large x-height and short descenders Playfair Display is particularly suited to headlines, especially if space is tight. It works well with Georgia, and you'll also see it used with Oswald, Lato and Arvo. 11. GT Walsheim GT Walsheim is a popular choice for design blogs +Used by many design blogs these days, GT Walsheim is a geometric sans-serif typeface designed by Noël Leu and released in 2010 through Swiss foundry Grilli Type. +You have to pay for the full font family, but Grillit Type kindly offers GT Walsheim as a free trial, so you can try before you buy. 12. Merriweather A good choice for long reads on screens +If readability on screens is a priority in your project you might reach for Merriweather, which was designed especially for this purpose. Merriweather is always evolving, and you can request features and stay up to date by checking creator Eben Sorkin's blog . 13. Josefin Sans Josefin Sans captures something of the Swedish design style +Josefin Sans was drawn with vintage Swedish design in mind, and has a geometric, elegant aesthetic. The letter z has a distinctive 'haircut', which was inspired by New Universal Typeface Newut from André Baldinger. 14. Gravitas One This web font will be perfect for headers and tabs +Designed by Riccardo De Franceschi, Gravitas One is modelled on the 'UK fat face' – a heavy advertising type created during the industrial revolution in England. +This is a font that'll look great in a medium to large scale; perfect for headers, tabs and striking titles. 15. Jura Jura comes in four different weights, so will work well almost anywhere! +Daniel Johnson wanted to create a Roman alphabet using the same kinds of strokes and curves as the Kayah Li glyphs. Jura was born and has been expanded to include glyphs for the Cyrillic and Greek alphabets. It's available in light, book, medium, and demibold weights. 16. League Gothic The League of Moveable Type delivers another stellar web font +Originally designed by Morris Fuller Benton for the American Type Founders Company in 1903, League Gothic has been given a new lease of life thanks to The League of Moveable Type. +Thanks to a commission from WND.com, the web font has been revised and updated with contributions from Micah Rich, Tyler Finck, and Dannci, who have contributed the extra glyphs. 17. Fjord Fjord is perfect for content on the web +Fjord is a serif typeface, originally designed with printed books in mind, and particularly intended for long texts in small print sizes. This will look great for your longer content on the web as it features sturdy construction, prominent serifs, low-contrast modulation and long elegant ascenders and descenders relative to the 'x' height. 18. Amaranth Play around with Amaranth and see what works for your site +The Amaranth family is a friendly upright italic design with a slight contrast and distinctive curves. With its three new styles Amaranth works really well with almost any text type. This is a font perfect for playing around with – see what works! 19. Gentium Basic The free web font Gentium Basic was designed as a multilingual face +Released under the SIL Open Font License, Victor Gaultney's serif was designed specifically as a multilingual face, incorporating Latin, Cyrillic and Greek scripts and advanced support in the Gentium Plus version. Gentium Basic and Gentium Book Basic are both available as free web fonts, but are restricted to a Latin character set. 20. Open Sans This free web font is crisp, clean and optimised for web and mobile +Designed by Steve Matteson, type director at Ascender Corp, this humanist sans serif boasts great legibility even at small sizes, and has been optimized for both web and mobile interfaces. This free web font has an upright feel, with open letterforms and a neutral-yet-friendly appearance that ensures versatility. 21. Signika The free web font Signika was designed with clarity in mind +In the tradition set by the likes of Meta and Tahoma, Anna Giedry 's designed Signika with signage and wayfinding in mind, where clarity is key. This free web font is a sans serif with low contrast and a tall x-height, qualities that translate well onto screen. Its wide character set includes small caps, pictograms, and arrows. 22. Josefin Slab The x-height of this free web font is half its caps height +Drawing on the trend for 1930s-style geometric typefaces with some added Scandinavian flavour, Santiago Orozco's distinctive slab serif brings a distinctive 'typewriter' feel to its sans serif counterpart, and this free web font is perhaps best suited to display use. Unusually, Josefin's x-height is half that of its caps height. 23. Forum This free web font is particularly effective for all-caps headlines +As its name implies, this is a grand Ancient Roman-style serif that is particularly distinctive as a display font used all-caps for headlines, although works stylishly as a sentence-case text face at slightly larger sizes. This free web font's elegant proportions are reminiscent of classical architecture, with semi-circular arches, horizontal cornices, and vertical columns. +Next page: more great free web fonts... \ No newline at end of file diff --git a/input/test/Test4265.txt b/input/test/Test4265.txt new file mode 100644 index 0000000..ece2d5c --- /dev/null +++ b/input/test/Test4265.txt @@ -0,0 +1,13 @@ +Gold futures prices dipped in Friday action, setting the contract on course for a nearly 3% weekly retreat as the metal languishes near a 1 ½-year low. +Gold found little traction even as the leading dollar index also churned in the red.The dollar, up modestly for the week but surging more than 3% in just the last three months, remains the key driver for the precious metals. A firmer buck, which makes buying gold more expensive to investors using another currency, remains near a roughly 14-month peak. +December gold GCZ8, -0.01% fell $1.20, or less than 0.1%, to $1,183 an ounce. It settled Thursday at $1,184 an ounce, the lowest settlement for a most-active contract since early January of 2017, according to FactSet data. +Gold futures trade down nearly 10% for the year to date, failing to draw the support that might be expected amid geopolitical turmoil around trade war worries and Turkey's financial crisis, as focus remains almost exclusively pinned on the stronger dollar. The precious metal has languished just below the psychologically important $1,200 level after dropping beneath this line more than a year on Monday. +Don't miss: Turkey's woes won't trigger a full-blown crisis across emerging markets, economist says +A popular metals exchange-traded fund, the SPDR Gold Trust GLD, -0.08% was actually up 0.3% in premarket action but has spent time both higher and lower, while an ETF that tracks gold miners, the VanEck Vectors Gold Miners ETF GDX, -2.37% fell 0.6%. +The U.S. dollar index DXY, -0.08% which measures the buck against a half-dozen rivals, was down less than 0.1% at 96.52 and continues to trade near its highest level since June 27, 2017. The index is up 5% year to date, according to FactSet. +Metals and currencies markets will digest releases on consumer sentiment for August and leading economic indicators for July are due at 10 a.m. Eastern Time, and an advance report on second-quarter services is also slated to hit at that time. Economists polled by MarketWatch expect a reading of 98.5 for the sentiment index. +Check out: MarketWatch's Economic Calendar +September silver SIU8, -0.53% took back a sliver of Wednesday's steep drop on Thursday before returning to the red in Friday's trading. The contract was last down 8 cents, or 0.5%, at $14.635 an ounce. Silver futures fell nearly 4% on Wednesday—the metal's largest one-day slump since mid-June. +September copper HGU8, -0.10% fell about 1 cent, or 0.3%, to $2.609 a pound. October platinum PLV8, -0.88% was down $7.60, or 1%, to $776.90, still trading near its lowest in a decade. September palladium PAU8, -0.66% fell $6.40, or 0.7%, to $868.40 an ounce. +Providing critical information for the U.S. trading day. Need to Know +Rachel Koning Beals Rachel Koning Beals is a MarketWatch news editor in Chicago \ No newline at end of file diff --git a/input/test/Test4266.txt b/input/test/Test4266.txt new file mode 100644 index 0000000..d2af731 --- /dev/null +++ b/input/test/Test4266.txt @@ -0,0 +1,8 @@ +Huobi, One of World's Largest Crypto Exchanges, Invests in OpenFinance Network [August 15, 2018] Huobi, One of World's Largest Crypto Exchanges, Invests in OpenFinance Network +Huobi , one of the largest crypto exchanges in the world, has entered into a strategic partnership, including a significant investment, with OpenFinance Network (OFN), the premier US-compliant security token trading platform. The partnership will provide both parties exposure to new markets and allow for collaboration across multiple aspects of token trading. +As interest in crypto expands beyond utility tokens and currencies, security tokens continue to gain appeal. Huobi's strategic investment in OFN, whose platform launched earlier this summer, is indicative of the momentum toward a more regulated security token market and growing confidence in the US market in particular. +OFN has made a name for itself as the leading platform for trading US-compliant security tokens, while Huobi has become one of the world's largest exchanges, boasting a global share of 50% at one point and accumulative turnover exceeding $1 trillion. +"We believe that security tokens are the future of finance, and that Huobi's investment in our trading platform is reflective of the rising interest around the globe in this emerging financial ecosystem," said Juan M. Hernandez, CEO of OpenFinance Network. +Will Wang, Huobi's Head of Business Development and Investment for North America, echoed Hernandez's sentiment, "Huobi Eco has always een committed to providing support and solutions for Huobi to operate within the compliant requirements of every country in which we do business. This is even more important as our market matures. We are looking forward to collaborating with OpenFinance and applying blockchain technology to revolutionize the financial technology market." +Huobi, seeking to enter the US market, opened their HBUS unit in June. The investment and partnership with OFN better solidifies their competitive position in the US. +Learn more about OpenFinance Network, register today on their website, and join their community and social channels \ No newline at end of file diff --git a/input/test/Test4267.txt b/input/test/Test4267.txt new file mode 100644 index 0000000..760d267 --- /dev/null +++ b/input/test/Test4267.txt @@ -0,0 +1,19 @@ +ON THE ROAD: More united than you think Rick Holmes Opinions/Mass. Political Editor @HolmesAndCo Friday Aug 17, 2018 at 6:00 AM A few observations from the road +A year-and-a-half ago, my wife and I traded full-time work and a roomy house for a pickup truck and a 24-foot travel trailer. We hit the road, living the retiree's dream, heeding Paul Simon's long-ago call "to look for America." +Over time, I've come to think of our journey -- and the weekly columns I've produced along the way -- in terms from a Social Studies class: geography, history and current events. So, class, what have we learned so far? +Geography -- I've hiked through alpine meadows in Montana and kayaked through Louisiana bayous. I watched the sun rise on Maine's rocky coast and set on the other side of the mighty Mississippi. I've communed with wood storks in South Carolina and wild horses in New Mexico. Along the way, I've learned again about the natural wonders of this continent. +Many things divide Americans, but the land unites us. If you want to feel better about America, reconnect with the land, either at the state park a short drive away, or in some faraway state you've never been to before. You won't regret it. +Geography teaches that every place has its own story. I've visited ghost towns and booming cities, fancy resort towns and a lot of places whose better days are long gone. Each tells a story of economics, infrastructure, immigration and out-migration. Sometimes luck determined whether they boomed or went bust, but sometimes it was local leadership, of the lack of it. +History -- Between my first and second visits to New Orleans, a statue of Robert E. Lee was removed from a prominent square. In Charlottesville, I found him covered with black plastic. I ran into arguments about Confederate monuments all across the South. +This, I think, is mostly a good thing. People in the South are engaging with their history with new energy. Museum curators are focusing more on the experiences of enslaved people; guides are sharing the bitter tales along with the sweet; parks commissioners and municipal leaders are reconsidering decisions made by their predecessors about who should be honored in public parks, and how the signs nearby interpret it. Each of those decisions requires thinking about history, which, done right, is a powerful tool for community-building. +The birth of new memorials is as interesting as the removal of old ones. In Wilmington, North Carolina, a monument now commemorates a white supremacist coup and massacre that were swept under the rug for 100 years. At the Little Bighorn battlefield, a monument now recognizes the Native Americans killed there, not just Custer's troops. Every new monument tells a story that honors the past and enriches our understanding of where we come from. +History unites us when we tell everyone's stories. +Current events -- I haven't chased news events, but I found some along the road. I ran into wildfires in Montana and Barack Obama's first post-presidency speech in Boston. I crossed paths with Donald Trump in Nashville and caught a town hall meeting with Democratic Senate candidate Beto O'Rourke outside Austin. There's no escaping politics these days, especially if you get your news and views from the phone in your pocket. +So where do Americans stand 18 months into the Age of Trump? I'm no pollster, and my random interactions with people in far corners of the country are far from definitive. +I can tell you that just about everyone I've met on the road has been nice, and that most people don't like talking politics with strangers. If you want to get in an ugly argument, go online. +I can tell you that there are blue enclaves in every red state, and red voters in every blue neighborhood. I've grown sick of the red state/blue state shorthand. It turns people into stereotypes and erases voters whose candidates come in second. It slaps a permanent political identity on state electorates that are always changing. Americans are complicated; if you want to understand them, don't color-code them. +I can tell you that people who were excited about Trump in 2016 are still with him. Those who were against him then like him even less now. The people who are undecided haven't been paying attention. I can say with certainty that come November, when we vote on it, it won't be unanimous. +We're divided over President Trump, for sure. The loudest voices in the room -- culture warriors, media screamers, partisan hacks and social media nasties -- would like to divide us over everything else. +I'm not done traveling -- Alaska is next on our journey -- but from what I've seen so far, I'd say Americans are more united than they appear on TV. We're united by the land, by our history, our culture and the common decency that comes out when we meet each other face-to-face. +But don't take my word for it. Get out on the road and see for yourself. +Rick Holmes can be reached at rick@rickholmes.net. You can follow his journey at rickholmes.net. Like him on Facebook at Holmes & Co, on follow him on Twitter @HolmesAndCo \ No newline at end of file diff --git a/input/test/Test4268.txt b/input/test/Test4268.txt new file mode 100644 index 0000000..2bbfa96 --- /dev/null +++ b/input/test/Test4268.txt @@ -0,0 +1,22 @@ +ADVERTISEMENT ADVERTISEMENT ASU donations hold tuition line Gifts, pledges of $40.1M is record by Debra Hale-Shelton | Today at 2:54 a.m. 0 comments +A record $40.1 million in donations and pledges to Arkansas State University during the past fiscal year helped the Jonesboro campus avoid a tuition increase this fall despite relatively stable state funding, Chancellor Kelly Damphousse said Thursday. +That sum surpassed the university's previous record of $18.4 million raised in 2014-15. +Four major gifts, including a $10 million donation from Texas businessman and ASU alumnus Neil Griffin, boosted ASU's fundraising in fiscal 2018. Other major gifts included just over $5 million from Arkansas banker Johnny Allison, $5 million from Centennial Bank and $5 million from First National Bank. +"There is a growing number of people who understand how they can help us by sharing their treasure with us," Damphousse said in an interview. "They understand that the university is doing important work [with] the young people of Arkansas and that their gift can help change lives for students." +Damphousse also praised the university's "incredible staff" for fundraising efforts. He singled out Jason Penry, vice chancellor for university advancement, and Athletic Director Terry Mohajir. +"Both of them have a real passion for the university and have done a great job of relaying the message," the chancellor said. +In an earlier news release, ASU said "the record-breaking year of philanthropy" was also thanks to donors "across the board as the giving rate of all A-State alumni rose to 9.2 percent." +"We stand here today able to assist more students with scholarships thanks to the growing generosity of our community and our alumni," Damphousse said in the news release. "We have more named professorships to provide assistance to research and scholarly work by our faculty. And we broke new ground with our first named college this spring." +Penry said $13.4 million of the $40.1 million was already in hand with the remainder pledged. Some of the pledged money includes planned gifts as part of estate planning, he said. +Penry said most of the donations are earmarked. +"The national average [for earmarking such gifts] is around 90 percent," he said. "We're in line with national standards." +Money specified for facility improvements ranks at the top with scholarships and faculty support likely sharing second place, he said. +ASU's state funding "has been relatively stable over the past two years," though expenses have risen, Damphousse said in the interview. +"To meet the demands of expenses, what often happens is [that] universities will increase tuition," he said. "Those private gifts help buffer our need to raise tuition. We held tuition flat this year because we have such great support from the private sector." +Damphousse said universities "have become more involved in fundraising across the country because ... there has been a flattening of state support." +Record or near-record giving has become common in the past five years at ASU, the news release said. +As a result, the university said, the number of endowed scholarships has risen more than 40 percent and the university "has 10 new endowed faculty positions, more than doubling the total to 16 campus-wide." +Further, the number of privately funded scholarships has risen from 251 to 361 since July 1, 2012. +Damphousse said the university wasn't raising "the kind of money we are now" until Penry moved into his current position five years ago. +"It takes leadership at his level, it takes building relationships with people, and it takes a lot of work. ... He's leading a great team of people," the chancellor added. +State Desk on 08/17/201 \ No newline at end of file diff --git a/input/test/Test4269.txt b/input/test/Test4269.txt new file mode 100644 index 0000000..dd171d1 --- /dev/null +++ b/input/test/Test4269.txt @@ -0,0 +1,17 @@ +by Jim Gomez, The Associated Press Posted Aug 17, 2018 4:18 am ADT Last Updated Aug 17, 2018 at 5:00 am ADT +MANILA, Philippines – A plane from China veered off a runway at Manila's airport while landing in a downpour near midnight then got stuck in a muddy field with one engine and wheel ripped off before the 165 people on board scrambled out through an emergency slide, officials said Friday. +Only four passengers sustained scratches and all the rest including eight crewmembers aboard Xiamen Air Flight 8667 were safe and taken to an airport terminal, where they were given blankets and food before going to a hotel, airport general manager Ed Monreal told a news conference. +The Boeing 737 from China's coastal city of Xiamen at first attempted but failed to land apparently due to poor visibility that may have hindered the pilots' view of the runway, Director-General of the Civil Aviation Authority of the Philippines Jim Sydiongco told reporters. +The plane circled before landing on its second attempt but lost contact with the airport tower, Sydiongco said. +"We think that when (it) landed, the plane swerved to the left and veered off the runway," said Monreal, expressing relief that a disaster had been avoided. "With God's blessing all passengers and the crew were able to evacuate safely and no injuries except for about four who had some superficial scratches." +The aircraft appeared to have "bounced" in a hard landing then veered off the runway and rolled toward a rain-soaked grassy area with its lights off, Eric Apolonio, spokesman of the civil aviation agency said, citing an initial report about the incident. +Investigators retrieved the plane's flight recorder and will get the cockpit voice recorder once the aircraft has been lifted to determine the cause of the accident, Sydiongco said. +Ninoy Aquino International Airport, Manila's main international gateway, will be closed most of Friday while emergency crews remove excess fuel then try to lift the aircraft, its belly resting on the muddy ground, away from the main runway, which was being cleared of debris, officials said. +A smaller runway for domestic flights remained open, they said. +TV footage showed the plane slightly tilting to the left, its left badly damaged wing touching the ground and its landing wheels not readily visible as emergency personnel, many in orange overalls, examined and surrounded the aircraft. One of the detached engines and landing wheels lay a few meters (yards) away. +A Xiamen Air representative, Lin Hua Gun, said the airline will send another plane to Manila to resume the flight. +Several international and domestic flights have been cancelled or diverted due to the closure of the airport, which lies in a densely populated residential and commercial section of metropolitan Manila. Airline officials initially said the airport could be opened by noon but later extended it to four more hours. +Hundreds of stranded passengers jammed one of three airport terminals due to flight cancellations and diversions. Dozens of international flights were cancelled or either returned or were diverted elsewhere in the region, officials said. +Torrential monsoon rains enhanced by a tropical storm flooded many low-lying areas of Manila and northern provinces last weekend, displacing thousands of residents and forcing officials to shut schools and government offices. The weather has improved with sporadic downpours. +___ +Associated Press journalists Bullit Marquez and Joeal Calupitan contributed to this report \ No newline at end of file diff --git a/input/test/Test427.txt b/input/test/Test427.txt new file mode 100644 index 0000000..fb0dd8f --- /dev/null +++ b/input/test/Test427.txt @@ -0,0 +1,6 @@ +Turkish lira steady despite new threats from Trump 2018-08-17T08:26:02Z 2018-08-17T09:00:46Z (AP Photo/Lefteris Pitarakis). A general view of Istanbul, Thursday, Aug. 16, 2018. Turkey's finance chief tried to reassure thousands of international investors on a conference call Thursday, in which he pledged to fix the economic troubles that have ... +ANKARA, Turkey (AP) - Turkey's currency remains steady against the dollar despite an apparent threat of possible new sanctions by U.S. President Donald Trump. +The Turkish lira stood at 5.80 per dollar on Friday, up about 0.4 percent against the dollar. +The currency has recovered from record lows earlier this week. Investors, already worried about Turkey's economy, were irked by a diplomatic and trade dispute with the United States over the continued detention of an American pastor Andrew Brunson on espionage and terror-related charges. +In a tweet on Thursday, Trump urged Brunson to serve as a "great patriot hostage" while he is jailed and criticized Turkey for "holding our wonderful Christian Pastor." +Trump added: "We will pay nothing for the release of an innocent man, but we are cutting back on Turkey!" Copyright 2018 The Associated Press. All rights reserved. This material may not be published, broadcast, rewritten or redistributed \ No newline at end of file diff --git a/input/test/Test4270.txt b/input/test/Test4270.txt new file mode 100644 index 0000000..9a117f2 --- /dev/null +++ b/input/test/Test4270.txt @@ -0,0 +1,8 @@ +New perspectives to improve wheat: the reference sequence of wheat genome is finally a reality 17 August 2018 Life Sciences | Agronomy/Food Science Blé.. © INRA, BRUNEAU Roland +The International Wheat Genome Sequencing Consortium (IWGSC), of which INRA is a leading member, published the first wheat genome reference sequence in Science , on 17 August 2018. French research teams from INRA, CEA, and the universities of Clermont-Auvergne, Evry, Paris-Sud and Paris-Saclay contributed to the project, a scientific milestone due to the enormous complexity and size of the genome - five times larger than the human genome and forty times larger than the rice genome. This achievement will make it possible to identify genes of agronomic interest, opening new perspectives to improve bread wheat varieties and crops in order to face the challenges of the future. This reference sequence also represents a significant step towards understanding how this complex genome functions and evolves. +With over 220 million ha, bread wheat (Triticum aestivum L.) is the most widely grown cereal crop in the world and a staple food for 30% of the human population. Along with rice, wheat is the most widely consumed cereal, accounting for almost 20% of the average daily nutritional requirements of human beings. To meet the ever-changing demands of a growing world population, while still maintaining sustainable social and environmental conditions, wheat productivity needs to increase by 1.7%. An increment of this size will require unprecedented progress--the like of which has not been seen since the Green Revolution of the 60s--both in wheat improvement and agronomic practices. On 17 August 2018, The International Wheat Genome Sequencing Consortium (IWGSC) published in Science the description and analysis of the wheat reference genome sequence, which they had announced in January 2016. This resource is the result of the work of over 200 researchers from 73 research institutes in 20 countries. It provides valuable tools to face the agricultural challenges of the future, since it will allow a faster identification of genes responsible for traits of agronomic interest. Over 107,000 genes identified and 4 million molecular markers developed +The analysis of this sequence has led to the precise location of over 107,000 genes, some of which are potentially involved in grain quality, disease resistance, and tolerance to drought. Moreover, it has allowed researchers to develop over four million molecular markers, including some currently being used in gene selection programs. Besides its contribution to wheat improvement, this sequence also allows researchers to better understand the bread wheat genome, one of the biggest and most complex in the plant kingdom. Now, they can study the regulation of genome organization and gene expression, and even reveal the evolution mechanisms that have shaped this genome since its formation, around 10,000 years ago. Although it is the result of 13 years of work and constitutes a major contribution to the scientific community, the reference genome sequence is only the first step. IWGSC's research teams are already working on new challenges, most notably, a functional study on the integral elements of this sequence and the characterization of the genetic diversity of wheat and other related species, in order to identify new genes and alleles of agronomic interest. +The impact of the reference wheat sequence in the scientific community has already been significant, as proven by the six other articles published on the same day in Science, Science Advances and Genome Biology (1), with the contribution of scientific French teams. +Furthermore, more than 100 scientific articles have quoted the reference sequence since it was made available in January 2017 at the IWGSC webpage, hosted by the Genomics - Informatics Research Unit, INRA. +presse.inra.fr/en/Pr­ess-releases/a-whole-wheat-genome-assembly-available-online-on-an-INRA-platform +(1) Articles published on 17 August 2018 in Science, Science Advances and Genome Biology: Ramirez-Gonzalez et al. (2018) The transcriptional landscape of polyploid wheat. Juhasz et al. (2018) Genome mapping of seed-borne allergens and immune-responsive proteins in wheat. Science Advances Wicker et al. (2018) Impact of transposable elements on genome structure and evolution in wheat. Genome Biology. Alaux et al. (2018) Linking the International Wheat Genome Sequencing Consortium bread wheat reference genome sequence to wheat genetic and phenomic data. Genome Biology. Keeble-Gagnère et al. (2018) Optical and physical mapping with local finishing enables megabase-scale resolution of agronomically important regions in the wheat genome. Genome Biology. Thind et al. (2018) Chromosome-scale comparative sequence analysis unravels molecular mechanisms of genome dynamics between two wheat cultivars. Genome Biology Link \ No newline at end of file diff --git a/input/test/Test4271.txt b/input/test/Test4271.txt new file mode 100644 index 0000000..810f410 --- /dev/null +++ b/input/test/Test4271.txt @@ -0,0 +1,48 @@ +Home Newsletters No. 332: Hitting it big in vagus, hitting it bigger at SBU, commercial support for the disabled and eternal respect for Aretha Aretha Louise Franklin, 1942-2018: Multifaceted award-winning singer, songwriter, pianist. She performed until she couldn't anymore — because being the Queen of Soul was second nature to her. August 17, 2018 +Well done: It's Friday, dear readers, and once again, you've conquered the five-day minefield that is the American workweek. +To mark your achievement and put you in a proper Friday mood, ladies and gentlemen … The Cure ! +Continental breakfast: We're sending a special hello this Aug. 17 to all of our South American readers – whether you're celebrating Engineer's Day in Colombia or Flag Day in Bolivia, please celebrate responsibly. +Here in the States, it's National Nonprofit Day , so go ahead and hug a helper, cuddle a candy striper and otherwise cheer for charities. +Steamed: Robert Fulton didn't invent steamboats, but he was the first to commercialize them – and his much-disparaged "Fulton's Folly" made its maiden voyage up the Hudson River, from New York Harbor to Albany, on Aug. 17, 1807. +Tightening up his IP: The first U.S. patent for an adjustable screw wrench was issued on this date in 1835 to Massachusetts inventor Solyman Merrick. +Prized moment: Newspaper publisher Joseph Pulitzer gifted $1 million to Columbia University on Aug. 17,1903, giving birth to the famous Pulitzer Prize. +Start your engines (literally): Inventor Charles Kettering earned a U.S. patent for the first electric automobile starter on Aug. 17, 1915. +Kettering – who founded the Ohio-based Delco Electronics Corp. and co-founded the Memorial Sloan Kettering Cancer Center after heading up research for both the NCR Corp. and General Motors – is credited with 186 patents in all, including the invention of the first electric cash register, the refrigerant freon and the world's first aerial missile. +Stole its thunder: United States mail (123 letters, to be exact) was carried by hot-air balloon for the first time on Aug. 17, 1859, when the airship Jupiter lifted off from Lafayette, Ind., bound for New York City. +Unfortunately, severe weather – including thunderstorms and strong southwest winds – ended the flight after just 30 miles and the balloon put down in Crawfordsville, Ind. The swift completion of that appointed round was done by train. +Iron Horse: And on this date in 1933, New York Yankee Lou Gehrig set a new mark for consecutive Major League Baseball games played, appearing in his 1,103rd straight contest. +Gehrig was just getting started – he'd play in another 1,027 straight, setting an iron-man record of 2,130 games that stood until 1995. +King of the wild frontier: American frontiersman and politician Davy Crocket (1786-1836) was born on Aug. 17. +So were English physician Thomas Hodgkin (1798-1866), who lent his name to a dreaded lymph-tissue disease; American scientist Frederick Russell (1870-1960), who developed the first successful typhoid fever vaccine; Polish-American movie mogul Samuel Goldwyn (1882-1974, born Shmuel Gelbfisz); bawdy sex symbol Mae West (1893-1980); American chemist Hazel Bishop (1906-1908), credited with the invention of non-smear, "kiss-proof" lipstick; and Thai businessman Chaleo Yoovidhya (1923-2012), co-creator of the Red Bull energy drink. +Speaking of raging bulls: Take a bow, Robert De Niro – the American screen legend turns 75 today. +You talking to us? Wish the original Goodfella a happy birthday at – and please include a story tip, calendar item and any other offer we can't refuse. +A few words from our sponsor: EisnerAmper is a leading international accounting, tax and advisory firm serving more than 500 technology and life-science clients. Our dedicated team of more than 125 professionals supports startup companies, emerging growth, IPO-track and publicly traded clients. +BUT FIRST, THIS +Pavlov's dog in the hunt: Arguably the center of the universe regarding the study of the vagus nerve, the Feinstein Institute for Medical Research has added another sizeable score to its electric-nerve-stimulation war chest. Northwell Health's Manhasset-based research mecca announced Thursday that Professor Valentin Pavlov has received a five-year, $1.65 million grant from the National Institutes of Health to examine the vagus nerve's role in the inflammation and metabolism associated with sepsis. +The research will follow up previous work by Pavlov and bioelectric medicine pioneer Kevin Tracey, the Feinstein Institute CEO, showing the brain and the vagus nerve jointly control immune responses and inflammation – essentially, the discovery of the so-called "inflammatory reflex." +While that research uncovered the vagus nerve's role in regulating inflammation throughout the body, "we do not know the exact neural signaling taking place during sepsis," Pavlov noted – and understanding that "should help us identify new therapeutic targets, [which] could lead to new medications or bioelectronic medicine therapies for sepsis and its long-reaching sequelae." +Best of the best: Congratulations to our friends at Uniondale law firm Farrell Fritz, where 10 attorneys have been named to the 25th edition of The Best Lawyers in America , the oldest and most respected peer-reviewed publication in the legal profession. +Announced Wednesday, the 2019 roster includes Farrell Fritz attorneys Martin Bunin (Bankruptcy and Creditor Debtor Rights/Insolvency and Reorganization Law and Litigation-Bankruptcy); Brian Corrigan, John Barnosky and Ilene Sherwyn Cooper (Litigation-Trusts & Estates and Trusts & Estates); Domenique Camacho Moran (Employment Law-Management); John Morken and Eric Penzer (Litigation-Trusts & Estates); Jason Samuels (Litigation-Construction); Robert Sandler (Real Estate Law); and Charles Strain (Healthcare Law). +Strain and attorney Ilene Cooper also received "Lawyer of the Year" honors for the Long Island region, awarded to attorneys with the highest overall peer-feedback ratings for specific practice areas in a particular geographic location. +TOP OF THE SITE +Wise investment: With enrollment raging and all eyes on the regional economy, Albany has plunked down $25 million to help Stony Brook University design and plan a $100 million, state-of-the-art engineering facility. +Playback it again: With a hefty outlay in a Westchester County tech startup, Northwell Ventures is betting big on multimedia patient-engagement software. +Greetings, salutations: Smiles abound as several regional organizations have come together to help Maryhaven Center of Hope launch a greeting-card business staffed by people with disabilities. +ICYMI +A California e-retailer has come to life inside the Roosevelt Field mall, while tons of debris have found new life in Long Island waters. +STUFF WE'RE READING +Still wrangling: From Newsday, why two Long Island aerospace manufacturers are doing battle over a sold/not sold welding unit. +Still Echoing: From Forbes, how a great supporter of social innovators manages to keep going strong three decades later. +Still screaming: From Popular Mechanics, the reason rollercoasters – despite major technological innovations – really haven't changed through the years. +ON THE MOVE ++ Michael Berger has been hired as a labor and employment associate at Uniondale-based Forchelli Deegan Terrana. He was previously an associate at Frank & Associates in Farmingdale. ++ John Collins , president and CEO of Mineola-based NYU Winthrop Hospital, has been elected chairman of the Nassau-Suffolk Hospital Council. ++ David Bamdad has been promoted to partner at Mineola-based Meltzer, Lippe, Goldstein & Breitstone. ++ David Johansen has been hired as a marketing coordinator at Melville-based Tenenbaum Law. He was previously a corporate communications intern at Entercom in Manhattan. ++ Christina Noon has been hired as an associate attorney at Riverhead-based Twomey, Latham, Shea, Kelley, Dubin & Quartararo. She was previously an associate attorney at Woodbury-based Stefans Law Group. ++ Bohemia-based P.W. Grosser Consulting has announced three new hires. Josetta Williams has been hired as an; accounting project administrator; she was previously a billing/accounts receivable specialist at Islandia-based Roux Associates. Patricia Yelner has been hired as controller; she was previously a senior accountant at Hauppauge-based Spellman High Voltage Electronics Corp. Ashley Yucel has been hired as a staff engineer; she previously was an intern at the firm. +BELOW THE FOLD +Queen of the soul: How the late, great and enduringly inspirational Aretha Franklin embodied both black and female empowerment. +Speaking of black empowerment: African-American craft-beer brewers now have a festival of their own . +Ticked-off Tesla: Why the innovative carmaker is not happy with a renegade tinkerer teaching the world how to fix its broken-down vehicles. +Before we go: There's still no sign of "free news," so please keep supporting the great firms that support Innovate LI, including EisnerAmper – and yes, as a matter of fact, that is Steve Kreit 's firm \ No newline at end of file diff --git a/input/test/Test4272.txt b/input/test/Test4272.txt new file mode 100644 index 0000000..d09f900 --- /dev/null +++ b/input/test/Test4272.txt @@ -0,0 +1,4 @@ +GN Hearing has entered into a partnership with Google to enhance the experience of its user base. The partnership is all set to introduce direct streaming between Android devices and hearing aids, thus doing away with the necessity of an intermediary streaming device . +This not only enhances the experience of the hearing aid users by doing away with the hassle of having to use multiple devices for simple functions but also opens them up to a better use of a range of seamless android activities like allowing them to call friends; and enjoy music and brilliant sound experiences. This direct streaming is expected to be made available in recently launched hearing aids ReSound LiNX Quattro™ and Beltone Amaze™ in a future Android release. +According to the World Health Organization, around 466 million people worldwide have disabling hearing loss. This number is expected to increase to 900 million people by the year 2050. Google is working with GN Hearing to create a new open specification for hearing aid streaming support on future versions of Android devices. – Seang Chau, Vice President of Engineering at Google +Anders Hedegaard, CEO, GN Hearing, for his part, has said, "We are honored to partner with Google for this important development, which will enable direct streaming for even more hearing aid users through their Android devices . This is another example of how GN Hearing relentlessly strives to drive innovation forward by developing new products and solutions with unique benefits for hearing aid users and audiologists around the world. \ No newline at end of file diff --git a/input/test/Test4273.txt b/input/test/Test4273.txt new file mode 100644 index 0000000..489d669 --- /dev/null +++ b/input/test/Test4273.txt @@ -0,0 +1,15 @@ +Home » GOSSIP » Groom Arrested By Police On Wedding Day For Stealing N1m Groom Arrested By Police On Wedding Day For Stealing N1m admin on Aug 17, 2018 Groom Arrested By Police On Wedding Day For Stealing N1m 2018-08-17T09:39:10+00:00 under GOSSIP No Comment +A 37-year-old former staff of Addosser Micro-Finance Bank ltd, Aliu Mustapha, on Thursday appeared before an Igbosere Magistrates' Court in Lagos over alleged N1 million theft. +The defendant was arrested on his wedding day, and is facing trial on a charge of stealing preferred against him by the police. +However, the defendant pleaded not guilty to the charge. +The prosecutor, Samuel Mishozunnu, told the court that the defendant committed the alleged offence between May and June 2017, during working hours, at No. 32, Lewis St., Lagos Island. +He said that the defendant allegedly committed the offence while working with Addosser Micro-Finance Bank ltd. +Mr Mishozunnu said that the defendant collected the N1 million from customers of the micro-finance bank but refused to remit it to the bank. +"One of the customer's gave the defendant N840, 000 and another customer gave him N160, 000, but the accused absconded with the money. +"Mustapha was arrested on August 11, during his wedding after the police got information that he was getting married. +"The police waited for him to exchange his marriage vows after which he was apprehended and charged," Mr Mishozunnu said. +According to the prosecutor, the offence contravened Section 287(7) of the Criminal Law of Lagos State, 2015. +The defence counsel, M. A. Rufai, urged the court to grant bail to the defendant on most liberal terms. +In his ruling, the magistrate, Y.O. Aro-Lambo, granted a N200, 000 bail to the defendant with two sureties in like sum. +He said that one of the sureties must be a community leader, adding that they must show evidence of tax payment to the Lagos State Government and have their addresses verified. +The case was adjourned until September 11. 2018-08-17T09:39:09+00:00 admin GOSSIP police A 37-year-old former staff of Addosser Micro-Finance Bank ltd, Aliu Mustapha, on Thursday appeared before an Igbosere Magistrates' Court in Lagos over alleged N1 million theft. The defendant was arrested on his wedding day, and is facing trial on a charge of stealing preferred against him by the police. However, the... ashaolutaiwo36@gmail.com Administrator 36HYPE℠\ No newline at end of file diff --git a/input/test/Test4274.txt b/input/test/Test4274.txt new file mode 100644 index 0000000..2f5211a --- /dev/null +++ b/input/test/Test4274.txt @@ -0,0 +1,6 @@ +Intel hosts NASA Frontier Development Lab (FDL) Event Horizon 2018: AI+Space Challenge Review Event today in Santa Clara, California. The main purpose of this program was to apply artificial intelligence technologies to challenges faced in space exploration. It is an eight-week research program. NASA Ames Research Center , the SETI Institute, and other participating program partners have provided their support to the ongoing research for interdisciplinary AI approaches. This, no doubt will help the latest hardware technology to cope with the latest advanced machine learning tools. +Artificial intelligence is expected to significantly influence the future of the space industry and power the solutions that create, use and analyze the massive amounts of data generated. The NASA FDL summer program represents an incredible opportunity to take AI applications and implement them across different challenges facing space science and exploration today. – Amir Khosrowshahi, The vice president and chief technology officer of Artificial Intelligence Products Group +Since 2017, Intel has been a key partner to FDL and they have provided FDL with computing resources and AI and data science mentorship, Intel sponsored two Space Resources teams: Space Resources Team 1 and Space Resources Team 2. Both of those teams had used the Intel® Xeon® platform for inference and training. Intel is doing a great job by trying to locate the knowledge gaps using Artificial Intelligence which will help with further space exploration and it may even solve problems that can affect life on Earth. +This is an exciting time for space science. We have this wonderful new toolbox of AI technologies that allow us to not only optimize and automate, but better predict Space phenomena – and ultimately derive a better understanding. – James Parr, FDL director +FDL's researcher program participants have implemented AI to predict solar activity, map lunar poles, build 3D shape models of potentially hazardous asteroids, discover uncategorized meteor showers and determine the efficacy of asteroid mitigation strategies. +There were other problems and challenges presented during the event such as understanding what is universally possible for life, possible metabolisms within extraterrestrial environment substrates. They also talked about the increase of the efficacy and yield of exoplanet detection from Tess and Codify process of AI derived discovery, the improvement of ionospheric models using global navigation satellite system signal data and predicting solar spectral irradiance from SDO/AIA observations \ No newline at end of file diff --git a/input/test/Test4275.txt b/input/test/Test4275.txt new file mode 100644 index 0000000..7eabeb0 --- /dev/null +++ b/input/test/Test4275.txt @@ -0,0 +1,10 @@ +Over the past 12 months, the company has helped a remarkable 45 individuals into full time employment, organised work experience placements for 56 young people, taken on 42 apprentices across five projects in the region and Kier colleagues have volunteered almost 1,400 hours working in the community. +Working with the Construction Industry Training Board (CITB), Kier has also launched an Education and Engagement Programme and held a skills networking event in Swansea with over 40 key partners that have been critical in its skills initiative, including the Construction Wales Innovation Centre, the University of Wales Trinity Saint David, the Civil Engineering Contractors Association and the Chartered Institute of Building. +Craig Archard, 25 from Swansea, benefited from the skills programme at Kier. Craig moved to Swansea after serving in the Royal Marines for five years. He applied for a site management apprenticeship and started working with the company in in July 2017 on the S4C development. Since then, Craig has completed an NVQ Level 4 qualification and was also nominated for 'apprentice of the year - technical' in the G4C Wales Awards. +Craig states: 'Being one of the largest construction companies within South Wales, I have seen what it takes to run large sites. Specifically, I have enjoyed being part of a team, problem solving and creating a building that will be part of the community for years to come. It is definitely the career I have been looking for and would recommend Kier to anyone thinking of going into the industry.' +Jason Taylor, operations director for Kier Construction Wales, said: 'Working collaboratively with organisations such as Careers Wales, The Prince's Trust, CITB, our skills initiative has been a real success, with many people who've taken part in work experience or apprenticeships securing full-time employment, whilst others have learnt how interesting and rewarding a career within the built environment is - which is key to dealing with the skills shortage our industry currently faces. +'Since launching our office in Swansea in 2016, we have worked hard to build relationships with local communities across the region and we are committed to leaving a lasting legacy in South Wales.' +Kier is working on a number of high-profile projects in the area, including the Swansea Innovation Quarter SA1, Yr Egin a creative and digital hub and new home for S4C in Carmarthen, The Grove Synthetic Chemistry Building and IMPACT Research Building on Swansea Bay Campus, and multiple complex schemes for Abertawe Bro Morgannwg Local Health Board. +Attachments +Original document Permalink Disclaimer +Kier Group plc published this content on 17 August 2018 and is solely responsible for the information contained herein. Distributed by Public, unedited and unaltered, on 17 August 2018 10:20:19 UT \ No newline at end of file diff --git a/input/test/Test4276.txt b/input/test/Test4276.txt new file mode 100644 index 0000000..6e1a49f --- /dev/null +++ b/input/test/Test4276.txt @@ -0,0 +1,9 @@ +KMG Chemicals (KMG) Downgraded to "Hold" at Gabelli Stephan Jacobs | Aug 17th, 2018 +KMG Chemicals (NYSE:KMG) was downgraded by equities research analysts at Gabelli from a "buy" rating to a "hold" rating in a research note issued to investors on Thursday. +Other analysts also recently issued research reports about the stock. Zacks Investment Research downgraded shares of KMG Chemicals from a "buy" rating to a "hold" rating in a research report on Thursday, May 10th. ValuEngine raised shares of KMG Chemicals from a "hold" rating to a "buy" rating in a research report on Tuesday, June 12th. Finally, KeyCorp reissued an "equal weight" rating on shares of KMG Chemicals in a research report on Thursday, June 14th. Four research analysts have rated the stock with a hold rating and one has issued a buy rating to the company. KMG Chemicals currently has an average rating of "Hold" and a consensus target price of $77.33. Get KMG Chemicals alerts: +NYSE KMG opened at $76.61 on Thursday. KMG Chemicals has a 12 month low of $45.81 and a 12 month high of $79.35. The company has a debt-to-equity ratio of 0.81, a current ratio of 2.70 and a quick ratio of 1.71. The stock has a market cap of $1.04 billion, a PE ratio of 33.75, a P/E/G ratio of 0.52 and a beta of 0.28. +KMG Chemicals (NYSE:KMG) last posted its quarterly earnings data on Monday, June 11th. The specialty chemicals company reported $1.10 EPS for the quarter, beating the Zacks' consensus estimate of $0.84 by $0.26. KMG Chemicals had a net margin of 11.87% and a return on equity of 16.21%. The company had revenue of $118.60 million during the quarter, compared to the consensus estimate of $112.87 million. During the same quarter in the prior year, the company posted $0.53 EPS. The company's quarterly revenue was up 45.3% compared to the same quarter last year. analysts expect that KMG Chemicals will post 4 earnings per share for the current fiscal year. +In related news, VP Christopher W. Gonser sold 5,000 shares of the stock in a transaction that occurred on Wednesday, June 20th. The shares were sold at an average price of $77.04, for a total transaction of $385,200.00. Following the completion of the sale, the vice president now owns 33,213 shares of the company's stock, valued at approximately $2,558,729.52. The transaction was disclosed in a filing with the SEC, which can be accessed through the SEC website . 6.10% of the stock is currently owned by corporate insiders. +A number of institutional investors and hedge funds have recently bought and sold shares of KMG. Hood River Capital Management LLC acquired a new stake in KMG Chemicals during the 1st quarter worth approximately $17,733,000. SG Capital Management LLC acquired a new stake in KMG Chemicals during the 2nd quarter worth approximately $12,308,000. Wells Fargo & Company MN increased its position in KMG Chemicals by 25.0% during the 1st quarter. Wells Fargo & Company MN now owns 823,184 shares of the specialty chemicals company's stock worth $49,351,000 after purchasing an additional 164,895 shares in the last quarter. Millennium Management LLC acquired a new stake in KMG Chemicals during the 1st quarter worth approximately $7,948,000. Finally, BlackRock Inc. grew its position in KMG Chemicals by 15.0% in the second quarter. BlackRock Inc. now owns 978,751 shares of the specialty chemicals company's stock valued at $72,214,000 after acquiring an additional 127,714 shares in the last quarter. 90.83% of the stock is owned by hedge funds and other institutional investors. +About KMG Chemicals +KMG Chemicals, Inc, through its subsidiaries, manufactures, formulates, and distributes specialty chemicals and performance materials worldwide. The company's Electronic Chemicals segment is involved in the sale of high purity process chemicals primarily to etch and clean silicon wafers in the production of semiconductors, photovoltaics, and flat panel displays. KMG Chemicals KMG Chemical \ No newline at end of file diff --git a/input/test/Test4277.txt b/input/test/Test4277.txt new file mode 100644 index 0000000..4f9910c --- /dev/null +++ b/input/test/Test4277.txt @@ -0,0 +1,8 @@ +Antarctic seas emit higher CO2 levels than previously thought: Study Antarctic seas emit higher CO2 levels than previously thought: Study In the Southern Ocean region, carbon atoms move between rocks, rivers, plants, oceans and other sources in a planet-scale life cycle. By: IANS | New York | Published: August 17, 2018 4:19:42 pm The study analysed data collected by 35 floats between 2014 and 2017. (Image: Reuters) +The open water nearest to the sea ice surrounding Antarctica releases significantly more carbon dioxide in winter than previously believed, showed a study conducted using an array of robotic floats. The robotic floats diving and drifting in the Southern Ocean around the southernmost continent made it possible to gather data during the peak of the Southern Hemisphere's winter from a place that remains poorly studied, despite its role in regulating the global climate. +"These results came as a really big surprise, because previous studies found that the Southern Ocean was absorbing a lot of carbon dioxide," said lead author Alison Gray, Assistant Professor at the University of Washington. +In the Southern Ocean region, carbon atoms move between rocks, rivers, plants, oceans and other sources in a planet-scale life cycle. It is also among the world's most turbulent bodies of water, which makes obtaining data extremely difficult. According to the study published in the journal Geophysical Research Letters, the floating instruments collected the new observations. The instruments dive down to 1 km and float with the currents for nine days. +Also Read: WATCH: Plastic waste in Antarctica highlights scale of global pollution-Greenpeace +Next, they drop even farther, to 2 km, and then rise back to the surface while measuring water properties. After surfacing they beam their observations back to shore via satellite. Unlike more common Argo floats, which only measure ocean temperature and salinity, the robotic floats also monitor dissolved oxygen, nitrogen and pH — the relative acidity of water. +Also Read: In Antarctica ice, hunt for climate change clues +The study analysed data collected by 35 floats between 2014 and 2017. The team used the pH measurements to calculate the amount of dissolved carbon dioxide, and then uses that to figure out how strongly the water is absorbing or emitting carbon dioxide to the atmosphere. For all the latest Technology News , download Indian Express App Tags \ No newline at end of file diff --git a/input/test/Test4278.txt b/input/test/Test4278.txt new file mode 100644 index 0000000..a5f7d00 --- /dev/null +++ b/input/test/Test4278.txt @@ -0,0 +1,11 @@ +Insider Buys on August 13, 2018 +Chambal Fertilisers & Chemicals Ltd: Hindustan Times Ltd., (promoter) bought 10,000 shares through market purchase on August 13, 2018 +Bajaj Finance Ltd.: Bajaj Allianz Life Insurance Co.Ltd. bought 50,000 shares through market purchase on August 13, 2018 +Jagran Prakashan Ltd: VRSM Enterprises LLP bought 3,00,000 shares through market purchase on August 13, 2018 +TD Power Systems Ltd: Lavanya Sankaran boought 18,250 shares through market purchase on August 13, 2018 +Wonderla Holidays Ltd.: Kochouseph Thomas Chittilappilly bought 4,325 shares through market purchase from August 10 to August 13, 2018 +Insider Buys on August 13, 2018 +Axis Bank Ltd: Sanjay Silas sold 7,764 shares through market sale on August 13, 2018 +Yes Bank Ltd: Sumit Gupta sold 500 share through market sale on August 13, 2018 +Dabur India Ltd.: Sunil Duggal sold 10,000 shares through market sale on August 13, 2018 +V-Guard Industries Ltd.: Mallikarjuna Sharma sold 2,000 shares through market sale from August 7 to August 13, 201 \ No newline at end of file diff --git a/input/test/Test4279.txt b/input/test/Test4279.txt new file mode 100644 index 0000000..61c9db6 --- /dev/null +++ b/input/test/Test4279.txt @@ -0,0 +1,21 @@ +Source: FOX SPORTS The All Blacks perform the haka before game one of the Bledisloe Cup in 2017. Source: AAP FORMER All Blacks star Andrew Mehrtens believes peripheral aspects to the haka have become a "circus act" while a trio of former Wallabies have weighed in on what if feels like to face New Zealand's traditional pre-match rugby challenge. +The haka discussion on Fox Sports' Kick & Chase was triggered off the back of new book The Jersey , penned by British journalist Peter Bills. +In it former All Black Kees Meeuws was quoted as saying the haka had "lost its mana" and "become a showpiece" while the late, great Sir Colin Meads also slammed its overuse, saying "we were haka-ed out there for a while and still are." +A variety of All Blacks and Wallabies have since leapt to the haka's defence ahead of Saturday's opening Bledisloe Cup Test, including TJ Perenara and Will Genia. +NEW PODCAST! Former Wallabies captain James Horwill breaks down the Bledisloe Cup opener and shares insight into his new life at Harlequins +Subscribe to the podcast on iTunes by CLICKING HERE All Blacks defend haka 1:09 +Mehrtens, who labelled the haka as "too commercialised" in Bills' book, qualified his comments by stating the challenge was an important part of both New Zealand and All Black culture. +But the former five-eighth argued that it was an "indulgence" for New Zealanders and said opposition teams should be able to respond to their own liking. +In 2011, France were fined $5000 for advancing on the All Blacks' haka before the Rugby World Cup final. +"It's a challenge, it's laying down a challenge saying we're ready if you are," Mehrtens said. +"I still believe opposition teams should be free to receive that challenge how they like. +"I don't like the fact that there's 20, 30 metres between the two teams, cameras, microphones, photographers lying there taking shots. +Get 3 months free Sport HD + Entertainment on a 12 month plan and watch the 2018 Bledisloe Cup & 2018 Rugby Championship with no ad-breaks during play. T&Cs apply. SIGN UP NOW > Photographers and cameramen get closer to the haka than the opposition. Source: Getty Images +"I think that part of it has become too much of a circus act. +"It's still important for us to do but it's important for us to do it in a way that says look, this is part of our culture but we realise it's an indulgence." +The Wallabies were bombarded by haka during the 2011 World Cup in New Zealand. +"Every time we hopped off a bus or a plane it was performed in front of us," former Wallabies winger Drew Mitchell said. +"For me, one of my greatest memories of playing against the All Blacks was facing the haka. +"I think it's a tremendous part of our game and it's very unique and I think the All Blacks, more than any other sporting team, from New Zealand, perform it the best. +"But I think it should be reserved for those Test matches and those sporting occasions and not outside of that. +"It shouldn't be commercialised — it is a challenge before a contest. \ No newline at end of file diff --git a/input/test/Test428.txt b/input/test/Test428.txt new file mode 100644 index 0000000..5d947e8 --- /dev/null +++ b/input/test/Test428.txt @@ -0,0 +1,2 @@ +Marketing de afiliados Looking for Commision based salesperson for martial art courses. +I am looking for an online marketing Salesperson, based on commission pay. We are launching a new style instructor training course in September and are offering $300 USD commission for every place sold and lead (which becomes a successful booking) gained through your website or whichever medium you use for marketing. For courses / bookings, generally, we can offer 13% commission – which can amount to quite a lot since some people will book for, say, 6 months at a cost of over $8,000 USD (13% commission = $1,040). Please get in contact if this sounds interesting to you and we will send you more details about our company, ethos and the course in question. We'd be interested to know roughly how many sales you believe you could total for this course \ No newline at end of file diff --git a/input/test/Test4280.txt b/input/test/Test4280.txt new file mode 100644 index 0000000..04fc2a3 --- /dev/null +++ b/input/test/Test4280.txt @@ -0,0 +1,13 @@ +Insider Buys on August 13, 2018 +Chambal Fertilisers & Chemicals Ltd: Hindustan Times Ltd., (promoter) bought 10,000 shares through market purchase on August 13, 2018 +Bajaj Finance Ltd.: Bajaj Allianz Life Insurance Co.Ltd. bought 50,000 shares through market purchase on August 13, 2018 +Jagran Prakashan Ltd: VRSM Enterprises LLP bought 3,00,000 shares through market purchase on August 13, 2018 +related news +TD Power Systems Ltd: Lavanya Sankaran boought 18,250 shares through market purchase on August 13, 2018 +Wonderla Holidays Ltd.: Kochouseph Thomas Chittilappilly bought 4,325 shares through market purchase from August 10 to August 13, 2018 +Insider Buys on August 13, 2018 +Axis Bank Ltd: Sanjay Silas sold 7,764 shares through market sale on August 13, 2018 +Yes Bank Ltd: Sumit Gupta sold 500 share through market sale on August 13, 2018 +Dabur India Ltd.: Sunil Duggal sold 10,000 shares through market sale on August 13, 2018 +V-Guard Industries Ltd.: Mallikarjuna Sharma sold 2,000 shares through market sale from August 7 to August 13, 2018 +( Note : The above report is compiled from data received from Prima Database \ No newline at end of file diff --git a/input/test/Test4281.txt b/input/test/Test4281.txt new file mode 100644 index 0000000..8331d49 --- /dev/null +++ b/input/test/Test4281.txt @@ -0,0 +1,2 @@ +Blog Install i need a freelancer for work on my website +I need a new website. I need you to design and build a landing [login to view URL] Indians only bit Offer to work on this job now! Bidding closes in 6 days Open - 6 days left Your bid for this job INR Set your budget and timeframe Outline your proposal Get paid for your work It's free to sign up and bid on jobs 19 freelancers are bidding on average ₹21953 for this job Hello I have seen your project and interested in working with you. I guarantee you best performance, on time project delivery, faster communication and quick response to your queries. I have 5+ year experience i More ₹27777 INR in 10 days (296 Reviews) Hello Dear, Hope you are doing good. My name is Sourabh and I represent Nuance Infotech.I have gone through the project description and have clear concern about your requirements. We can serve you as per your req More ₹30000 INR in 10 days (87 Reviews) We have a 4 years of experience. Please ping me so that i can assist you further. We have professional team of developers. we have completed many website and mobile application. I will make it fully dynamic with ad More ₹16666 INR in 10 days (29 Reviews) NO ADVANCE PAYMENT We can surely design a beautiful landing page + website that is brighter and elegant with your required preferences and instructions that is professional and impressive. Few websites we develop More ₹30000 INR in 24 days (14 Reviews) hello sir i gone through your needs without wasting your time i request you just check my web portfolio [login to view URL] Looking forward to hear from you and keen to discuss further I am hav More ₹12500 INR in 14 days (17 Reviews) Hi, We have read that you are looking for web developer We are a team of well-experienced freelancers that values quality over anything else. Here are the skills we have for your reference: • Web design and More ₹12777 INR in 3 days (18 Reviews) Hi, Hope my experience will help me to work with you. I will do the work as per your requirement,could you please give me chance to work with you. Few url i have given below. [login to view URL] More ₹20000 INR in 8 days (13 Reviews) Hello, With the reference to your description, I would like to inform you that we are the most eligible freelancer here with whom you can discuss this project. After our discussion, I am sure you will love to wo More ₹20000 INR in 5 days (6 Reviews) Dear Sir, Hope you are doing well!.. Hi this is Prashant from Webminds Infotech Pvt. Ltd. We have understood your requirements. We are confident that we can develop a landing page with HTML5 bootstrap websit More ₹13888 INR in 2 days (5 Reviews) Dear Employer, I'm interested in your posted website Design Project. Let me know more details to start. Please ping me i am online now! In the mean while Please check my portfolio here https://www.freelancer. More ₹ INR in 6 days (3 Reviews) Hi, Hope you are doing well. Assertive InfoTech is a team of developers and designer. WE CAN HELP YOU TO DO "design and build a landing page". We have more than 5 years experience in PHP, AngularJS, Wordpress, C More ₹12777 INR in 10 days (6 Reviews) Hello sir, we studied about your project come to know that you want a website. We want your attention here that we are 5 year old company with professional in every technologies. our professional always try to give More ₹27777 INR in 10 days (3 Reviews) Dear Client, In my 5+ years as a full stack developer, I have successfully delivered numerous web solutions to my clients. I am confident I can do this project for you. Front End: HTML, CSS, Angular JS, React More ₹27777 INR in 10 days (4 Reviews) Hello here from the company KAKA SOFTWARE FACTORY THE COMPANY FOR INDUSTRIALISATION OF SOFTWARES AND INTELLIGENCE SOLUTIONS Have the team of professionals to meet your requirements. The technologies we offer are PHP More ₹27777 INR in 10 days (0 Reviews) nataliegraham60 Hi, I am Natalie. I have seen your post. I have been working in this field from a very long time. I have expertise with WordPress, PHP, PHP Scripting and CodeIgnitor along with Photoshop. So can help you with the desig More ₹ INR in 8 days (0 Reviews) Hello Client, I have read your requirement about - a freelancer for work on my website and I am sure I can complete it as per the given description. I do have skills like Graphic Design, PHP, Website Design whi More ₹15171 INR in 3 days (0 Reviews) Hi, I am an creative UI/UX designer and expert developer having 6yrs experience. I would be using latest trend and technique in developing landing page with perfect positioning and efficiently functional CTA but More ₹ INR in 1 day (0 Reviews) Hi, I am an experienced Software Engineer with a demonstrated history of working in the computer software industry. I am confident to complete your work as per your expectation. I have more than 10 years of Experience More ₹16666 INR in 10 days (0 Reviews) rashmitadudhat26 Hello, I have read your Job description and I feel that I am the best fit for it. I am a WordPress Developer. Why am I best fit for it? 1. I have three years of experience in HTML, Javascript, Python, CSS and More ₹16666 INR in 7 days (0 Reviews) Offer to work on this job now! Bidding closes in 6 days Open - 6 days left Your bid for this job IN \ No newline at end of file diff --git a/input/test/Test4282.txt b/input/test/Test4282.txt new file mode 100644 index 0000000..edc35f8 --- /dev/null +++ b/input/test/Test4282.txt @@ -0,0 +1,23 @@ +07 AM EDT Aug 17, 2018 Baker who refused to make gay wedding cake sues again over gender transition cake Share 07 AM EDT Aug 17, 2018 Associated Press DENVER — +A Colorado baker who refused to make a wedding cake for a gay couple on religious grounds — a stance partially upheld by the U.S. Supreme Court — has sued the state over its opposition to his refusal to bake a cake celebrating a gender transition, his attorneys said Wednesday. +Jack Phillips, owner of the Masterpiece Cakeshop in suburban Denver, claimed that Colorado officials are on a "crusade to crush" him and force him into mediation over the gender transition cake because of his religious beliefs, according to a federal lawsuit filed Tuesday. Advertisement +Phillips is seeking to overturn a Colorado Civil Rights Commission ruling that he discriminated against a transgender person by refusing to make a cake celebrating that person's transition from male to female. +His lawsuit came after the Supreme Court ruled in June that Colorado's Civil Rights Commission displayed anti-religious bias when it sanctioned Phillips for refusing to make a wedding cake in 2012 for Charlie Craig and Dave Mullins, a same-sex couple. +The justices voted 7-2 that the commission violated Phillips' rights under the First Amendment. But the court did not rule on the larger issue of whether businesses can invoke religious objections to refuse service to gays and lesbians. +The Alliance Defending Freedom, a conservative Christian nonprofit law firm, represented Phillips in the case and filed the new lawsuit. +Phillips operates a small, family-run bakery located in a strip mall in the southwest Denver suburb of Lakewood. He told the state civil rights commission that he can make no more than two to five custom cakes per week, depending on time constraints and consumer demand for the cakes that he sells in his store that are not for special orders. +Autumn Scardina, a Denver attorney whose practice includes family, personal injury, insurance and employment law, filed the Colorado complaint — saying that Phillips refused her request for a gender transition cake in 2017. +Scardina said she asked for a cake with a pink interior and a blue exterior and told Phillips it was intended to celebrate her gender transition. She did not state in her complaint whether she asked for the cake to have a message on it. +The commission found on June 28 that Scardina was discriminated against because of her transgender status. It ordered both parties to seek a mediated solution. +Phillips sued in response, citing his belief that "the status of being male or female ... is given by God, is biologically determined, is not determined by perceptions or feelings, and cannot be chosen or changed," according to his lawsuit. +Phillips alleges that Colorado violated his First Amendment right to practice his faith and the 14th Amendment right to equal protection, citing commission rulings upholding other bakers' refusal to make cakes with messages that are offensive to them. +"For over six years now, Colorado has been on a crusade to crush Plaintiff Jack Phillips ... because its officials despise what he believes and how he practices his faith," the lawsuit said. "This lawsuit is necessary to stop Colorado's continuing persecution of Phillips." +Phillips' lawyers also suggested that Scardina may have targeted Phillips several times after he refused her original request. The lawsuit said he received several anonymous requests to make cakes depicting Satan and Satanic symbols and that he believed she made the requests. +Reached by telephone Wednesday, Scardina declined to comment, citing the pending litigation. Her brother, attorney Todd Scardina, is representing her in the case and did not immediately return a phone message seeking comment. +Phillips' lawsuit refers to a website for Scardina's practice, Scardina Law. The site states, in part: "We take great pride in taking on employers who discriminate against lesbian, gay, bisexual and transgender people and serving them their just desserts." +The lawsuit said that Phillips has been harassed, received death threats, and that his small shop was vandalized while the wedding cake case wound its way through the judicial system. +Phillips' suit names as defendants members of the Colorado Civil Rights Division, including division director Aubrey Elenis; Republican state Attorney General Cynthia Coffman; and Democratic Gov. John Hickenlooper. It seeks a reversal of the commission ruling and at least $100,000 in punitive damages from Elenis. +Hickenlooper told reporters he learned about the lawsuit Wednesday and that the state had no vendetta against Phillips. +Rebecca Laurie, a spokeswoman for the civil rights commission, declined comment Wednesday, citing pending litigation. Also declining comment was Coffman spokeswoman Annie Skinner. +The Masterpiece Cakeshop wedding cake case stirred intense debate about the mission and composition of Colorado's civil rights commission during the 2018 legislative session. Its seven members are appointed by the governor. +Lawmakers added a business representative to the commission and, among other things, moved to ensure that no political party has an advantage on the panel \ No newline at end of file diff --git a/input/test/Test4283.txt b/input/test/Test4283.txt new file mode 100644 index 0000000..3048769 --- /dev/null +++ b/input/test/Test4283.txt @@ -0,0 +1,17 @@ +Sometimes, when you're sitting in front of the idiot box and trying to make sense of the meaningless images contained therein, you have to try and ascertain the difference between what a television show is showing and what a television show is saying. +Twin Peaks , for example, shows you that murdering beauty queens and wra-a-aping them in plastic is cool and mysterious. What it is saying, on the other hand, is that you should never trust short people. Particularly those whose arms bend back. See? Should make complete sense now. +Replay +Replay Video Loading Play Video +Play Video +Playing in 5 ... Don't Play When it comes to the new comedy series Insatiable (Netflix, on demand) the first thing you have to get past is the waist-deep sea of bad reviews. There's an ocean of them out there. Short summary: some people hate this show. Longer summary: some people really, really, really hate this show. +Capsule plot: Patty Bladell (Debby Ryan) is an overweight high school kid who is punched by a homeless guy and, after three months with her jaw wired shut, emerges slim and vengeful. Her lawyer Bob Armstrong (Dallas Roberts) moonlights as a beauty pageant consultant and persuades Patty to become his protege. +Shallow and narcissistic: Debby Ryan as Patty Bladell in Insatiable. +Photo: Tina Rowden/Netflix Advertisement So, just how bad are the reviews? +Variety said, "neither the show's punchlines nor its characters are sharp enough to transcend their cliched foundations". AV Club said it, "purports to be satire, playing every bit of offensive dialogue and questionable storyline for laughs, yet none of it is funny". +And Vanity Fair , in what might be described as one of the more flattering reviews of the show, called it a "would-be binge-watch [that is] so sloppy that it borders on inadvertent brilliance". Just to ice that cake, Vanity Fair even wondered if Netflix's algorithm had produced the show without human input. +So, here's the thing. The bottom line messaging – that high school kids are shallow, that appearances don't matter, that everyone's revenge on their detractors is a life lived in full colour – is sound. The problem here might be what you have to tackle in order to get there, which is, a big dose of fat-shaming. +Insatiable aspires to be Mean Girls, but it's missing a key element: empathy. +Insatiable aspires to be Mean Girls , but that film was tempered powerfully by a strong seam of empathy woven into the script by writer Tina Fey, coupled with a more dimensional heroine in Lindsay Lohan's Cady. +Insatiable 's Patty is written, aside from slivers of self-doubt that manifest periodically, as shallow and narcissistic. Biggest problem: you're never quite sure if you like her. Her sidekick is one-note lesbian high schooler Nonnie (Kimmy Shields). And her potential love interest is one-note brooding preacher's son-turned-bad boy Christian (James Lastovic). +Some of the show's other supporting players offer a glimmer of salvation – Christopher Gorham's Bob Barnard, Alyssa Milano's Coralee Armstrong and Carly Hughes' Etta Mae Barnard – and collectively elevate the show from a pale cousin of Heathers to something more like Robert Harling's underrated Good Christian Bitches . +The intellectuals will tell you the show is bad because its messaging is off. But Insatiable stumbles for far more fundamental reasons: it lacks dimension, its characters are unsteady on their narrative feet and while it might seem funny, irreverent and boundary-pushing at times, it lacks those characteristics in enough volume to sustain itself \ No newline at end of file diff --git a/input/test/Test4284.txt b/input/test/Test4284.txt new file mode 100644 index 0000000..02f41d6 --- /dev/null +++ b/input/test/Test4284.txt @@ -0,0 +1,17 @@ +The FDA recently issued a notice to warn doctors and patients of the risks associated with off-label uses of devices normally used to destroy abnormal or pre-cancerous cervical or vaginal tissue and genital warts. +The FDA issued its notice July 30, 2018, alerting doctors and patients the agency has concerns about use of energized medical devices being used for vaginal rejuvenation treatment . +The term vaginal rejuvenation is not well-defined, but generally it refers to non-surgical procedures designed to treat a variety of vaginal changes, including dryness, itching, lack of elasticity, atrophy, or painful sex or painful urination. The FDA says it has not cleared any device for the purpose of vaginal rejuvenation treatment. +Advertising efforts target women who have survived cancer and suffered negative gynecological effects from hormone imbalances. Most marketing is directed at post-menopausal women who contend with dryness, laxity, painful sex or painful urination. +Vaginal Rejuvenation Treatment Problems Some device manufacturers and some gynecologists are marketing energy-based devices as ways to treat undesired vaginal changes related to menopause, urinary incontinence or sexual problems, says the FDA's warning. +"The safety and effectiveness of energy-based devices for treatment of these conditions has not been established," the warning says. +The FDA has sent letters to several companies to ask them to stop marketing vaginal rejuvenation treatment as a service available to patients using the medical devices normally used to treat pre-cancerous cells and genital warts. +Among the companies who received a letter regarding their alleged marketing of off-label vaginal rejuvenation treatment are: +Venus Concept BTL Industries Cynosure Alma Lasers Sciton Thermigen Inmode MD The letters urge these companies to discontinue deceptive advertising about the devices. Off-label vaginal rejuvenation treatment by energy-based devices has led to burning, scarring and painful sex after treatments. +Many companies, such as Cynosure, market the lasers as in-office treatments with "minimal side effects" and "no down time." Cynosure promotes MonaLisa Touch as a probe that "delivers gentle laser energy to the vaginal wall, stimulating a healing response. The total procedure takes less than five minutes." +Cynosure recommends three five-minute treatments at 6-week intervals for "post-menopausal women with gynelogic health concerns." +Cynosure's website, smilemonalisa.com, almost makes MonaLisa Touch vaginal rejuvenation treatment sound like a fountain of youth, touting the device as "innovative technology for vaginal and vulvar health." +Some of the providers who offer vaginal rejuvenation treatment are not licensed physicians. Aestheticians and nurses have started businesses that promote vaginal rejuvenation treatment among their "specialties." +Lasers that are turned too high or concentrate on delicate tissue for too long can cause permanent scarring, burning or nerve damage. +A number of celebrities have touted vaginal rejuvenation treatment as a way to recapture their gynecological youth, but off-label uses of medical equipment that has not been tested and proven safe and effective for the delicate vaginal tissue could prove irreversibly damaging. +Have you been injured by a vaginal rejuvenation treatment that involved lasers or other energized devices? If you have suffered burning, scarring, or painful sex after receiving a vaginal rejuvenation treatment, you could be eligible to participate in a vaginal rejuvenation lawsuit investigation. +If you or a loved one has undergone vaginal rejuvenation and experienced adverse side effects, including burning, pain, or scarring, you may qualify to join a vaginal rejuvenation class action lawsuit investigation that aims to hold these companies responsible. Fill out the FREE form on this page for more information \ No newline at end of file diff --git a/input/test/Test4285.txt b/input/test/Test4285.txt new file mode 100644 index 0000000..05e06ad --- /dev/null +++ b/input/test/Test4285.txt @@ -0,0 +1,15 @@ +TalkTalk is so confident that new Fibre customers will love their package, they are now free to leave if they're not fully satisfied with their new connection Market-leading Fibre can save customers up to £143 vs. competitors* Plus, Fixed Price Plans offer added peace of mind as competitors hike prices four times over the past 12 months New router offers superior speeds and signal throughout the home TalkTalk is strengthening its commitment to provide faster, more reliable connectivity by launching its new Great Connection Guarantee. From today, new Faster Fibre customers will be free to leave at any time during the first 30 days of their service going live if they're not fully satisfied with their new fibre connection**. +The announcement is just the latest demonstration of TalkTalk's commitment to fairness and value, leading the industry as the first and one of the only providers to guarantee customers no mid-contract broadband price rises for up to 24 months. In contrast, BT, Virgin Media and Sky have all put their prices up mid-contract four times between them in the past year, with BT's latest price hike taking effect from 16th September. +David Parslow, Group Marketing Director, said: ' We know that great connectivity really matters in modern households. That's why we're offering our great connection guarantee - for added peace of mind and reassurance. We're confident customers will be satisfied as we've been investing in optimising our network and developing our most sophisticated router yet, with a Wi-Fi signal that can't be beaten by any of the other major broadband providers.' +TalkTalk is dropping its prices again allowing customers to stream for less and save up to £143 vs. BT, Sky and Virgin Media. +From 17th August until 21st September, consumers can take advantage of TalkTalk's Faster Fibre Broadband for just £23.50 a month. New Faster Fibre customers will also receive TalkTalk's Wi-Fi Hub - powering unbeatable Wi-Fi that reaches more corners of the home across more devices than ever before. +For more information visit: https://www.talktalk.co.uk/fibre +ENDS +Notes to Editors +* Competitors include BT, Sky and Virgin Media +* *The Great Connection Guarantee is only be available to customers who are new to TalkTalk and sign up to a Faster Fibre plan. +For more information, please contact TalkTalk Press Office on talktalk@mhpc.com or 0203 128 6902. +About the author +Attachments +Original document Permalink Disclaimer +TalkTalk Telecom Group plc published this content on 17 August 2018 and is solely responsible for the information contained herein. Distributed by Public, unedited and unaltered, on 17 August 2018 10:10:02 UT \ No newline at end of file diff --git a/input/test/Test4286.txt b/input/test/Test4286.txt new file mode 100644 index 0000000..3048769 --- /dev/null +++ b/input/test/Test4286.txt @@ -0,0 +1,17 @@ +Sometimes, when you're sitting in front of the idiot box and trying to make sense of the meaningless images contained therein, you have to try and ascertain the difference between what a television show is showing and what a television show is saying. +Twin Peaks , for example, shows you that murdering beauty queens and wra-a-aping them in plastic is cool and mysterious. What it is saying, on the other hand, is that you should never trust short people. Particularly those whose arms bend back. See? Should make complete sense now. +Replay +Replay Video Loading Play Video +Play Video +Playing in 5 ... Don't Play When it comes to the new comedy series Insatiable (Netflix, on demand) the first thing you have to get past is the waist-deep sea of bad reviews. There's an ocean of them out there. Short summary: some people hate this show. Longer summary: some people really, really, really hate this show. +Capsule plot: Patty Bladell (Debby Ryan) is an overweight high school kid who is punched by a homeless guy and, after three months with her jaw wired shut, emerges slim and vengeful. Her lawyer Bob Armstrong (Dallas Roberts) moonlights as a beauty pageant consultant and persuades Patty to become his protege. +Shallow and narcissistic: Debby Ryan as Patty Bladell in Insatiable. +Photo: Tina Rowden/Netflix Advertisement So, just how bad are the reviews? +Variety said, "neither the show's punchlines nor its characters are sharp enough to transcend their cliched foundations". AV Club said it, "purports to be satire, playing every bit of offensive dialogue and questionable storyline for laughs, yet none of it is funny". +And Vanity Fair , in what might be described as one of the more flattering reviews of the show, called it a "would-be binge-watch [that is] so sloppy that it borders on inadvertent brilliance". Just to ice that cake, Vanity Fair even wondered if Netflix's algorithm had produced the show without human input. +So, here's the thing. The bottom line messaging – that high school kids are shallow, that appearances don't matter, that everyone's revenge on their detractors is a life lived in full colour – is sound. The problem here might be what you have to tackle in order to get there, which is, a big dose of fat-shaming. +Insatiable aspires to be Mean Girls, but it's missing a key element: empathy. +Insatiable aspires to be Mean Girls , but that film was tempered powerfully by a strong seam of empathy woven into the script by writer Tina Fey, coupled with a more dimensional heroine in Lindsay Lohan's Cady. +Insatiable 's Patty is written, aside from slivers of self-doubt that manifest periodically, as shallow and narcissistic. Biggest problem: you're never quite sure if you like her. Her sidekick is one-note lesbian high schooler Nonnie (Kimmy Shields). And her potential love interest is one-note brooding preacher's son-turned-bad boy Christian (James Lastovic). +Some of the show's other supporting players offer a glimmer of salvation – Christopher Gorham's Bob Barnard, Alyssa Milano's Coralee Armstrong and Carly Hughes' Etta Mae Barnard – and collectively elevate the show from a pale cousin of Heathers to something more like Robert Harling's underrated Good Christian Bitches . +The intellectuals will tell you the show is bad because its messaging is off. But Insatiable stumbles for far more fundamental reasons: it lacks dimension, its characters are unsteady on their narrative feet and while it might seem funny, irreverent and boundary-pushing at times, it lacks those characteristics in enough volume to sustain itself \ No newline at end of file diff --git a/input/test/Test4287.txt b/input/test/Test4287.txt new file mode 100644 index 0000000..cb7fad3 --- /dev/null +++ b/input/test/Test4287.txt @@ -0,0 +1,10 @@ +The developers of a technology that helps clinicians and healthcare professionals to treat people suffering from sleeping problems more effectively has received two high-profile accolades. +SleepCogni , which is backed by Mercia Fund Managers , has been named by Corporate Livewire as the winner of the Innovation in Preventative Healthcare Award at its annual Healthcare and Life Sciences event. +The Healthcare & Life Sciences Awards 2018 recognises and celebrates leading research firms and medical professionals who have made a difference in their field. The team at Corporate LiveWire closely monitor trends and developments in the health industry to highlight the most successful individuals for their breakthrough research and life-saving services. Nominations for this award came from contributors and readers of the Corporate Livewire and Medical Livewire magazines as well as the Corporate Livewire awards team and information on each nominee was scrutinised by an independent judging panel before the winners were announced. +This award comes in the same month that Braintrain2020 appears in the prestigious 'Longevity Industry in UK Landscape Overview 2018' report which has been created to outline the history, present state and future of the Longevity Industry in the United Kingdom. Profiling hundreds of companies, investors, and trends, the report offers guidance on the most optimal ways in which UK longevity industry stakeholders, as well as government officials, can work to strengthen the industry, and allow it to reach its full potential as a global longevity science and preventive medicine hub. +The report was created by The Global Longevity Consortium, consisting of the Biogerontology Research Foundation, Deep Knowledge Analytics, Aging Analytics Agency and the Longevity International platform. It uses comprehensive infographics to distil the report's data and conclusions into easily understandable portions, and interested readers can get a quick understanding of the report's main findings and conclusions in its 10-page executive summary. +Richard Mills - Founder & CEO says: 'SleepCogni is going from strength to strength and it's fantastic that we're receiving external recognition for our efforts. This month's award win is a great addition to the list of accolades we've already received over the last three years and along with our appearance in the Longevity Report positions Braintrain2020 amongst some of the most exciting medtech organisations in the UK. The fact that the Longevity Report features us in both the Personalised Medicine and Regenerative Medicine sectors is reflective of the fact that truly personalised and bioactive feedback is at the heart of our exciting technology. +'Our success to date is just one of the reasons that the President of Aetna International joined us as Chairman last month ahead of us going out for a Series A fund raise of £4.8M.' +Attachments +Original document Permalink Disclaimer +Mercia Technologies plc published this content on 17 August 2018 and is solely responsible for the information contained herein. Distributed by Public, unedited and unaltered, on 17 August 2018 10:35:03 UT \ No newline at end of file diff --git a/input/test/Test4288.txt b/input/test/Test4288.txt new file mode 100644 index 0000000..05c0725 --- /dev/null +++ b/input/test/Test4288.txt @@ -0,0 +1,8 @@ +Pop in for a Prosecco at Regency Manor, Wynyard Show caption 0 comment TO CELEBRATE the opening of its two new showhomes at Regency Manor, part of the exclusive Wynyard Homes development, Bellway is laying on a mobile Prosecco bar over the Bank Holiday weekend and will be offering visitors canapés and providing entertainment for children who can enjoy sweets whilst having their faces painted and watching a balloon artist. +"The two new showhomes perfectly showcase the living standards that buyers can expect to enjoy at Regency Manor," said sales manager, Darren Pelusi. "Our interior designers have done a fabulous job in selecting the furniture and decor in order to illustrate the homes' appeal and to show buyers how imaginative they can be." +Bellway has chosen the Poplar and Plane homes to demonstrate the quality of accommodation on offer at Regency Manor. +The five-bedroom executive Poplar style home offers 2,210sq.ft of living space which includes features such as an open-plan kitchen and dining area, separate utility room, study, French doors from the living area to the garden, a double garage, two en-suite bedrooms and a Jack 'n' Jill shower room. +The four-bedroom Plane style home has 1,796sq.ft of living space. On the ground floor are a cloakroom, living room with bay window overlooking the garden, contemporary open-plan kitchen/dining area and family room with integrated appliances in the kitchen and utility room which provides access to the garage. +Upstairs are the family bathroom and four bedrooms, including the master bedroom with dressing area and en-suite shower room and a bedroom two also with an en-suite shower room. +Prices at Regency Manor start from £329,995. Bellway is offering buyers a range of incentives, including the Government's Help to Buy scheme and its own free Express Mover service for buyers with an existing home to sell. +For more information about Regency Manor visit bellway.co.uk or call Bellway on 07970 637287. The development's sales office is open 10am-5pm Thursday to Monday \ No newline at end of file diff --git a/input/test/Test4289.txt b/input/test/Test4289.txt new file mode 100644 index 0000000..5b5e2c7 --- /dev/null +++ b/input/test/Test4289.txt @@ -0,0 +1 @@ +WarezSerbia » Tv Shows » Disenchantment S01E01 720p WEB x264-STRiFE Disenchantment S01E01 720p WEB x264-STRiFE Release name: Disenchantment S01E01 720p WEB x264-STRiFESize: 993.54 MB Images: Title: Disenchantment TV Info: The series follows the story of Bean, an alcoholic princess, her elf companion Elfo, and her "personal demon" Luci, who live in a medieval kingdom known as Beanlandia.The series is Matt Groening's first production for Netflix; he previously created The Simpsons and Futurama for 20th Century Fox Television \ No newline at end of file diff --git a/input/test/Test429.txt b/input/test/Test429.txt new file mode 100644 index 0000000..4f3714b --- /dev/null +++ b/input/test/Test429.txt @@ -0,0 +1,9 @@ +Doc and Woody Invitational Entry 10 00:13 August 17, 2018 Playing the entire hole with only a driver Randall finds himself on the fringe while Doc sits in the sand. Who pulls it out to take the hole? A correct guess could see you joining the gang at the Doc & Woody Invitational at the Marshes Join The ROCK Empire +Listen live on your mobile device anytime and anywhere Join In Terms of Service Create a new password +We've sent an email with instructions to create a new password. Your existing password has not been changed. We'll send you a link to create a new password. {* #forgotPasswordForm *} {* #legalAcceptancePostLoginForm_radio *} {* name *} {* email *} {* postalCode *} {* gender *} {* birthdate_required *} Subscribe to 106.1 CHEZ newsletters 106.1 CHEZ Rock News Weekly updates on contests, events, and special deals or information. Promotions Send me promotions, surveys and info from 106.1 CHEZ and other Rogers brands. It's Your Birthday! Send me a special email on my birthday. From Our Partners Send me alerts, event notifications and special deals or information from our carefully screened partners that may be of interest to me. +I understand that I can withdraw my consent at any time Loading newsletters By clicking Confirm Account, I agree to the terms of service and privacy policy of Rogers Media. {* backButton *} {* legalAcceptanceAcceptButton *} for signing up! Updating your profile data... +You have activated your account, please feel free to browse our exclusive contests, videos and content. +You have activated your account, please feel free to browse our exclusive contests, videos and content. +An error has occurred while trying to update your details. Please contact us . Please confirm the information below before signing up. {* #socialRegistrationForm_radio_2 *} {* socialRegistration_firstName *} {* socialRegistration_lastName *} {* socialRegistration_emailAddress *} {* socialRegistration_displayName *} {* socialRegistration_postalCode *} {* socialRegistration_gender *} {* socialRegistration_birthdate_required *} Subscribe to 106.1 CHEZ newsletters 106.1 CHEZ Rock News Weekly updates on contests, events, and special deals or information. Promotions Send me promotions, surveys and info from 106.1 CHEZ and other Rogers brands. It's Your Birthday! Send me a special email on my birthday. From Our Partners Send me alerts, event notifications and special deals or information from our carefully screened partners that may be of interest to me. +I understand that I can withdraw my consent at any time By checking this box, I agree to the terms of service and privacy policy of Rogers Media. {* backButton *} Sign in to complete account merge {* #tradAuthenticateMergeForm *} Please confirm the information below before signing up. {* #registrationForm_radio_2 *} {* traditionalRegistration_firstName *} {* traditionalRegistration_lastName *} {* traditionalRegistration_emailAddress *} {* traditionalRegistration_displayName *} {* traditionalRegistration_password *} {* traditionalRegistration_passwordConfirm *} {* traditionalRegistration_postalCode *} {* traditionalRegistration_gender *} {* traditionalRegistration_birthdate_required *} Subscribe to 106.1 CHEZ newsletters 106.1 CHEZ Rock News Weekly updates on contests, events, and special deals or information. Promotions Send me promotions, surveys and info from 106.1 CHEZ and other Rogers brands. It's Your Birthday! Send me a special email on my birthday. From Our Partners Send me alerts, event notifications and special deals or information from our carefully screened partners that may be of interest to me. +I understand that I can withdraw my consent at any time By checking this box, I agree to the terms of service and privacy policy of Rogers Media. {* backButton *} {* createAccountButton *} Your Verification Email Has Been Sent Check your email for a link to reset your password. Sign in Create a new password We've sent an email with instructions to create a new password. Your existing password has not been changed \ No newline at end of file diff --git a/input/test/Test4290.txt b/input/test/Test4290.txt new file mode 100644 index 0000000..0822b77 --- /dev/null +++ b/input/test/Test4290.txt @@ -0,0 +1,9 @@ +(CNN) Sky Ouyang used to avidly follow Real Madrid, keeping up to date with how the La Liga club was doing from his Shanghai home. +A Real shirt from the 2008/09 season -- Cristiano Ronaldo's first campaign as a Real player -- was a prized possession. But then Ronaldo moved to Juventus and Ouyang's loyalties changed. Focused flicked from Spain to Italy; to the back of the wardrobe went the Real shirt, in came Juventus merchandise, and immediately it was the Italian club the 23-year-old followed on every social media platform. Follow @cnnsport "I support Ronaldo first and foremost. The team isn't important, it's whoever he plays for," the social media executive, who first fell under the Portuguese's spell when Ronaldo was the young buck at Manchester United beguiling with step-overs and swerves, tells CNN Sport. Ouyang is not alone in switching his allegiances to Juventus following Ronaldo's $117m summer transfer from a club with whom he established himself as one of the greatest to have played the beautiful game. With 139m Instagram followers, 74m on Twitter and over 122m on Facebook, Ronaldo is the most followed footballer on social media. Read More READ: What next for football's 'weird' social media craze? READ: Life after Ronaldo -- Real humbled by Atletico Juventus was the fastest growing European club online in China last month, the number of followers ballooning at a rate which has been described as unprecedented. Perhaps it should be of no surprise that five-time Ballon d'Or winner Ronaldo, a footballer who has only one equal in Lionel Messi for comparable talent and fame, attracts such zealous following in a country where success and celebrity is cherished. "There hasn't been an incident like this where there's been fans moving from one team to another or deciding to choose and follow a second team. This is probably the largest shift we've ever seen in China," says Tom Elsden, senior client manager at Shanghai-based digital marketing and investment company Mailman. "In the same period, Real Madrid have lost followers so there's been a direct correlation between Juventus growing and Real Madrid losing followers." But the tidal wave of followers which came Juventus' way once it signed one of the world's most famous sportsmen was not merely a Chinese phenomenon. The Bianconeri has gained 3.5m Instagram followers over the last month, while Juventus' engagements, impressions and followers on Facebook, Twitter and YouTube have also rocketed. A shop window in downtown Turin seeling Juventus merchandise. READ: Ronaldo joins Juventus from Real Does Ronaldo's digital influence, his power to change a fan's allegiance, mean the nature of football fandom has changed? And if Ronaldo, Neymar and Messi, who all have a bigger following on social media than their clubs, is this the era where the sport's biggest names garner more devotion than the teams they play for? Simon Chadwick, professor of sports enterprise at Salford University, says the cult of celebrity has changed the way football fans around the world associate with teams and players. "There is the emergence of celebrity culture over the last 15 to 20 years in a way that didn't exist in the 60s, 70s, 80s and 90s," he tells CNN Sport. "We're now more interested in celebrities than perhaps we are teams and that's a characteristic of not just football and sport but of life in general." George Best is regarded as the first British sportsman to be accorded pop star status. READ: The app hoping to revolutionize football Star footballers have been hero-worshiped since the beginning of the 20th Century and for decades have attempted to capitalize on their popularity. At the peak of his footballing powers in the 1960s, former Manchester United winger George Best -- a man once dubbed the fifth Beatle -- famously appeared in an advert in the United Kingdom telling viewers that Cookstown bangers were "the Best family sausages." But much has changed since those black and white days when one of the world's most celebrated players helped increase sales in sausages for a family butcher. Advertising campaigns are more sophisticated, footballers' brands are carefully cultivated, major clubs and their players are lucrative businesses and, crucially, there is the world wide web. The internet, said Stephen Hawking, has connected us "like neurons in a giant brain" and has allowed players and clubs to communicate directly with fans, while in this globalized world almost everything is accessible, from live streaming a match to buying merchandise. If, as renowned journalist Arthur Hopcraft once wrote, football reflects the kind of community that we are then the sport as it is today, and those who follow it, are a reflection of an interconnected world. Fans wear Ronaldo and Messi masks during the Russia 2018 World Cup. "There's something in the way in which the social and digital environment has enabled fans to challenge the existing ways of being a fan and perhaps therefore it's breaking down the barriers to fandom that previously existed," says Chadwick. "The role of social media is shaping people's associations and perceptions. "For many younger people in particular they have less affiliation with a football team that's embedded in the town where they're from and more association with global icons. PogBOOM is coming to Old Trafford. @paulpogba : Welcome home to @ManUtd . #FirstNeverFollows https://t.co/UKrEgp7Mcy +— adidas Football (@adidasfootball) August 8, 2016 "Those global icons can be Manchester United or Real Madrid, but at the same time those global icons can be Kylian Mbappe, Ronaldo or Paul Pogba." Teenager Mbappe's goals and blistering forward play helped France win the World Cup in Russia. The 19-year-old, like so many of Generation Z (those born in the '90s and 2000s), hasn't lived in a world without social media. France forward Mbappe was named the best young player at Russia 2018. READ: Mbappe -- The phenomenon that breathes football "We've not heard much about brand France or the marketing potential of the French national team. What we've heard lots about is the commercial potential of brand Mbappe," says Chadwick. "There is a focus on the individual and the marketing of those individuals is consistent with Generation Z and the way Generation Z consumes products and associates with brands. "I don't think we understand Generation Z as well as we should right now. Do we know that Generation Z is even interested in football? Aren't they more interested in social media and filming each other? "I would stand by my observation that Generation Z is interested in individuals and their point of engagement is around individuals and you see that through the emergence of vloggers and internet celebrities." 'Portfolio fandom' Then there is "portfolio fandom" as Chadwick puts it, a reference to fans who will support a number of teams, typically one from each major European league, reflecting "the fluid and open way many of us lead our lives." Portfolio fandom has, to a certain extent, existed for decades. Ardent fans of one particular club will often have a soft spot for a foreign team. The nature of fandom has changed, probably for the worst in terms of social media. +Michael Calvin +The popularity of the football program "Football Italia" which broadcast Serie A matches live on terrestrial TV in the UK in the 1990s helped make following the Italian top flight hipster cool before the word hipster had entered the popular lexicon. That was also, of course, before the English Premier League spread its tentacles across the globe. Yet even two to three decades ago, the sight of a Barcelona shirt, let alone one with the Catalan club's star player Messi embossed on the back, was rare anywhere outside of the region. These days the sight of children playing in a Barcelona shirt is common in many neighborhoods around the world. The name on the back of that shirt is also be entirely predictable. A Cuban boy wears a Barcelona shirt in Havana. Boys wearing Real Madrid's and Manchester United jerseys sit on a bench in Skopje, Macedonia. "You hear small anecdotes about kids who might not be Real Madrid fans but they're Cristiano Ronaldo fans," says Michael Calvin, an award-winning English sports journalist and author. "The nature of fandom has changed, probably for the worst in terms of social media." Calvin is referring to the rise of Arsenal TV, a channel which has over 820,000 YouTube subscribers and 285,000 Twitter followers, and personifies how the digital age has given fans a platform to voice their opinions, be it for good or bad. "I don't feel it's very healthy," adds Calvin. "They've got every right to their opinion but it's an uneducated opinion in many cases. "The whole phenomenon of fan TV where you get people basically expanding on their prejudices and condemning managers out of hand. I don't think that's a very welcome development." Millwall fans outside The Den before a Championship match. In his latest book "The State of Play," Calvin touches on Millwall, a London-based team in the second tier of English football which, like many of its stature, is not internationally supported. Those who support the Championship club do so because such devotion has been bequeathed from one generation to the next. You're born into being a Millwall fan. With the working clubs it's a birthright. +Michael Avery +Michael Avery supports the Lions, as did his father, his grandfather, and as do his two children. "You're born into being a Millwall fan -- you don't think 'I'll start supporting them'," Avery tells CNN Sport. "You won't necessarily get someone who's 30 years old who's just got into football supporting Millwall." While the club is one promotion away from the riches of the Premier League, Avery says the majority of fans would not want to reach the promised land if it meant sacrificing the club's identity. "Millwall prides itself on being a working-class club, a family club. It's never been known for big money transfer, or big wages," he explains. "I do feel 95% of the fan base have heritage in the area. With the working clubs it's a birthright. As lovely as it would be to see Millwall make the Premier League, we don't want to sell that identity as a working-class football club just to make it to the top division." This week it was revealed that more than half of clubs in the Premier League could have played in empty stadiums and still made a pre-tax profit in the 2016-17 season because of the league's bumper broadcast deal. In 2018, Deloitte said the majority of Europe's 20 richest clubs earn no more than a fifth of their income from 'matchday revenues.' Clubs are increasingly targeting a global audience by signing lucrative commercial deals and so it should be of no surprise that the way those teams are being consumed has changed. St. Pauli fans hold aloft a flag with the club's recognizable symbol. A St. Pauli fan during his team's match against Karlsruher SC. READ: Arsenal are sponsored by Rwanda Ed Barrett is a Manchester United fan living in Germany. He also follows St. Pauli, a Hamburg-based football club in Germany's second tier which has not won any major titles but whose 29,500-capacity ground is almost always full. The anti-establishment club has also developed a global following, with its the skull-and-crossbones symbol, proving highly marketable. "FC St Pauli has an image that allows them to exploit a market niche. As such, they went on a sponsor laden tour of the key US market during the summer. If that helps us pay the bills without increasing ticket prices or selling the stadium name, then that really doesn't bother me," Barrett tells CNN Sport. JUST WATCHED Arsenal sponsored by... Rwanda? Replay More Videos ... MUST WATCH +Arsenal sponsored by... Rwanda? 02:19 "Likewise, online content or tours by United to gear towards casual fans in the Far East isn't a huge disadvantage to match-going fans. At worst, a minor irritation if you bother following the club on social media where some of the content seems far removed from the essence of the club." Fandom has as many layers as a sundae. It is also complex. Fans come in many guises and the extent of their devotion varies. Not that the fans themselves seem too concerned about these developing intricacies. "It's a different kind of fan," Millwall supporter Avery says of these disciples of the global icons. "As much as Ronaldo and Messi are the iconic image, there's obviously an interest in the brand of football. It's just how times have changed." JUST WATCHED Ronaldo's 'deal of the century': Why now? Replay More Videos ... MUST WATCH +Ronaldo's 'deal of the century': Why now? 04:12 It is the clubs themselves, the global players who have chased new supporters, who are having to adapt the most. "The formation of the Premier League helped to instigate a culture change not just in English football, but in world football more generally," says Chadwick. "The old days, which we can refer to as pre-1992 before the Premier League, were very conventional. They were much simpler and what that therefore did was create not just one generation of fans but multiple generation of fans. "But post-1992, a new generation of citizens and consumers began to emerge and obviously this is being driven by globalization and digitalization and so the world of football fandom is now much more complex that it was 20, 30, 40 years ago. "When you begin to factor in Juventus trying to target fans in China through Ronaldo, you're not talking about old Juventus fans and young Juventus fans, but Chinese fans too. Visit cnn.com/sport for more news and videos "What football clubs are faced with is having to understand somewhat the Chinese, Europeans, Americans, Millennials, Generation X, Generation X. There are differences between urban and suburban viewers, men and women. "For football clubs, which are relatively small organizations, understanding this complexity is a huge challenge for them." Photos: Cristiano Ronaldo is expected to make his Serie A debut for Juventus against Chievo on Saturday. Hide Caption 1 of 14 Photos: His move to Juventus from Real Madrid after the World Cup was arguably the most surprising transfer of the 2018 summer window given he had been at the Spanish club for nine years. Hide Caption 2 of 14 Photos: Ronaldo signed a four-year deal, with an annual salary reportedly worth €30 million ($35.2 million). Hide Caption 3 of 14 Photos: During his nine years with Real, Ronaldo won six trophies and scored 451 goals. Hide Caption 4 of 14 Photos: Ronaldo joined Juve for a reported $117 million transfer fee. Last season, the Portuguese star scored a stunning bicycle kick against Juve in Turin, which was widely viewed as one of world's greatest ever Champions League goals. Hide Caption 5 of 14 Photos: Juve has dominated Italian football in recent years, but the Italian club last won the Champions League in 1996. The expectation is that Ronaldo, who is a five-time Ballon d'Or winner and helped Real Madrid win Europe's most prestige competition four times, will redress that balance. Hide Caption 6 of 14 Photos: Ronaldo explained his decision to join Juve by saying the time had come "for a new stage" in his life. Hide Caption 7 of 14 Photos: Juve supporters show off their Cristiano Ronaldo jerseys in front of the club's shop in Turin after the Serie A team signed the Portuguese star. Hide Caption 8 of 14 Photos: Reportedly 520,000 shirts bearing Ronaldo's name were sold within just 24 hours of the merchandise being released. Hide Caption 9 of 14 Photos: If Ronaldo's arrival was front and back page news it also had quite the impact on social media ... Hide Caption 10 of 14 Photos: The Bianconeri has gained 3.5m Instagram followers over the last month, while Juve's engagements, impressions and followers on Facebook, Twitter and YouTube have also rocketed. Hide Caption 11 of 14 Photos: Juve fans also turned up in force for Ronaldo's medical on July 16. Hide Caption 12 of 14 Photos: Ronaldo's move to Italy will also provide a new twist in his rivalry with Barcelona's Lionel Messi. Hide Caption 13 of 14 Photos: Ronaldo's move to Turin was also good news for some of the city's ice-cream sellers ... Miretti's ice-cream shop has been selling a CR7 gelato. Hide Caption 14 of 1 \ No newline at end of file diff --git a/input/test/Test4291.txt b/input/test/Test4291.txt new file mode 100644 index 0000000..0d56be9 --- /dev/null +++ b/input/test/Test4291.txt @@ -0,0 +1 @@ +UX Designer and Researcher at Opentrends Aug 17 Guessing User Needs: Smart Suggestions and Default States Dan Safer in his book 'Microinteractions' remarks how important is to guess what the users need based in their actions as mouse movements, clicks, selections, previous data… One of his microinteractions design principles is 'Don't Start From Zero', which encourages us to know about the user, the context, or the platform that can change the product for the better. We almost always know something, especially behavioural data so the product can be adapted to be used without resorting to manual settings and suggesting the best information and options. Let's see some examples that follows this principle: 1. If the user is scrolling up or down though an article too fast maybe he is not about to read at that moment, so we can suggest him reading it later. Example: When you are scrolling up while are reading an article at New Yorker, you get a message asking if you want to finish later. Source: Little Big Details 2. When an user is browsing on a specific profile in any social network, it can mean is interested in the profile and we can suggest to follow him or being notified when he makes updates. Example: iOS Tumblr suggest to receive notifications if you visit some Tumblr user page for a while. Source: Little Big Details 3. When an user creates an event/meeting using titles as lunch, dinner, breakfast… we will try to show by default the typical time for those events. We can alway be wrong for some users but probably you will make most of them happier. Google calendar shows dinner time by default when the event title is 'Dinner'. Source: Little Big Details 4. When in a online conversation you write 'Where are you?' Most probably you are interested in the location. Google Hangouts shows share location options when someone ask 'where are you?' Source: Little Big Details 5. Sometimes the user can copy and paste the same message to send by email, chat or another message app to different people. If the message is personal, the initial part will have a name that sometimes we need to edit by hand. As UX we have to make automatic that task. In Airbnb when you copy/paste the same host message starting by 'Hello [host tname]', the name is changed by the host first name where your are copping it. Source: Little Big Details 6. If you try to go somewhere that have some specific opening hours and you will arrive almost when is close, you have to guess the user can arrive when is closed. Google Maps notifies you when your destination will be closing within an hour of when you arrive. Source: Little Big Details 7. If someone selects and copy a product name may is trying to compare the price in another page (this guess could be validated by following what the user is doing after coping). ao.com offers a price match tooltip if you select the appliance name/model. Source: Little Big Details 8.When someone clicks for change some measure we can transform all the measure according with that country. It can be better to show directly the measures related with the country IP, but can be an issue if you are traveling in a place with a different measure. That why we should always offer the option to change. In Google Weather, when you change temperature metric to Celsius, the wind speed automatically changes to kilometers. Source: Little Big Details There are so many smart interactions we can apply to our designs for improving the user experience. We just have to guess the user needs by data analysis \ No newline at end of file diff --git a/input/test/Test4292.txt b/input/test/Test4292.txt new file mode 100644 index 0000000..dc6ad61 --- /dev/null +++ b/input/test/Test4292.txt @@ -0,0 +1,28 @@ +China's new online cosmetics stars: men 2018-08-17 12:30 Jiang Cheng preparing for a live video at his home in Beijing. Photo courtesy: AFP Lan Haoyi introducing a cosmetic product in a video from his home in Beijing. Photo courtesy: AFP +By Pak Yiu and Danni Zhu +Beijing (AFP) -- When Jiang Cheng first tried a bit of concealer during his first year of university in China it gave him self-confidence and he was instantly hooked. +Now he is among hundreds of Chinese men sharing beauty tips online and cashing in on the booming male cosmetics industry. +"I found that putting on make-up is actually quite easy," the 24-year-old said as he gently brushed his face with some foundation. +"Women may not fully grasp the concept of male make-up. If a girl puts on my make-up, they may not be able to achieve the effect that I really want," Jiang said. +Every weekend, Jiang spends a couple of hours in front of his iPhone at his cozy makeshift studio in Beijing trying on the latest balms and blush for hundreds of live viewers, who can simultaneously buy the products he reviews. +"This colour is not that outrageous that men can't wear it safely even in a conservative environment," he explains to his fans. +Online beauty stars form an enormous industry in China, with internet celebrities known as "wang hong", or online stars, blurring the line between entertainment and e-commerce. +Companies like Alibaba and JD.com have launched live-streaming platforms that allow viewers to purchase on the go while watching videos. And cosmetics brands pay big money for online celebrities, almost always female, to review their new products. +But now the market and gender norms are changing, with cosmetics no longer seen as exclusively for women and male celebrities showing that it is okay for men to dab on a bit of blush. +Jiang says a firm that manages bloggers pays him around 5,000 yuan ($730) per month to feature products from cosmetics companies. +The male beauty market is expected to grow 15.2 percent in the next five years in China compared to an 11 percent global increase over the same period, according to research firm Euromonitor. +'Little Fresh Meat' +Increasingly, foreign firms like La Mer and Aesop work with video bloggers such as Lan Haoyi, known as Lan Pu Lan online, to promote their products to his nearly 1.4 million followers. +The 27-year-old spends up to 10,000 yuan ($1,460) a month on beauty products and says China's "Little Fresh Meat" -- a term referring to young good-looking men -- is spearheading this trend. +"We're seeing more men in the media wearing make-up. This will naturally become the norm," Lan said. +Despite what appears to be social progress in many of the country's cosmopolitan cities, the video blogger says he still receives hate messages and criticism for appearing in smoky red eyeshadow. +"'Why would a man look like that? Why does a man need to wear make-up?' These are some of messages I get," Lan says, adding he has been called a "sissy" and other slurs. +For Jiang, the fear of being ridiculed by his own parents stops him from picking up the make-up brush in front of them. +"I don't want to have conflict with my parents. We don't see eye to eye, our values and concepts of life are different. +"I'm not saying that they don't think me putting on make-up is bad or what, but they are just unable to accept the daily make-up routine for a man," he says. +Internet strategy +But Mo Fei, the executive director for Chetti Rouge, a Chinese cosmetics company targeting men exclusively, says that will change over time. +"There will be more and more men who take more care in how they look and the demands will increase. Men in the East are more accepting," Mo says. +He opened Chetti Rouge in 2005 with few products. Now the beauty company sells a wide variety of cosmetics ranging from foundation to lipstick solely for men and has moved the entire business online. +"We saw potential in the market very early on," Mo told AFP, adding that the company expanded to Thailand three years ago. +"It might be that men have accepted make-up. For men to browse products in shopping malls, may be for some men a little intimidating, hence the best way for them to buy is online, which is why our sales strategy is mainly on the internet." Copyright © 2018 MCIL Multimedia Sdn Bhd (515740-D). All rights reserved. Contact us : [email protected \ No newline at end of file diff --git a/input/test/Test4293.txt b/input/test/Test4293.txt new file mode 100644 index 0000000..87a495c --- /dev/null +++ b/input/test/Test4293.txt @@ -0,0 +1,9 @@ +(DK) Sales Representative – home office based in Copenhagen +LOT POLISH AIRLINES +LOT Polish Airlines is a modern airline that connects New Europe with the world. We provide over 5,5 million passengers a year with the shortest and most comfortable travel options to more than 70 destinations worldwide via Warsaw, a competitive hub that offers fast connections. As the only carrier in the region, LOT offers direct long-haul flights to the USA, Canada, Chin, Japan and South Korea while building its leadership position in East Central Europe. We fly one of the youngest fleets in Europe and, as the only airline, we operate the Boeing 787 Dreamliner, the world's most advanced aircraft, on all long-haul connections. At LOT we rely primarily on the passion and positive energy of its team members, including top ranking pilots in the global aviation business, often champions in many aviation sports. We are now looking for someone to join our team as: +Sales Representative – home office based in Copenhagen +Role: Main responsibility of Sales Representative is achieving growth and revenue targets. She/He is also responsible for gaining new clients and for developing customer accounts by upselling opportunities. +Principal Accountabilities: Achieves growth & revenue targets for assigned country with consultative sales approach that solves client business issues Responsible for achieving financial objectives defined by management. Manages pipe-line sales (budget, forecast, invoicing and associated reporting) Contributes to the development of the sales strategy and is in charge of applying sales plans within the assigned customer portfolio in compliance with the company business strategy and the local law Responsible for contracted customers, ensures the highest quality of services and customer satisfaction As part of the sales process gathers market and client intelligence and provides strategic feedback to Marketing, Revenue Management & Pricing, and Sales to strengthen product offerings and capture additional business. Proactively strengthens in depth knowledge of product +Profile Requirements & Qualifications: Bachelor's degree or equivalent Minimum of five (5) years of relevant sales experience Proven track record of reaching and exceeding sales revenue goals (preferably in aviation area) Knowledge of key marketplace issues for the aviation industry and related businesses Strong negotiation and influencing skills Excellent presentation and writing skills Proactive & sales oriented Driver's license cat. B Fluent in both spoken and written Danish and English +We offer: Career in the multinational company Challenging job in dynamic and multinational environment Salary adequate to your competencies +If you are interested, please send your CV through our application form belo \ No newline at end of file diff --git a/input/test/Test4294.txt b/input/test/Test4294.txt new file mode 100644 index 0000000..3fa38f6 --- /dev/null +++ b/input/test/Test4294.txt @@ -0,0 +1,19 @@ +Intel Buys Out Artificial Intelligence Startup Vertex.ai Increase / Decrease text size +The acquired company aims to bring deep learning technologies to every platform. +Intel has taken-over Vertex.ai, a small startup dedicated to deep learning technologies. +In a statement Intel confirmed the acquisition and said the seven-person team — including founders Choong Ng and Jeremy Bruestle will be joining the Movidius team in Intel's Artificial Intelligence Products Group. +"With this acquisition, Intel gained an experienced team and IP to further enable flexible deep learning at the edge," the technology giant added. +Financial details were not disclosed. +Founded in 2015, Seattle-based Vertex.ai is a startup which focuses on deep learning technologies, a crucial aspect of artificial intelligence (AI). Deep learning is a facet of AI which involves the use of algorithms and patterns based on the brain's mechanisms and neural networking. +The idea behind deep learning is to give machines the learning and processing capabilities of humans, such as natural data analysis, pattern spotting and conversational abilities. +Voice recognition systems including the Apple Siri voice assistant and Amazon's Alexa, Facebook's photo recognition technology, and IBM's Watson all use deep learning technologies to process data. +In order to reach the goal of creating "deep learning for every platform," Vertex created PlaidML, a deep learning engine rival to Google's TensorFlow CPU. The software has been created to deploy deep learning solutions across multiple devices and platforms. +In a statement on its website, Vertex said this project will not be stopped due to the acquisition. Instead, PlaidML will remain available as an open-source project on GitHub and the system will soon be transferred to an Apache 2.0 license. +Intel will have a hand in development though by using the technology to create an Intel nGraph backend system. +Vertex commneted: "We are excited to advance flexible deep learning for edge computing as part of Intel." Investing +It is not clear how much funding the startup has secured in the past. However, Pitchbook suggests that the company has launched two investment rounds in the past, an early stage VC and accelerator round. Creative Destruction Lab and Curious are listed as previous investors. +Intel is pushing towards increasing its presence in the AI field. The company is interested in hiring more AI developers in the area and the acquisition builds upon the purchase of chipmaker Altera, computer vision firm Movidius, and Nervana Systems, a creator of AI processors. +Speaking at an Intel event earlier this month, Navin Shenoy, Intel executive vice president, said that AI was a crucial ingredient which would push forward Intel's vision to become a data-centric company. +As reported by VentureBeat , Shenoy said Intel's AI processor business is now worth $1 billion a year, but the firm aims to hit $10 billion by 2020. +Shenoy stated: "We believe data defines the future our industry and the future of Intel." +"Ninety percent of the world's data has been created in the last two years, and only 1 percent of it is being analyzed and used for real business value. We are in the golden age of data. \ No newline at end of file diff --git a/input/test/Test4295.txt b/input/test/Test4295.txt new file mode 100644 index 0000000..6f1e598 --- /dev/null +++ b/input/test/Test4295.txt @@ -0,0 +1 @@ +Global Calorimeter Market 2018 - Key Global Trends & Growth India, 17 August 2018 -- Bharat Book Bureau Provides the Trending Market Research Report on "Global Calorimeter Market Research Report 2018" ( https://www.bharatbook.com/MarketReports/Global-Calorimeter-Market-Research-Report-2018/1202207 ) under Heavy Industry Category. The report offers a collection of superior market research, market analysis, competitive intelligence and industry reports.Calorimeter Report by Material, Application, and Geography - Global Forecast to 2022 is a professional and in-depth research report on the world's major regional market conditions, focusing on the main regions (North America, Europe and Asia-Pacific) and the main countries (United States, Germany, united Kingdom, Japan, South Korea and China). The report firstly introduced the Calorimeter basics: definitions, classifications, applications and market overview; product specifications; manufacturing processes; cost structures, raw materials and so on. Then it analyzed the world's main region market conditions, including the product price, profit, capacity, production, supply, demand and market growth rate and forecast etc. In the end, the report introduced new project SWOT analysis, investment feasibility analysis, and investment return analysis. Request a free sample copy of Calorimeter Market Report @ https://www.bharatbook.com/MarketReports/Sample/Reports/1202207 The report includes six parts, dealing with: 1.) Basic Information; 3.) North American Calorimeter Market; 4.) European Calorimeter Market; 5.) Market Entry and Investment Feasibility; 6.) Report Conclusion. Browse our full report with Table of Contents: https://www.bharatbook.com/MarketReports/Global-Calorimeter-Market-Research-Report-2018/1202207 About Bharat Book Bureau: Bharat Book is Your One-Stop-Shop with an exhaustive coverage of 4,80,000 reports and insights that includes latest Market Study, Industry Trends & Analysis, Forecasts & Customized Intelligence, Newsletters and Online Databases. Overall a comprehensive coverage of major industries with a further segmentation of 100+ subsectors. # # \ No newline at end of file diff --git a/input/test/Test4296.txt b/input/test/Test4296.txt new file mode 100644 index 0000000..6fccb48 --- /dev/null +++ b/input/test/Test4296.txt @@ -0,0 +1,3 @@ +Other Topics Cookies +This site uses cookies and other tracking technologies to assist with navigation and accessing content, analyse your use of our products and services, assist with our promotional and marketing efforts. +Please select one of these options. If you don't select one and continue to use the site we will assume that you accept the use of Cookies ACCEPT COOKIES AND CONTINUE > LEARN MORE > I AM NOT WILLING TO ACCEPT COOKIES > Rank hires new CIO and chief transformation officer to drive new tech projects CEO, John O'Reilly says omni-channel product complexities are being sorted and the development should have been simple \ No newline at end of file diff --git a/input/test/Test4297.txt b/input/test/Test4297.txt new file mode 100644 index 0000000..832aa2d --- /dev/null +++ b/input/test/Test4297.txt @@ -0,0 +1,2 @@ +Diseño gráfico I need a Graphic Designer +We are in urgent need of a creative Graphic Designer who can design a logo for our Company. ¡Ofrécete a trabajar en este proyecto ahora! El proceso de oferta termina en 6 días. Abierto - quedan 6 días Tu oferta para este trabajo INR Establece tu presupuesto y plazo Describe tu propuesta Consigue pago por tu trabajo Es gratis registrarse y ofertar en los trabajos 22 freelancers están ofertando el promedio de ₹2986 para este trabajo Hello, We have read your project brief regarding Graphic Designing for logo design and we are ready to work for this project. Our Services are: » Unlimited number of revision until you satisfied. » Quick respon Más ₹1800 INR en 1 día (174 comentarios) Dear Employer, I came across your job post of need graphic designer.I am a creative and innovative designer who thinks out of the box.I had 5+ years experience with over 600+ happy clients.I can do your task elegan Más ₹2250 INR en 3 días (112 comentarios) Hello, Hope you doing well. I AM Creative & Experienced logo/graphic designer . I AM ready for your logo design immediately and ready to show you the draft with 4 unique concepts with in one business day. please go Más ₹1750 INR en 0 días (96 comentarios) graphixpower2 Hi, Thank you for this wonderful opportunity. I am really eager to work on your project. I believe in ORIGINAL and QUALITY work since Work is my solo identity. I can deliver you the work timely. I have designed a wide Más ₹1800 INR en 1 día (242 comentarios) Hi - Greetings of the day! I would like to take complete responsibility to DESIGN SUPER-AWESOME BUSINESS LOGO for you., which will give a unique identity and characteristics to your business. Our specialty spread acros Más ₹1500 INR en 1 día (190 comentarios) akshayjerriy Greetings! My name is Akshay B. and i am expert in Graphic Work and Video Animation. i am fastidious and passionate and my work is crafted with the utmost qualtiy. Thank you and i look forward to hearing from you soon. ₹2250 INR en 0 días (59 comentarios) Hello dear, We are having lots of experience in Logo, Brochure and Flyers and other Graphical designing with great innovative ideas. This one is our new profile; check some of our work here: [login to view URL] Más ₹7500 INR en 3 días (17 comentarios) Shouryac Hello, As I can see from the job posting, you are in need of a expert Logo Designer. Well, I am highly interested in applying for this. I have been working on Logo designing for 5 years now. And, I have awesome Más ₹1750 INR en 3 días (4 comentarios) Hello, Thanks for reading our proposal. we are ready for your logo design immediately and ready to show you the draft with 4-5 unique concepts. We will provide you logo design according to your requirment . We also pr Más ₹1500 INR en 0 días (58 comentarios) Hello, I am a professional logo Designer. I have been offering my best services for last 7+ years regarding designing logo. I assure you to have a better working experience with us ahead.I love to offer my best s Más ₹1500 INR en 1 día (38 comentarios) Hi, Thanks for Reviewing my Bid My name is Anjul. I read your job description and I can make various creative, unique and artistic Logo designs. I can design a stunning, eye catchy, showy yet professional logo an Más ₹1500 INR en 1 día (24 comentarios) hello I can create a best logo for ur business. Could u send any reference logo or any color choice? ₹1500 INR en 3 días (11 comentarios) lHello! Thank you for reviewing my bid.I have gone through your project brief and feel confident to get logo for your business/project done with 100% satisfaction. Please check portfolio and Profile here: http:/ Más ₹1500 INR en 1 día (16 comentarios) yahamilegadigita We are a reputed company in the fields of Graphic Design and Motion Graphics. We have more than 5 years of experience in this field. We cater to almost all types of graphic design and motion graphics videos. Also, we a Más ₹7777 INR en 3 días (3 comentarios) Thanks for Reviewing my Bid My name is Kajal I read your job description and I can make various creative, unique and artistic Logo designs. I can design a stunning, eye catchy, showy yet professional logo for your bu Más ₹1500 INR en 0 días (8 comentarios) Hi - Greetings of the day! I would like to take complete responsibility to DESIGN SUPER-AWESOME LOGO for you., which will give a unique identity and characteristics to your business. Our specialty spread across a Más ₹1950 INR en 1 día (2 comentarios) Dear Employer, I'm interested in your posted Graphic design job. Let me know more details to start. Please ping me i am online now! In the mean while Please check my portfolio here https://www.freelancer.com/ Más ₹1750 INR en 3 días (2 comentarios) I am UI/UX Graphic and App Designer with 7 years of experience Logo Design Banner Design , Flyer Design, Website MockUP Design, Mobile App Design, HTML5/CSS3, PSD to HTML, Wordpress Website Design and Development. Más ₹5555 INR en 3 días (2 comentarios) Hi, For my LOGO design work, skills and abilities, please see my design portfolio: [login to view URL] After reviewing your project details, I strongly believe that I am a proficient designer and can do this LOG Más ₹2000 INR en 1 día (1 comentario) Alokk1978 Hello, I would like to work with you because these works are completely suited me. We have done many kinds of things like that also reliable in this portfolio you can check my portfolio as below in the mention details Más ₹7777 INR en 3 días (0 comentarios) ¡Ofrécete a trabajar en este proyecto ahora! El proceso de oferta termina en 6 días. Abierto - quedan 6 días Tu oferta para este trabajo IN \ No newline at end of file diff --git a/input/test/Test4298.txt b/input/test/Test4298.txt new file mode 100644 index 0000000..29e2abd --- /dev/null +++ b/input/test/Test4298.txt @@ -0,0 +1,9 @@ +Credit Suisse Group Increases Alder Biopharmaceuticals (ALDR) Price Target to $19.00 Donna Armstrong | Aug 17th, 2018 +Alder Biopharmaceuticals (NASDAQ:ALDR) had its price target boosted by Credit Suisse Group from $16.00 to $19.00 in a research note published on Monday. The brokerage currently has an outperform rating on the biopharmaceutical company's stock. +ALDR has been the subject of several other reports. BidaskClub cut Alder Biopharmaceuticals from a strong-buy rating to a buy rating in a research report on Tuesday, June 12th. Needham & Company LLC initiated coverage on Alder Biopharmaceuticals in a research report on Wednesday, June 27th. They set a buy rating and a $28.00 price objective for the company. Goldman Sachs Group initiated coverage on Alder Biopharmaceuticals in a research report on Tuesday, April 24th. They set a neutral rating and a $17.00 price objective for the company. Mizuho reaffirmed a buy rating and set a $29.00 price objective on shares of Alder Biopharmaceuticals in a research report on Thursday, June 7th. Finally, Zacks Investment Research cut Alder Biopharmaceuticals from a hold rating to a sell rating in a research report on Tuesday, May 1st. Three research analysts have rated the stock with a hold rating, ten have issued a buy rating and one has given a strong buy rating to the company's stock. The stock has a consensus rating of Buy and an average price target of $23.60. Get Alder Biopharmaceuticals alerts: +ALDR stock opened at $18.25 on Monday. The company has a quick ratio of 10.88, a current ratio of 10.88 and a debt-to-equity ratio of 0.73. The stock has a market cap of $1.31 billion, a PE ratio of -3.69 and a beta of 2.66. Alder Biopharmaceuticals has a fifty-two week low of $8.60 and a fifty-two week high of $20.87. +Alder Biopharmaceuticals (NASDAQ:ALDR) last posted its quarterly earnings data on Tuesday, August 7th. The biopharmaceutical company reported ($1.04) earnings per share for the quarter, topping the consensus estimate of ($1.05) by $0.01. equities research analysts anticipate that Alder Biopharmaceuticals will post -4.91 EPS for the current fiscal year. +In related news, Director Jeffrey T. L. Smith sold 12,161 shares of the stock in a transaction that occurred on Friday, June 1st. The stock was sold at an average price of $17.85, for a total transaction of $217,073.85. Following the completion of the transaction, the director now directly owns 7,952 shares of the company's stock, valued at $141,943.20. The sale was disclosed in a legal filing with the Securities & Exchange Commission, which is accessible through the SEC website . Also, insider John A. Latham sold 24,999 shares of the stock in a transaction that occurred on Monday, July 2nd. The shares were sold at an average price of $15.48, for a total value of $386,984.52. Following the transaction, the insider now directly owns 268,692 shares of the company's stock, valued at $4,159,352.16. The disclosure for this sale can be found here . Insiders have sold 102,087 shares of company stock valued at $1,785,094 over the last three months. Insiders own 17.40% of the company's stock. +A number of hedge funds and other institutional investors have recently modified their holdings of ALDR. Geode Capital Management LLC boosted its position in Alder Biopharmaceuticals by 8.5% during the fourth quarter. Geode Capital Management LLC now owns 559,850 shares of the biopharmaceutical company's stock valued at $6,410,000 after purchasing an additional 43,864 shares during the last quarter. Deutsche Bank AG boosted its position in Alder Biopharmaceuticals by 25.3% during the fourth quarter. Deutsche Bank AG now owns 304,972 shares of the biopharmaceutical company's stock valued at $3,491,000 after purchasing an additional 61,611 shares during the last quarter. Teachers Advisors LLC boosted its position in Alder Biopharmaceuticals by 27.7% during the fourth quarter. Teachers Advisors LLC now owns 120,931 shares of the biopharmaceutical company's stock valued at $1,385,000 after purchasing an additional 26,233 shares during the last quarter. TIAA CREF Investment Management LLC boosted its position in Alder Biopharmaceuticals by 138.3% during the fourth quarter. TIAA CREF Investment Management LLC now owns 394,589 shares of the biopharmaceutical company's stock valued at $4,518,000 after purchasing an additional 229,010 shares during the last quarter. Finally, Millennium Management LLC acquired a new position in Alder Biopharmaceuticals during the fourth quarter valued at approximately $2,341,000. +About Alder Biopharmaceuticals +Alder BioPharmaceuticals, Inc operates as a clinical-stage biopharmaceutical company. It discovers, develops, and commercializes therapeutic antibodies to transform the treatment paradigm for patients with migraine and other serious neurological or inflammatory conditions in the United States, Australia, and Ireland. Alder Biopharmaceuticals Alder Biopharmaceutical \ No newline at end of file diff --git a/input/test/Test4299.txt b/input/test/Test4299.txt new file mode 100644 index 0000000..586e587 --- /dev/null +++ b/input/test/Test4299.txt @@ -0,0 +1,18 @@ +Over the last decade, I've hired both interns and marketing graduates for my business. As a full-service marketing consultancy, we work on multichannel marketing for our clients, so I have the opportunity to place graduates where they best fit rather than just throwing them into some mundane marketing work. As an interview gets rolling, I ask, "So, what is it that you'd like to do ?" An answer that I repeatedly get is, "I want to do social media for a company in the [insert industry]." I groan internally and ask, "Can you provide a bit more insight into what you mean by that?" This is when it gets unbearable. The average response to that question could be summed up as follows: "I want to tweet and Instagram for a brand ... you know, like the Wendy's social media account." +They're referring, of course, to Amy Brown, a pioneer of Wendy's snark. But Amy Brown isn't your average corporate social media marketer; she's an amazingly talented copywriter and was on a team with other community managers she felt were just as gifted. That team blazed a careful trail for Wendy's, positioning the brand brilliantly without looking mean or causing a disturbance. +Boiling down a brand's social media strategy to sitting on a couch, responding to tweets and going viral, is simply not reality. You have to sell a lot of hamburgers to cover the salary and benefits of a talented copywriter, and you have to prove that the investment worked. Before the first tweet is ever responded to, there are some critical steps that must be accomplished weeks or months ahead of that first tweet. Here's a breakdown: +• What is the audience for this marketing initiative? +• Where is the audience for this marketing initiative? +• How many resources will this marketing initiative take? +• Are there efforts that we can coordinate with to maximize this initiative's results? +• How will we measure whether this initiative is successful? +• How long will it take to see if this initiative is successful? +• What did we learn from this marketing initiative that can be applied to the next? +You don't do social media. That's like a sales representative saying, "I want to do telephone for [insert industry]." Social media is a channel, albeit an important one. +Social media has multiple dimensions -- from utilizing it as a research tool and monitoring for brand issues, to providing value for acquisition opportunities and educating for customer retention. It requires technology to manage and assign issues in real time, a response strategy that carefully aligns with the brand's messaging and voice, and even approval processes to ensure compliance. +Social media also integrates and works with virtually every other strategy -- from influencer marketing to paid advertising, to search engine optimization. Not to mention how critical it is to prepare every interaction for measurement and further analysis. Social media is both amazing and quite difficult. Without a great strategy, companies will quickly abandon the important channel after not seeing results. With a great strategy, companies can harness an unlimited audience, build advocacy and see incredible returns on their investment. +As a graduate or student of marketing, I want to hear a much deeper response to this question. Here's the response I'd love to hear just once: +"In my studies at [insert University], I've been especially interested in consumer behavior online and how marketing and public relations can impact it. I'd love the opportunity to work in the [insert industry], study their key demographics, buying behavior and competitive landscape, and then devise a long-term strategy that helps set a company apart from its competitors. Since social media is such a diverse medium with virality, customer service and driving brand awareness, I think I'd like to start there, collaborating and coordinating other resources in the marketing department to help grow the business. I want to help develop the voice of the company across social media. And, after researching your company, it appears I can be coupled with some talented mentors." +Now that's doing social media. +You're hired. +Forbes Agency Council is an invitation-only community for executives in successful public relations, media strategy, creative and advertising agencies. Do I qualify \ No newline at end of file diff --git a/input/test/Test43.txt b/input/test/Test43.txt new file mode 100644 index 0000000..e04f270 --- /dev/null +++ b/input/test/Test43.txt @@ -0,0 +1 @@ +No posts were found AirP2P Receives Over 10 Million USD In Funding As They Gear Up Their System to Change Gaming Forever August 17 Share it With Friends Gaming has proven to be more than just a hobby. With things like competitive e-sports on the rise, there is a fair amount of discussion on games being utilized in new and engaging new perspectives. However, the one thing that many gamers have difficulty in, is being able to invest the amount of money required for buying a new console or creating the perfected gaming personal computer. There is no doubt in the fact that this can be an expensive endeavor. This is where AirP2P comes in. They hope to bring forward a new system that will allow gamers to connect with an online platform through the internet, and attain the power of superior computer systems. On June 3rd, they also launched the ICO stage of their very own crypto-currency, thus allowing intrigued spectators to transform into involved investors. They have since then received 10 million USD in funding, and are now more than ever before capable of bringing this new platform forward for gamers all around the world to try out. Their aim is to remove the obstacles of having to purchase powerful systems and to upgrade them that many gamers have to deal with quite often. Founders of the project, Kristinn Spence, and Sigurdur Benediktsson, wish to get the next generations of gamers excited for this project, while also showing them the limitless capabilities of the blockchain technology. They hope to change the appearance of gaming in the eyes of the general public, from a mere hobby to a marketable and major industry. About AirP2P AirP2P is an Iceland based start-up, a brainchild of Kristinn Spence and Sigurdur Benediktsson. Sigurdur is the CEO of the company while Kristinn is the Project Manager. Both happen to have good knowledge of Blockchain Platform and crypto-currency ICO. The company has created a token anchored based on Blockchain technology. The website of the company http://airp2p.network/ will go live on May 18, 2018. The website has a beautiful landing page displaying the countdown of the launch of the website. The ICO (Initial Coin Offering) is scheduled for June 3, 2018. The students and gamers all over the world are eagerly waiting for the launch of the website and following ICO that is going to reveal one of the most exciting launches of its time. Media Contac \ No newline at end of file diff --git a/input/test/Test430.txt b/input/test/Test430.txt new file mode 100644 index 0000000..0af0c64 --- /dev/null +++ b/input/test/Test430.txt @@ -0,0 +1,47 @@ +GAA Accounting The Journal of the Global Accounting Alliance Can the Big Four keep winning? 17/08/2018 +By David Walker +As accounting's Big Four grow larger, their success creates new risks. Could the fairytale bubble burst? +The Big Four accounting and audit firms – Deloitte, PwC, EY and KPMG – are a remarkable global business success story. Their combined revenues now top US$130 billion a year. Collectively, the Four are growing at above 10% a year – faster than China. Together they now employ almost one million people, more than the Russian Army. Ian Gow, director of the University of Melbourne's Centre for Corporate Governance and Regulation, observes that for businesses that are more than 150 years old and already dominate their core industry, such growth is genuinely extraordinary. +The Big Four have done more than just grow. Each has established well-protected positions at the centres of their territories, built out of audit assignments and tax compliance expertise and everyday accounting tasks. From these positions they have been able to sally forth and conquer the land of management consulting. They have made forays into the distant territories of legal advice and infotech. They have even ventured to the land of marketing, a place where it was once thought accountants could never set foot. Marketing academic Mark Ritson notes that "advertising executives have watched a slew of top talent exit their world to head over to KPMG, Deloitte and the rest". +The Four's victories in management consulting are instructive. All but Deloitte got out of the management consulting game in 2002 after the Enron collapse in the US. +Today, having returned to management consulting, the Four together hold 40% of this US$150 billion global market. Deloitte now makes more from that than it does from audit and risk advisory. All of the Four have prospered; they are now the four largest firms in the consulting business, and are acknowledged as leaders in everything from workforce management consulting to cybersecurity. As well as boosting their revenue and clout, this expansion into new fields is hedging their businesses against the long-discussed decline of their traditional audit and tax income streams. +Such a growth record seems no small achievement. Successful cross-selling is hard; just ask Australia's Big Four banks, three of which are busy selling out of the wealth management business. So why are the Four not celebrated as business success stories? That expectations problem +With journalist Stuart Kells, Ian Gow has now written The Big Four: The Curious Past and Perilous Future of the Global Accounting Monopoly . It explores their evolution from Europe's Medici era through Victorian London to the current day and into the future. Gow admits you could argue with the term "monopoly" – but, as he adds, "between them they do own the auditing of large companies". +The book provides a detailed look at the Four's possible problems. Among them: the firms are vulnerable to overreach, their traditional markets are eroding, and they could face threats from digital analytics, blockchain and big data. +But right now, what imperils the Four more than anything is an old and familiar problem: high-profile corporate collapses. These have been going on since the 1720's South Sea Bubble, but their recent rate is impressive. Every big company collapse has a Big Four auditor attached to it, and auditors continue to attract criticism for failing to foresee the collapses. As Gow and Kells note: "Lehman, Bear Stearns and Northern Rock all received unqualified audit opinions before their collapse." Since then, we've had Satyam, Sino-Forest, the Olympus fraud, Hewlett Packard's Autonomy debacle and more. +The latest corporate crater has been left by Carillion, the UK construction and facilities management giant which boasted 2016 revenues of £5.2 billion. It slid into insolvency in January of this year, overwhelmed by mounting debt and after months of stock market shorting. Investors, including large pension funds, are unlikely to see any money. KPMG audited Carillion, but each of the Four provided services of some sort. UK parliamentarians have begun asking why the auditors didn't see trouble coming. +The MPs' complaint is a textbook case of the famous "audit expectations gap" taught to every accounting student. Many in the public think accountants should detect looming disaster; the profession broadly believes that the public places an unfair burden on auditors in corporate collapses. +The objections to inflating audit expectations remain substantial. Gow and Kells note that "predicting bankruptcy requires skills and information well beyond those required to audit financial statements." Indeed, it's reasonable to doubt that anyone could really unwind the complexities of some of today's businesses. +As academic Jacob Soll asked in his 2014 accounting history, The Reckoning : does PwC really understand about the vulnerabilities of Goldman Sachs when it checks the giant investment bank's accounts each year? If the GFC showed anything, it was that not even these powerful entities themselves always understand their exposures. Four to three? +Amid the slew of collapses, court actions against the Four for their auditing work remain common. Gow and Kells see each of the firms as deeply vulnerable to such litigation. As partnerships (or, in KPMG's case, a Swiss association) they lack the deep pockets of other large corporates. It's surely reasonable to think that a lawsuit could eventually bring down one of the Four, particularly in light of their limited resources. Gow and Kells refer to "extinction-level events", and point in particular to three: In 2007 KPMG escaped indictment over its creation of tax shelters, instead paying a US$456 million fine. Gow and Kells report the US government scrapped an indictment because it feared a conviction would destroy the firm – but they add that "the decision could easily have gone the other way". US mortgage finance company Taylor, Bean & Whitaker, whose 2009 collapse – then the sixth-biggest in US history – triggered a US$5.5 billion lawsuit against PwC. This was the biggest claim ever made against an audit firm, they report; PwC settled for an unknown amount. And, of course, just 16 years have passed since a giant accounting firm actually became extinct. In June 2002, in the wake of the Enron collapse, Arthur Andersen was convicted of obstruction of justice. Andersen's US business dried up in weeks; the dying firm surrendered its CPA licenses before the end of August 2002, and its international practices were taken over by rivals. The obstruction-of-justice conviction was reversed on appeal in 2005 – too late for thousands of suddenly unemployed Arthur Andersen staff. +Then again, as Gow and Kells point out, US regulators are averse to letting the Big Four become the Big Three, simply on competition grounds. This is a classic "moral hazard" problem, with bad behaviour going under-punished. +But there's an alternative to shrinking the Four: breaking them up. The break-up scenarios +In May, in the wake of Carillion, Bill Michael, chairman of KPMG's UK business, pushed this idea into the light. He used phrases rarely heard from a leader of the Big Four. "We are an oligopoly," he told UK media. "That is undeniable." +"I can't believe the industry will be the same [in the future]," he went on. "We have to reduce the level of conflicts and … demonstrate why they are manageable and why the public and all stakeholders should trust us." The increasingly consulting-based business model of the Big Four was "unsustainable", he said. +And Michael added a remarkable detail of his firm's internal strategy work: he said KPMG had been thinking about break-up scenarios for some time. "If you want to split the firms up, that has to be done internationally," he explained, "although maybe the UK could lead the way." PwC has also been reported as having a plan that covers scenarios such as a break-up law. +With Michael's help, talk of breaking up the Four is growing louder; some UK MPs have called for it. +A break-up scenario could happen in two different ways: regulators could force each large firm to split into two smaller multidisciplinary firms; or the same regulators could make all of the Four spin off their consulting work to create audit-only businesses. This second option was backed by Stephen Haddrill, head of UK accounting watchdog the Financial Reporting Council, in February this year as a potential remedy for the lack of competition in the market. But, as Gow notes, it's an untested solution; no large audit-only firms currently exist. +Few observers think either type of break-up is likely yet. But the fact that it is being discussed indicates how times have changed. Gow and Kells predict in The Big Four that "major change in how the firms are owned and structured is a likely feature of their future." The top 10 largest accounting firms by 2017 revenue +(year-end dates vary by firm) +Source: Firm statements Surviving the onslaught +For decades the Four have been able to stay mostly in the background of the business world. They have no published accounts, no visible share prices, and the public perceive them as quintessentially dull. +But the growing revenue and reach of the Four is focusing more attention on their audit work, deepening the problem of the audit expectations gap – and deepening every other regulatory threat as well. The succession of leaks of huge volumes of tax-related data – LuxLeaks, the Panama Papers, the Paradise Papers – has also worked against them. As new KPMG Australia chair Alison Kitchen notes, there's been a massive ramp-up in media interest. Banks used to be boring too – and look what has happened to their public image. An explosion of analysis +Which may explain why since April we've had not one but two books focusing on the Four. The second, Bean Counters: The Triumph of the Accountants and How They Broke Capitalism , comes from Richard Brooks, a British financial investigative journalist for Private Eye and the Guardian. +Brooks doesn't hide his scepticism about the accounting profession, calling the Big Four partners a "gilded elite". But his accounts and transcripts of interviews with UK accounting leaders show just how little work the Four have done to convince the world they can learn from their mistakes. Brooks, writing before Bill Michael's moment of Carillion-fuelled candour, comes to the same conclusion as Michael: that corporate consulting money will tempt auditors to "skew their thinking" so that the consulting fees keep flowing. +Gow and Kells raise the same conflict of interest issue in their book. They note that concerns on the issue stretch back more than 50 years. A US Senate report as long ago as 1976 concluded that consulting work was "incompatible with the responsibility of independent auditors". Auditors could not cast an unbiased eye over their own firm's work. +The Four argue that their consulting work improves their audit skills. Gow can see little evidence of a transfer of personnel between the two areas. As consulting work grows, the conflict-of-interest issue grows with it. +The Four may need a stronger defence against concerns such as these. They lack the corporate armour that even a bank has: the public simply doesn't care about big accounting firms, and a firm's collapse does not threaten the financial system. They barely have a political constituency outside the profession itself. And even inside the profession there are many who would be pleased to see them fall. +The reaction to the Arthur Andersen disaster is instructive. The world shrugged and went on with its business with barely a glance at Andersen's smoking ruins or the shattered careers of so many professionals. If you help run one of today's Four, it's worth remembering that, in Gow and Kells' words, "the Big Four's accountability and advisory functions are highly contestable and substitutable". +A regulator contemplating a bank breakup must worry about public confidence. The ending of one or more accounting firms, in contrast, would carry far less risk, even if it proved somewhat messy. +Yet complexity feeds the Big Four too. They may be vulnerable, but they have shown over the years a huge ability to beat their smaller competitors. Adviser, disrupt thyself +KPMG's Alison Kitchen has taken a good look at The Big Four's argument. She sees no reason why the Four, with their record of success, should fall to the next wave of disruption. "Every CEO in every business we talk to says disruption is their number one issue," she notes. "There is no reason we should be more scared about disruption than any other business." Rather, she argues, firms like KPMG should disrupt themselves before rivals do. "Otherwise we've got no credibility." +Indeed, in fields like management consulting, the Four have been able to disrupt the traditional top-end names of McKinsey, Bain and BCG. Over the past 15 years they have regained consulting scale. Acquisitions helped: Deloitte bought Monitor Group to form Monitor Deloitte; PwC picked up Booz & Company to create Strategy&. But the Four also sold clients on the value of providing both strategic advice and implementation. PwC and Deloitte are now the world's largest consulting firms. +It is the long-established consulting powers who have been forced to play catch-up here. McKinsey's managing partner in Australia and New Zealand, John Lydon, has acknowledged some clients' frustrations at the difficulties of putting McKinsey's advice into practice. McKinsey has now followed the Four into helping clients implement strategies over a number of years. +Alison Kitchen argues that business complexity is driving much of this change: businesses know they can't do everything themselves, and instead decide "we'll go and get a consultant in". The Four have been the leading beneficiaries of that change. +Kitchen also believes the Four's scale, depth of expertise and geographic reach are protecting them from smaller would-be rivals. She has a point. Despite ranking as the number five accounting firm by UK revenue, Grant Thornton announced in March that it would pull out of audits of FTSE 350 companies. The firm's UK audit head, Sue Almond, declared with an air of resignation that audit work was "simply moving around the Big Four". The long ascendancy +Gow and Kells quote professional services expert David Maister as declaring that the "supermarket model" of professional services has been tried "in numerous industries and professions" and "discredited almost everywhere". +Yet for the Four, the supermarket model continues to work. +In this game, scale and scope both seem to matter. No-one really can say why. So no-one can say how long the Four's long ascendancy will last. +The answer cannot be "forever". Yet for now, it seems risky to bet against the dominance of the Four. +David Walker has written about the accounting industry since 2012. + Acuity \ No newline at end of file diff --git a/input/test/Test4300.txt b/input/test/Test4300.txt new file mode 100644 index 0000000..917a299 --- /dev/null +++ b/input/test/Test4300.txt @@ -0,0 +1,8 @@ +17 Aug 2018 2:31 AM PDT Samsung Galaxy Note 9: Release Date, Specifications, Prices and Preorder Deals Share. The Samsung Galaxy Note 9 is due for release on the 24th of August. Here's everything you need to know and the best preorder deals available right now. By Johirul Hassan +If you buy something through this post, IGN may get a share of the sale. For more, read our Terms of Use . +Samsung unveiled their latest flagship phone at Unpacked 2018 , the Galaxy Note 9. Released on the 24th of August , the newest edition of the Note generally has favourable reviews and boasts a range of incredible specs. Leading on from last years Samsung Galaxy Note 8, the CPU, GPU, and battery have been given a boost. Samsung have also created a Bluetooth-enabled S Pen you can use as a remote control which is shipped with every order. The Samsung Galaxy Note 9 releases on 24/08/2018 with a SIM-Free price of £899/£1,099 +The colour variants for the Samsung Galaxy Note 9 are Midnight Black, Lavender Purple, Metallic Copper and Ocean Blue, all available in either a 128GB or 512GB model. The 128GB model price starts at £899, while you'll be paying a hefty £1,099 for the 512GB model. Buy the Samsung Galaxy Note 9 directly from Samsung Samsung Galaxy Note 9 Specifications Display: 6.4" Super AMOLED multi-touch capacitive touchscreen with Corning Gorilla Glass, 1440x2960 pixels, 18.5:9 ratio (~516 ppi density) Processor: Samsung Exynos 9 Octa, Octa-core (4x2.7 GHz Mongoose M3 & 4x1.8 GHz Cortex-A55) Internal Storage and Memory: 512GB with 8GB RAM or 128GB with 6GB RAM Main Camera: 12 MP, f/1.5-2.4, 26mm, 1/2.55", 1.4µm, dual pixel PDAF, OIS, 12 MP, f/2.4, 52mm, 1/3.4", 1µm, AF, OIS, 2x optical zoom Rear Camera: 8 MP, f/1.7, 25mm, 1/3.6", 1.22µm, AF Video Recording: 3840x2160 at 30 fps, 1920x1080 at 60 fps, 1280x720 at 960 fps Battery: Non-removable Li-Ion 4000 mAh Sensors: Iris scanner, fingerprint (rear-mounted), accelerometer, gyro, proximity, compass, barometer, heart rate, SpO2 Best Samsung Galaxy Note 9 Contract Deals 1 Mobiles.co.uk Samsung Galaxy Note 9: O2 network, 30GB data, unlimited minutes and texts, £160 upfront cost, £46 per month for 24 months +By far the best contract deal for the Samsung Galaxy Note 9 available on the market right now. You'll have to pay £160 today and £46 per month for 24 months thereafter to receive a massive 30GB of data on the O2 network, and your usual unlimited minutes and texts. To put this deal in perspective, I rarely see mobile phone contracts for new luxury phones going for less than £50 per month. Get this deal here - £160 upfront cost, £46 per month for 24 months 2 Mobile Phones Direct Samsung Galaxy Note 9: EE network, 10GB data, unlimited minutes and texts, free upfront cost, £53 per month for 24 months +You're paying £7 per month more than the deal above, but you won't have to cough up anything upfront. Not only that, but you'll be on the EE network. It's well known that EE are the fastest 4G network in the UK and their contract deals come with additional bonuses such as free EU roaming, 6 months free Apple Music and 3 months free BT Sport. Get this deal here - free upfront cost, £53 per month for 24 months 3 Affordablemobiles Samsung Galaxy Note 9: Vodafone network, 40GB data, unlimited minutes and texts, free upfront cost, £57.75 per month for 24 months after cashback +This contract was originally £68 per month. It then got reduced by Affordablemobiles to £59 with a £30 guaranteed cashback which is paid directly into your bank account after 99 days. This effectively reduces the contract deal to just £57.13 per month which is incredible considering you're also getting 40GB of data. Get this deal here - free upfront cost, £57.13 per month for 24 months after cashback Preorder the Samsung Galaxy Note 9 +As mentioned previously, the 128GB model price starts at £899 and the 512GB model price starts at £1,099. You can preorder the phone outright or on a contract at the following retailers \ No newline at end of file diff --git a/input/test/Test4301.txt b/input/test/Test4301.txt new file mode 100644 index 0000000..e5ee149 --- /dev/null +++ b/input/test/Test4301.txt @@ -0,0 +1,3 @@ +Need an Article - Service Virtualisation Opportunities in Performance Testing +I need a Plan explaining what can be done with Service Virtualisation in Performance Testing. +The Plan should be in the form of Powerpoint presentation. Offer to work on this job now! Bidding closes in 6 days Open - 6 days left Your bid for this job AUD Set your budget and timeframe Outline your proposal Get paid for your work It's free to sign up and bid on jobs 19 freelancers are bidding on average $127 for this job hello mate hope you are good i can make Plan explaining what can be done with Service Virtualisation in Performance Testing according to your requirements please discuss details $155 AUD in 3 days (148 Reviews) Hello, As an experienced writer, my aim is to turn your everyday presentation into something deferent and unique. Every client aims to portray a unique message so I will use my knowledge and experience to write a pre More $30 AUD in 3 days (53 Reviews) Hello, A well-written sales letter remains one of the most effective means of speaking to people, sparking an emotional response, and motivating them to purchase. It's ubiquitous, personal, easy-to-read and effective More $155 AUD in 3 days (34 Reviews) Greetings, My proposal is in regards to designing a powerpoint plan. I understand the requirements of your task and feel positive that my relationship will provide the ideal stepping stone for not only creating a c More $100 AUD in 3 days (26 Reviews) hello mate i am a professional writer and designer i can make a Plan in the form of Powerpoint presentation according to your needs kind regards sam $50 AUD in 3 days (46 Reviews) Hello, I'm interested in your job post of designing a plan in presentation format of Service Virtualisation in Performance Testing. Also, I understand your requirement and believe that I am the type of person you've More $50 AUD in 3 days (11 Reviews) Hello Sir/Mam, Dinesh here. Creative writing is my passion. I have the experience and skills that are needed to create articles that will keep the readers' attention and make them want to learn more about what you o More $150 AUD in 3 days (5 Reviews) Hello, I would love to handle this task for you. I'd like to be considered for your writing position. I highly value professionalism and hold myself strictly accountable to represent my client's brand. I'm a strategic More $35 AUD in 3 days (1 Review) dionline Hello, I am Saket, a content writing expert with more than 10 years of experience in it. I have done my Bachelors in Computer Science Engineering and MBA in Marketing. I can write content for you on time and within More $160 AUD in 3 days (206 Reviews) Hi, When it comes to writing, you need an experienced, dedicated, and honest professional who can take your project to the next level. Look no farther. I have the experience, skills, and focus that your project requir More $60 AUD in 3 days (0 Reviews) Talalahmed042 Hello Sir. I'm an experienced writer and I think I'd be a great fit for your work, I would love to have the opportunity to discuss this work with [login to view URL] is what I do, and I only deliver results I'd be happy with f More $155 AUD in 3 days (0 Reviews \ No newline at end of file diff --git a/input/test/Test4302.txt b/input/test/Test4302.txt new file mode 100644 index 0000000..c3b6387 --- /dev/null +++ b/input/test/Test4302.txt @@ -0,0 +1,3 @@ +Story highlights When we drink, it lowers our inhibitions and can decrease our defenses on portion control Stay hydrated, and don't have unhealthy snacks lying around when you drink (CNN) If you're like many people, the more you drink, the more you eat. +Munching on a bag of Doritos while guzzling a beer or nibbling at cheese cubes with a glass of wine in hand may be pleasurable, but it can come with unwanted side effects, including increased bloat, calories and weight gain. That much we may have already experienced firsthand. A more interesting question is: Why does alcohol give us the munchies in the first place? One of the simplest explanations as to why we eat more when we drink is that alcohol lowers our inhibitions and can decrease our defenses when it comes to portion control and making healthy eating choices. With a drink in hand, you're more likely to grab handfuls of nuts, chips, bread or whatever is staring you in the face without really giving it a second thought. Why does smoking pot give you the munchies? "Studies show that people will consume more at meals when they're including alcohol or have been drinking before the meal," said Ginger Hultin, a registered dietitian and author of the blog Champagne Nutrition . Read More Hultin, who is also a spokeswoman for the Academy of Nutrition and Dietetics, said that in addition to lowering our defenses, there is evidence that alcohol can influence hormones tied to satiety, or feeling full. For example, alcohol may inhibit the effects of leptin -- a hormone that suppresses appetite -- and glucagon-like peptide-1 (GLP-1), a hormone that inhibits food intake, she explained. There might be other mechanisms at play, too. Some research suggests that alcohol might stimulate nerve cells in the brain's hypothalamus that increase appetite. According to one study, neurons in the brain that are generally activated by actual starvation, causing an intense feeling of hunger, can be stimulated by alcohol . "Animal research shows that, independent of other factors, when alcohol stimulates this part of the brain, it can trigger a sharp increase in appetite, which can lead to overeating," Hultin said. "Instead of the body recognizing 'I just got a lot of calories, so I have fuel and I'm full,' the opposite occurs. Though calories have been ingested, the brain is triggering more food intake." The non-alcoholic's guide to drinking less alcohol Alcohol can also lower blood sugar, which can cause us to crave sugar and carbs. "Drinking alcohol can impair the liver's ability to release the right amount of glycogen, or stored glucose, into the blood to keep blood glucose levels stable," Hultin said. People with diabetes are at even higher risk for low blood sugar levels when they drink, according to Hultin, particularly when consuming alcohol on an empty stomach. But another challenge with alcohol -- which is different from drugs like pot -- is that alcohol itself is high in calories, with 7 per gram. That's more calories than you get per gram of protein or carbs, which have 4 calories per gram each. A 5-ounce glass of wine might have only 120 or 125 calories, and a light beer even less, but mixers, juice, soda, syrups, cream and coconut all pack sugar and fat calories on top of alcohol, Hultin explained. "Margaritas and pina coladas are classically very high in calories, with some estimates pushing up towards 500 calories for one drink, depending on the size and how it's made." Tips to curb alcohol munchies Before you take your next sips of wine, beer or spirits, learn some helpful tips to curb alcohol munchies. Drink with a balanced meal. "Include whole-grain, complex carbohydrates, healthy fat and protein so that your body is nourished and satiated from the start," Hultin said. This will also ensure that your "munchies" aren't actual hunger, reflecting the body's need for a meal. Get CNN Health's weekly newsletter Sign up here to get The Results Are In with Dr. Sanjay Gupta every Tuesday from the CNN Health team. +Don't have unhealthy snacks lying around. "Chips, candy, pizza and other desserts are easy to grab if your appetite starts to rise as you're drinking," Hultin said. These calorie-dense foods can pack on pounds over time. If you're at a restaurant, ask the server to take the bread basket away. Make healthier options more accessible. If you know that you will be tempted to eat when drinking, take out hummus with chopped veggies, fruit or air-popped popcorn to snack on. Hydrate. "Alcohol is dehydrating, so make sure to sip on plain or sparkling water if you find yourself wanting to snack," Hultin said. This will not only save you calories from more alcohol, it will give your hands something to hold if you find yourself reaching for snacks when you know you're not actually hungry \ No newline at end of file diff --git a/input/test/Test4303.txt b/input/test/Test4303.txt new file mode 100644 index 0000000..450442f --- /dev/null +++ b/input/test/Test4303.txt @@ -0,0 +1,20 @@ +Hong Kong, 17 August 2018 - Dr. Jian Tang, Chief Operating Officer, Chief Technology Officer and Co-Founder of iClick Interactive Asia Group Limited ('iClick') (NASDAQ: ICLK), a leading independent online marketing technology platform in China, joined the Hong Kong Society of Artificial Intelligence and Robotics (HKSAIR) as an Executive Council Member at an inauguration ceremony held today. +HKSAIR is a recently-founded non-profit organization which aims to act as a platform to connect parties in the Artificial Intelligence and Robotics (AIR) industry with each other as well as with the government and industry talent. These connections will lead to joint initiatives between academic researchers and industrial R&D teams, as well as fostering improved communication between the Hong Kong and Shenzhen AIR industries. The organization also plans to arrange training and competitions to identify fresh talent and enhance the skills of existing industry participants. +Dr. Jian Tang said, 'I am honored to join the Hong Kong Society of Artificial Intelligence and Robotics as an Executive Council Member and look forward to working together with my peers to promote a bright future for the whole industry. As a home-grown Hong Kong company, iClick is thrilled to join the vibrant tech community and to support the development of a strong and connected local AIR ecosystem.' +'With our offices and R&D teams in Guangzhou and Shenzhen, as well as our extensive knowledge of the China market, we believe that we are well-positioned to help HKSAIR in their mission to foster collaboration and meaningful exchanges between the tech communities in Hong Kong and the rest of the Greater Bay Area.' Tang added. +About iClick Interactive Asia Limited +iClick Interactive Asia Group Limited (NASDAQ: ICLK) is an independent online marketing technology platform that connects worldwide marketers with audiences in China. Built on cutting-edge technologies, our proprietary platform possesses omni-channel marketing capabilities and fulfills various marketing objectives in a data-driven and automated manner, helping both international and domestic marketers reach their target audiences in China. Headquartered in Hong Kong, iClick Interactive was established in 2009, currently operating in nine locations worldwide including Asia and London. +Safe Harbor Statement +This announcement contains forward-looking statements. These statements constitute 'forward-looking' statements within the meaning of Section 21E of the Securities Exchange Act of 1934, as amended, and as defined in the U.S. Private Securities Litigation Reform Act of 1995. These forward-looking statements can be identified by terminology such as 'will,' 'expects,' 'anticipates,' 'future,' 'intends,' 'plans,' 'believes,' 'estimates,' 'confident' and similar statements. Such statements are based upon management's current expectations and current market and operating conditions and relate to events that involve known or unknown risks, uncertainties and other factors, all of which are difficult to predict and many of which are beyond the Company's control. Forward-looking statements involve inherent risks and uncertainties. A number of factors could cause actual results to differ materially from those contained in any forward-looking statement, including but not limited to the following: the Company's fluctuations in growth; its success in implementing its mobile strategies; relative percentage of its gross billing recognized as net revenues under the gross and net models; its ability to retain existing clients or attract new ones; its ability to retain content distribution channels and negotiate favourable contractual terms; market competition, including from independent online marketing technology platforms as well as large and well-established internet companies; market acceptance of online marketing technology solutions; effectiveness of its algorithms and data engines; its ability to collect and use data from various sources; and general economic conditions in China. Further information regarding these and other risks is included in the Company's filings with the SEC. All information provided in this press release and in the attachments is as of the date of this press release, and the Company undertakes no obligation to update any forward-looking statement, except as required under applicable law. +Media contacts: +Selina Wong +iClick Interactive Asia Limited +Telephone: (852) 3700 9068 +Email: selina.wong@i-click.com +Helen Lam / Tim Nicholls +Paradigm Consulting +Telephone: (852) 2251 9082 / (852) 2251 9081 +Email: helen.lam@paradigmconsulting.com.hktim.nicholls@paradigmconsulting.com.hk +Attachments +Original document Permalink Disclaimer +iClick Interactive Asia Group Ltd. published this content on 17 August 2018 and is solely responsible for the information contained herein. Distributed by Public, unedited and unaltered, on 17 August 2018 10:15:04 UT \ No newline at end of file diff --git a/input/test/Test4304.txt b/input/test/Test4304.txt new file mode 100644 index 0000000..26451f8 --- /dev/null +++ b/input/test/Test4304.txt @@ -0,0 +1,3 @@ +I've had emails from one or two of you agreeing that the ideal sports car I described in the 25 July issue — a two-seat coupe� as compact as a Toyota GT86 , and not much more powerful, but with a front-mounted 3.0-litre V12 engine — sounds like something you'd also like to drive. +Disappointingly, however, no offers for me to become the CEO of a company creating this £200,000 (before options) masterpiece have been forthcoming. Which is a pity. I'd have taken COO. Head of engineering. Head of dynamics, design, catering… whatever, really. +Such is — genuinely — the respect I have for anybody who tries to build a new sports car. It's a more noble career than writing about them, certainly. But, nevertheless, with a heart that I fear is heavy rather than full of beans, I need to tell you more about the Milan Red, the Austrian 1325bhp hypercar that intends to show the world what Austrian companies are capable of \ No newline at end of file diff --git a/input/test/Test4305.txt b/input/test/Test4305.txt new file mode 100644 index 0000000..a794d26 --- /dev/null +++ b/input/test/Test4305.txt @@ -0,0 +1 @@ +Global Internet Protocol Television (IPTV) Market To Reach USD 57.4 Billion By 2025 India, 17 August 2018 -- Global Internet Protocol Television (IPTV) Market valued approximately USD 3.83 billion in 2016 is anticipated to grow with a healthy growth rate of more than 35.1% over the forecast period 2017-2025. http://www.bharatbook.com/badge;chart=3m;news=3;quote/HTML?AppID=34spXXHsdAx94VIDId.43DTJumJ4&sig=AoyC_ckoV1itaH5N0agEpTrntlc-&t=1153477094292" width="200px" height="702px"> ​Bharat Book Bureau Provides the Trending Market Research Report on "Global Internet Protocol Television (IPTV) Market Size study, by Verticals (Gaming, Online Stores, Media and Entertainment, Healthcare and Medical, Others), by End Use (Residential Users, Small and Medium Size Enterprises, Large Enterprises), by Type (Video IPTV CDN, Non-IPTV CDN), by Services (Managed Services, In-house Services) and by Regional Forecasts 2018-2025" under Media & Technology category. The report offers a collection of superior market research, market analysis, competitive intelligence and industry reports. Global Internet Protocol Television (IPTV) Market to reach USD 57.4 billion by 2025. Global Internet Protocol Television (IPTV) Market valued approximately USD 3.83 billion in 2016 is anticipated to grow with a healthy growth rate of more than 35.1% over the forecast period 2017-2025. Increasing demand for video streaming & interactive services, need of on demand HD channels along with penetration of internet based services and the availability of high speed internet infrastructure are the major factors which are driving the growth in the Global Internet Protocol Television (IPTV) Market. Whereas poor infrastructure in developing countries and rivalry from cable and satellite TV are the major cause of concern. Internet Protocol Television or (IPTV) is a television service which is delivered via IP based network. Television signals are channelized through broadband internet connections with a higher efficiency of data transmission than traditional way of broadcasting. Internet Protocol Television (IPTV) is used for on demand video streaming, live television broadcast and for transmission of stored or saved videos. Request a free sample copy of Internet Protocol Television Market Report @ https://www.bharatbook.com/MarketReports/Sample/Reports/1194604 The regional analysis of Global Internet Protocol Television (IPTV) Market is considered for the key regions such as Asia Pacific, North America, Europe, Latin America and Rest of the World. North America, Europe, Asia Pacific and LAMEA is the leading/significant region across the world in terms of market share. Whereas, owing to the countries such as China, Japan, and India, Asia Pacific and Europe region is anticipated to exhibit higher growth rate / CAGR over the forecast period 2018-2025. The objective of the study is to define market sizes of different segments & countries in recent years and to forecast the values to the coming eight years. The report is designed to incorporate both qualitative and quantitative aspects of the industry within each of the regions and countries involved in the study. Furthermore, the report also caters the detailed information about the crucial aspects such as driving factors & challenges which will define the future growth of the market. Additionally, the report shall also incorporate available opportunities in micro markets for stakeholders to invest along with the detailed analysis of competitive landscape and product offerings of key players. The detailed segments and sub-segment of the market are explained below: By Verticals \ No newline at end of file diff --git a/input/test/Test4306.txt b/input/test/Test4306.txt new file mode 100644 index 0000000..f0a504c --- /dev/null +++ b/input/test/Test4306.txt @@ -0,0 +1,12 @@ +BETHESDA, Md. , Aug. 17, 2018 /PRNewswire/ -- Walker & Dunlop, Inc. announced today that it structured $30,589,100 in financing through the United States Department of Housing and Urban Development (HUD) for The Highline apartments, a 171-unit, mixed-use, multifamily complex located in Melbourne, Florida . The transaction was promoted by several local businesses who advocated for the development of The Highline to support young professionals and millennials seeking to relocate to the area. +The City of Melbourne is located within Florida's "Space Coast," which has been newly dubbed America's "High Tech Titan." The area plays host to key aerospace and tech companies such as Northrop Grumman, Space X, Blue Origin, Harris, Lockheed Martin, and GE as well as the Florida Institute of Technology . These major employers have added over 8,000 jobs in 6.5 years 1 , causing a large influx of young, well-paid employees and increasing demand for modern and urban apartments. As the downtown district revitalizes, The Highline directly addresses this demand, marking the city's first Class A, market-rate high-rise multifamily building in the historic district, making it a unique offering in the market. +Jeremy Pino and Livingston Hessam , from Walker & Dunlop's Capital Markets group, led the transaction in partnership with the company's HUD experts, Keith Melton and David Strange . The team worked with several parties to overcome a rising interest rate environment and the increasing cost of construction on behalf of the sponsors, Richard Samuel Zimmermann, Jr. and Sam Zimmerman ("Zimmerman Development"). Their innovative solution for funding the development of the market rate apartment complex included a fixed rate, 40-year loan utilizing HUD's Section 221(d)(4) mortgage insurance program. +Mr. Zimmerman stated, "This was a complex transaction involving the partnership of the City of Melbourne and HUD. Our success was a direct result of the expertise and professionalism of Walker & Dunlop, and Jeremy Pino in particular." +"We were thrilled to partner with our HUD experts to make this purpose-built transaction possible and to provide a unique development that will attract and enhance the City of Melbourne's young professional market," commented Mr. Pino. He added that, "The Highline is following a trend that we are seeing throughout Florida , in which cities are encouraging the development of multifamily in the downtown urban cores. The partnership between Zimmerman Development and the City of Melbourne to build the 8-story midrise will be transformational for downtown Melbourne and Brevard County ." +The Highline will feature 171 units with a luxury amenity package, including a pool, sundeck, gated dog walk area, and a fire pit. A clubroom, catering kitchen, sports bar, game room, and fitness center with a yoga studio represent additional amenities housed within a clubhouse. +Walker & Dunlop is a leader in the multifamily space, ranking as the 4 th largest HUD multifamily lender, the #1 Fannie Mae multifamily lender , and the 3 rd largest Freddie Mac Multifamily Approved Seller/Servicer in 2017. The firm's 2017 HUD originations totaled $1.4 billion , a 54 percent increase from 2016. To learn more about Walker & Dunlop's financing capabilities in the multifamily housing space, visit our website and read the following press releases: +Walker & Dunlop Structures $26 Million in Financing for Apartments in High-Growth Denton County Walker & Dunlop Secures $82 Million in Bridge Financing for Lakeside Apartments in Texas $50 Million Loan Closed for Multifamily Property in Jacksonville, Florida by Walker & Dunlop About Walker & Dunlop +Walker & Dunlop (NYSE: WD), headquartered in Bethesda, Maryland , is one of the largest commercial real estate services and finance companies in the United States providing financing and investment sales to owners of multifamily and commercial properties. Walker & Dunlop, which is included in the S&P SmallCap 600 Index, has over 650 professionals in 29 offices across the nation with an unyielding commitment to client satisfaction. +1 Economic Development Commission of Florida's Space Coast +View original content with multimedia: http://www.prnewswire.com/news-releases/walker--dunlop-structures-31-million-in-financing-for-multifamily-apartments-in-melbourne-fl-300698623.html +SOURCE Walker & Dunlop, Inc \ No newline at end of file diff --git a/input/test/Test4307.txt b/input/test/Test4307.txt new file mode 100644 index 0000000..bedbee8 --- /dev/null +++ b/input/test/Test4307.txt @@ -0,0 +1,27 @@ +At this point of the season, it's not uncommon for footballers to be carrying some form of injury. The more fortunate will still be sore and tired due to the weekly grind of the game. Others might be nursing sore joints and limbs that need a jab to get onto the field. In Rory Lobb's case he's carrying a crack in his spine. +"We haven't had a scan but it might be still there, it'd still be healing," Lobb told Fairfax Media. "It feels fine." +A lot on his back: Giants stand-in ruckman Rory Lobb is still recovering from a fracture in his back. +Photo: James Alcock The Greater Western Sydney ruckman was supposed to be out for six weeks after fracturing his thoracic vertebrae in June. He missed just two games. +"I was pretty flat when it happened. They said it would be six, I wasn't too happy," Lobb said. +"It started recovering pretty well in the first week. By the time I hit the second week I started to feel pretty good. I started progressing at training, pulling up well, we thought we'd take the risk and bring me back. It seems to have paid off." +Advertisement At the time the Giants were out of the eight and beginning the long climb back up the ladder. For Lobb, missing more football was not an option. He was told of the risk of re-injury but said would have had to have been "a really decent hit on it". +Loading "It was roll the dice, we had to get the season going," Lobb said. "[It was] a bit shaky at the start but feels good now." +At first, Lobb wore padding at training to build his confidence but took it off once he felt reassured. +"You try not to think about it and play the game," Lobb said. +It clearly takes a lot to daunt the 25-year-old West Australian, which is just as well because when it comes to challenges there's none bigger than what is now confronting him. +For the second year in a row, Lobb will need to step up to take the No.1 ruck mantle for the Giants in the finals. Last year, he took over from Shane Mumford, now he is replacing Dawson Simpson, whose season was ended by an ankle injury. +Despite being earmarked as the Giants' long-term ruckman, it has not been his primary position for most of his 70 games. In his third game, he made headlines for the wrong reasons when North Melbourne's Todd Goldstein set a record for most hit outs in a game. +"I wasn't actually meant to be playing ruck that game," Lobb said with a laugh. "Andrew Phillips was a late withdrawal. I was definitely thrown into the deep end in my third game. +Learning curve: Todd Goldstein posted the record number of hit outs against Rory Lobb in 2015. +Photo: AAP "It didn't faze me too much to be honest. That's footy, someone will be better than you on the day." +He had the chance to make the spot his own this year but hyper-extended his knee in the last Sydney derby, missing four games with bone bruising. It could easily have been a lot worse. +While he was out the Giants experimented with the position. They were undecided if they wanted to play a specialist in Simpson or a big forward who could ruck, like Jonathon Patton and Lachlan Keeffe. When he returned, the Giants had locked in on Simpson. +Lobb is still not sure which position he is better suited to but it's clear it is the ruck where the Giants need him most now. +"I'm learning my craft in the ruck at the moment," Lobb said. "It's game to game, just learning as much as I can." +Lobb's performance against Adelaide bodes well for the Giants' flag hopes as he showed he could not only match it with one of the game's leading ruckmen but beat him. The big test comes next week against likely All Australian Max Gawn. +At a towering 207cm, Lobb, with his long arms, appears tailor-made for the role, but it's as a forward where he has played his best football. He's made his name with his ability to take big marks but it's his comical goalkicking technique that is more likely to stick in the minds of the casual viewer. +Like West Coast's goalkicking machine Josh Kennedy, Lobb gets an attack of the stutters as he lines up for goal. It's as if he has broken into an impersonation of Fred Flinstone. +It doesn't appear to be conducive to straight kicking but, like Kennedy, has not affected his accuracy. The habit developed in his second year as a way of slowing himself down in his approach so he did not get too close to the man on the mark. +"I started stuttering and eventually it came into my routine," Lobb said. "I got rid of it for a little bit and it gradually crept back in." +Lobb believes he now has it under control though he has not had any set shots in games to truly test it out. +"I put a mark on the ground now [at training] and make sure I'm kicking when I get to that mark," Lobb said. "I take a lot less steps now, it's not on my mind. I take what I need to kick and go from there. With the way I have it set up now there's a lot less steps so it should work out a lot better. \ No newline at end of file diff --git a/input/test/Test4308.txt b/input/test/Test4308.txt new file mode 100644 index 0000000..c3b6387 --- /dev/null +++ b/input/test/Test4308.txt @@ -0,0 +1,3 @@ +Story highlights When we drink, it lowers our inhibitions and can decrease our defenses on portion control Stay hydrated, and don't have unhealthy snacks lying around when you drink (CNN) If you're like many people, the more you drink, the more you eat. +Munching on a bag of Doritos while guzzling a beer or nibbling at cheese cubes with a glass of wine in hand may be pleasurable, but it can come with unwanted side effects, including increased bloat, calories and weight gain. That much we may have already experienced firsthand. A more interesting question is: Why does alcohol give us the munchies in the first place? One of the simplest explanations as to why we eat more when we drink is that alcohol lowers our inhibitions and can decrease our defenses when it comes to portion control and making healthy eating choices. With a drink in hand, you're more likely to grab handfuls of nuts, chips, bread or whatever is staring you in the face without really giving it a second thought. Why does smoking pot give you the munchies? "Studies show that people will consume more at meals when they're including alcohol or have been drinking before the meal," said Ginger Hultin, a registered dietitian and author of the blog Champagne Nutrition . Read More Hultin, who is also a spokeswoman for the Academy of Nutrition and Dietetics, said that in addition to lowering our defenses, there is evidence that alcohol can influence hormones tied to satiety, or feeling full. For example, alcohol may inhibit the effects of leptin -- a hormone that suppresses appetite -- and glucagon-like peptide-1 (GLP-1), a hormone that inhibits food intake, she explained. There might be other mechanisms at play, too. Some research suggests that alcohol might stimulate nerve cells in the brain's hypothalamus that increase appetite. According to one study, neurons in the brain that are generally activated by actual starvation, causing an intense feeling of hunger, can be stimulated by alcohol . "Animal research shows that, independent of other factors, when alcohol stimulates this part of the brain, it can trigger a sharp increase in appetite, which can lead to overeating," Hultin said. "Instead of the body recognizing 'I just got a lot of calories, so I have fuel and I'm full,' the opposite occurs. Though calories have been ingested, the brain is triggering more food intake." The non-alcoholic's guide to drinking less alcohol Alcohol can also lower blood sugar, which can cause us to crave sugar and carbs. "Drinking alcohol can impair the liver's ability to release the right amount of glycogen, or stored glucose, into the blood to keep blood glucose levels stable," Hultin said. People with diabetes are at even higher risk for low blood sugar levels when they drink, according to Hultin, particularly when consuming alcohol on an empty stomach. But another challenge with alcohol -- which is different from drugs like pot -- is that alcohol itself is high in calories, with 7 per gram. That's more calories than you get per gram of protein or carbs, which have 4 calories per gram each. A 5-ounce glass of wine might have only 120 or 125 calories, and a light beer even less, but mixers, juice, soda, syrups, cream and coconut all pack sugar and fat calories on top of alcohol, Hultin explained. "Margaritas and pina coladas are classically very high in calories, with some estimates pushing up towards 500 calories for one drink, depending on the size and how it's made." Tips to curb alcohol munchies Before you take your next sips of wine, beer or spirits, learn some helpful tips to curb alcohol munchies. Drink with a balanced meal. "Include whole-grain, complex carbohydrates, healthy fat and protein so that your body is nourished and satiated from the start," Hultin said. This will also ensure that your "munchies" aren't actual hunger, reflecting the body's need for a meal. Get CNN Health's weekly newsletter Sign up here to get The Results Are In with Dr. Sanjay Gupta every Tuesday from the CNN Health team. +Don't have unhealthy snacks lying around. "Chips, candy, pizza and other desserts are easy to grab if your appetite starts to rise as you're drinking," Hultin said. These calorie-dense foods can pack on pounds over time. If you're at a restaurant, ask the server to take the bread basket away. Make healthier options more accessible. If you know that you will be tempted to eat when drinking, take out hummus with chopped veggies, fruit or air-popped popcorn to snack on. Hydrate. "Alcohol is dehydrating, so make sure to sip on plain or sparkling water if you find yourself wanting to snack," Hultin said. This will not only save you calories from more alcohol, it will give your hands something to hold if you find yourself reaching for snacks when you know you're not actually hungry \ No newline at end of file diff --git a/input/test/Test4309.txt b/input/test/Test4309.txt new file mode 100644 index 0000000..12cb828 --- /dev/null +++ b/input/test/Test4309.txt @@ -0,0 +1,4 @@ +Reuters +CHICAGO, Aug 17 (Reuters) - U.S. tractor maker Deere & Co.'s profit rose about 42 percent year-over-year in the third quarter, helped by replacement demand for large agricultural equipment. +The Moline, Illinois-based company said on Friday net income attributable to the company rose to $910.3 million, or $2.78 per share, in the quarter ended July 29, from $641.8 million or $1.97 per share a year earlier. +Total equipment sales rose 36 percent from a year ago to $9.3 billion \ No newline at end of file diff --git a/input/test/Test431.txt b/input/test/Test431.txt new file mode 100644 index 0000000..8831def --- /dev/null +++ b/input/test/Test431.txt @@ -0,0 +1,20 @@ +The security of Odyssey Market has recently come under scrutiny. Here's an overview of the factors that left the darknet site vulnerable to a hack. There is one thing you have to be aware of when you decide to participate in the darknet—it is not uncommon to get hacked, revealed or exposed. +This is why we support the best-practice of "Safety First." Even if you do everything possible in your power to protect yourself and stay safe while browsing the dark web, you have to understand that some things do not depend on you. +Frequently, the market you are visiting is subject to a hack due to lax security. +For the given reasons, we highly recommend doing research about the marketplace you are going to be a part of, whether as a vendor or a buyer. Be very cautious and informed before taking any further actions. +But don't get us wrong; sometimes even the most stable and secure darknet markets do get hacked. This only confirms the theory that nothing is ever safe on the dark web. +With that being said, we will proceed to do an overview of the latest hack to hit this large hidden web—Odyssey Market is officially down. +According to frequent users of darknet markets, since its very beginning Odyssey Market has been somewhat questionable. +It was very obvious to all visitors that it was an amateur creation in both network and development, and the management and security of the site was not much different. +There is one thing you have to be aware of when you decide to participate in the darknet—it is not uncommon to get hacked, revealed or exposed. After looking into the factors dictating the market's performance, Reddit user HugBunter came across several findings that offer insight into the recent hack. These findings confirm users' concerns about the site. +Site-wide, Odyssey Market is completely open to all types of XSS injections. Here, "site-wide" refers to the navigation and linking structure that is expanded across the complete website. +Examples of these attack vectors are: Profile Text, PM's, PGP Keys, Product Details, Support Tickers, etc. +Odyssey Market has not done a good job correctly sanitizing the website. In fact, even the sanitized features are not sanitized fully. +Another concern was that the server was rooted in less than half an hour. A third party gained complete root access within 15 minutes. +During this time, Odyssey Market allowed complete access to the full database and the backups of it. Therefore, it was not an impossible thing to download all the data therein. +HugBunter also pointed out that in this marketplace, it was not difficult to find information about the admin. This is one of the most dangerous mistakes that can occur on the darknet. +In general, Odyssey Market had a lot of extensive security failures. The marketplace was not a safe environment nor a place you would like to visit while browsing the network. +Following to these circumstantial facts, the Odyssey Market's shutdown was predictable as well as understandable. At this point, it is closed and off the Tor Browser. +It is advised that users be cautious when ordering from Odyssey Market in the future. As evidence presented by HugBunter shows, the site can easily be hacked by any individual or group. +As is known, being revealed on the darknet poses a risk to yourself and to everyone you have come into contact with. +So—be very careful and do your research before joining a market that may ultimately expose your identity in a hack \ No newline at end of file diff --git a/input/test/Test4310.txt b/input/test/Test4310.txt new file mode 100644 index 0000000..2ee0185 --- /dev/null +++ b/input/test/Test4310.txt @@ -0,0 +1,19 @@ +The "Kids' Food and Beverages - Global Strategic Business Report" report has been added to ResearchAndMarkets.com's offering. +The report provides separate comprehensive analytics for the US, Canada, Japan, Europe, Asia-Pacific, Latin America, and Rest of World. Annual estimates and forecasts are provided for the period 2016 through 2024. Also, a five-year historic analysis is provided for these markets. +This report analyzes the worldwide markets for Kids' Food and Beverages in US$ Million. +The report profiles 71 companies including many key and niche players such as: +Atkins Nutritionals, Inc. (USA) Britvic Plc. (UK) Brothers International Food Corp. (USA) Campbell Soup Company (USA) Clif Bar & Co. (USA) Conagra Brands, Inc. (Formerly ConAgra Foods, Inc.) (USA) Elevation Brands, LLC (USA) General Mills, Inc. (USA) GlaxoSmithkline Plc (UK) GlaxoSmithKline Consumer Healthcare Ltd. (India) Kellogg Company (USA) The Kraft Heinz Company (USA) Lifeway Foods, Inc. (USA) Mondelez International, Inc. (USA) McKee Foods Corporation (USA) Nestle S.A. (Switzerland) PepsiCo, Inc. (USA) Quaker Oats Company (USA) Tipco Foods Public Company Limited (Thailand) Vitaco Health NZ Ltd (New Zealand) Healtheries (New Zealand) Want Want China Holdings Ltd. (China) Yum Yum Chips (Canada) Key Topics Covered +1. Introduction, Methodology & Product Definitions +2. Industry Overview +3. Growth Drivers and Market Trends +Favorable Demographic and Economic Trends Strengthens Market Prospects Shrinking Family Size Leads to Higher Discretionary Spending Growing Awareness of Well Balanced Diet on a Global Scale Growing Preference for Healthy, Organic & All Natural Foods: Reinvigorating Market Growth Healthy Bakery Products Gain Prominence Parents Demand Performance Boosting Products Pester Power of Children Significantly Impacts Parents' Purchasing Decisions RTEC for Children Gain Favorable Nutritional Profile, Bodes Well for Market Penetration and many more... +4. Product Overview +5. Regulatory Environment +6. Competitive Landscape +6.1 Focus on Select Global Players +6.2 Product Introductions/Innovations +6.3 Recent Industry Activity +7. Global Market Perspective +Total Companies Profiled: 71 (including Divisions/Subsidiaries - 81) +The United States (53) Canada (3) Europe (15) Germany (1) The United Kingdom (10) Rest of Europe (4) Asia-Pacific (Excluding Japan) (9) Africa (1) For more information about this report visit https://www.researchandmarkets.com/research/n8c86l/global_kids_food?w=4 +View source version on businesswire.com: https://www.businesswire.com/news/home/20180817005122/en \ No newline at end of file diff --git a/input/test/Test4311.txt b/input/test/Test4311.txt new file mode 100644 index 0000000..67d5a01 --- /dev/null +++ b/input/test/Test4311.txt @@ -0,0 +1,9 @@ +The Ensign Group (ENSG) Upgraded to "Strong-Buy" by BidaskClub Paula Ricardo | Aug 17th, 2018 +The Ensign Group (NASDAQ:ENSG) was upgraded by investment analysts at BidaskClub from a "buy" rating to a "strong-buy" rating in a note issued to investors on Friday. +A number of other equities analysts also recently commented on the stock. Oppenheimer lifted their target price on shares of The Ensign Group from $31.00 to $39.00 and gave the stock an "outperform" rating in a research note on Tuesday, May 22nd. Citigroup lifted their target price on shares of The Ensign Group from $31.00 to $39.00 and gave the stock an "outperform" rating in a research note on Tuesday, May 22nd. Cantor Fitzgerald lifted their target price on shares of The Ensign Group to $35.00 and gave the stock an "overweight" rating in a research note on Friday, May 4th. Zacks Investment Research downgraded shares of The Ensign Group from a "strong-buy" rating to a "hold" rating in a research note on Tuesday, July 3rd. Finally, Stifel Nicolaus lifted their target price on shares of The Ensign Group from $22.00 to $26.00 and gave the stock a "hold" rating in a research note on Thursday, May 3rd. Two analysts have rated the stock with a hold rating, seven have issued a buy rating and one has given a strong buy rating to the stock. The company presently has an average rating of "Buy" and an average target price of $36.50. Get The Ensign Group alerts: +Shares of ENSG stock opened at $37.23 on Friday. The company has a current ratio of 1.42, a quick ratio of 1.42 and a debt-to-equity ratio of 0.49. The Ensign Group has a 12 month low of $19.40 and a 12 month high of $40.09. The stock has a market cap of $1.87 billion, a price-to-earnings ratio of 31.03, a PEG ratio of 1.40 and a beta of 0.62. +The Ensign Group (NASDAQ:ENSG) last issued its earnings results on Thursday, August 2nd. The company reported $0.44 EPS for the quarter, topping analysts' consensus estimates of $0.43 by $0.01. The Ensign Group had a net margin of 3.61% and a return on equity of 15.61%. The company had revenue of $496.40 million for the quarter, compared to the consensus estimate of $496.61 million. During the same period in the previous year, the firm earned $0.23 earnings per share. The Ensign Group's quarterly revenue was up 10.7% compared to the same quarter last year. research analysts anticipate that The Ensign Group will post 1.72 EPS for the current fiscal year. +In other The Ensign Group news, insider Christopher R. Christensen sold 84,472 shares of The Ensign Group stock in a transaction dated Wednesday, July 18th. The shares were sold at an average price of $37.65, for a total transaction of $3,180,370.80. The sale was disclosed in a legal filing with the Securities & Exchange Commission, which is available through this link . Also, CEO Christopher R. Christensen sold 21,241 shares of The Ensign Group stock in a transaction dated Monday, July 16th. The shares were sold at an average price of $37.42, for a total transaction of $794,838.22. The disclosure for this sale can be found here . Over the last quarter, insiders have sold 110,726 shares of company stock valued at $4,152,374. Company insiders own 6.00% of the company's stock. +Several institutional investors and hedge funds have recently made changes to their positions in ENSG. Advisors Asset Management Inc. increased its position in shares of The Ensign Group by 14,877.2% during the second quarter. Advisors Asset Management Inc. now owns 239,336 shares of the company's stock valued at $103,000 after acquiring an additional 237,738 shares during the last quarter. Quantbot Technologies LP acquired a new stake in shares of The Ensign Group during the first quarter valued at about $105,000. Mount Yale Investment Advisors LLC acquired a new stake in shares of The Ensign Group during the first quarter valued at about $127,000. SG Americas Securities LLC acquired a new position in shares of The Ensign Group in the first quarter valued at approximately $138,000. Finally, Millennium Management LLC acquired a new position in shares of The Ensign Group in the fourth quarter valued at approximately $227,000. Institutional investors and hedge funds own 83.15% of the company's stock. +The Ensign Group Company Profile +The Ensign Group, Inc provides health care services in the post-acute care continuum and other ancillary businesses in the United States. It operates through three segments: Transitional and Skilled Services; Assisted and Independent Living Services; and Home Health and Hospice Services. The Transitional and Skilled Services segment offers a range of medical, nursing, rehabilitative, and pharmacy services, as well as routine services, including daily dietary, social, and recreational services to Medicaid, private pay, managed care, and Medicare payors. The Ensign Group The Ensign Grou \ No newline at end of file diff --git a/input/test/Test4312.txt b/input/test/Test4312.txt new file mode 100644 index 0000000..5fad107 --- /dev/null +++ b/input/test/Test4312.txt @@ -0,0 +1,14 @@ +By Benjamin Parkin +Hog futures soared Thursday as Washington and Beijing resumed talks over trade and a deadly swine virus spread in China. +Lean hog contracts for October delivery rose 5.7% to 55.475 cents a pound at the Chicago Mercantile Exchange, hitting their upper daily limit of 3 cents. +Traders attributed much of the rally, which started earlier this week, to spreading African swine fever in China, which has the world's largest pig herd. +The country's agriculture ministry said more pigs died of the virus--which is deadly to hogs but not to humans--in Henan province after reporting an outbreak in Liaoning earlier this month. China introduced tariffs on U.S. pork this year, and traders were betting that any threat to supply could increase the need for alternative sources of pork. +The virus "in the largest hog herd in the world is major news and it appears it is not going away anytime soon," said Jeff French of Top Third Ag Marketing in a note. +The rally in hog prices accelerated after U.S. and Chinese officials said they planned to restart negotiations after more than two months of impasse. Analysts say any resolution with China, one of the U.S.'s largest pork buyers, could be a major boon to the hog market. +Prices were also responding to recent signals that the U.S. and Mexico, the largest American pork importer and which recently introduced tariffs of its own, were also approaching a deal of some sort. But President Trump, however, on Thursday suggested a broader resolution to negotiations over the North American Free Trade Agreement was further away. +The Wall Street Journal reported that he told his team: "If we don't have a breakthrough, don't do the deal." +Cattle futures were little changed. Traders are waiting for the week's physical trade to get started before betting on significant price moves. CME August live cattle futures ended unchanged at $1.08325 a pound, with the more-active October contract rising 0.3%. +Market observers say meatpackers are offering around $1.08 a pound for cattle to slaughter, with producers asking for as much as $1.14. Prices last week averaged $1.11. +-Liyan Qi and Michael C. Bender contributed to this article. +Write to Benjamin Parkin at benjamin.parkin@wsj.com + 16, 2018 15:13 ET (19:1 \ No newline at end of file diff --git a/input/test/Test4313.txt b/input/test/Test4313.txt new file mode 100644 index 0000000..e8fd5fe --- /dev/null +++ b/input/test/Test4313.txt @@ -0,0 +1,6 @@ +Share reddit +Nuro is an autonomous vehicle startup which had partnered up with grocery retailer Kroger in June, in order to offer same-day deliveries locally. +Now the partnership announced they are ready to put up the autonomous vehicles on the road in a pilot run that will take place in Scottsdale, Arizona. The customers will be able to shop for groceries and place same or next-day delivery orders via the Kroger website or their mobile app. Though they don't have a minimum order, they do have a flat delivery fee of $5.95. +The Nuro delivery car has two compartments that can fit up to 6 grocery bags each and the company will use Toyota Prius cars before eventually introducing its own self-driving vehicles. The reason for that is because the Prius shares a lot of similarities with the R1 custom vehicle, hence will help the company improve service and customer experience while they are testing the R1. +They initiated the pilot in order to get feedback from the customers and for the company to better understand what the users might need in the future, and make the necessary adjustments for when the program will go in full. +Throughout the pilot program, Nuro will be looking into how accurate their estimated delivery times actually are, how the regular cars will interact with the self-driving ones as well as how the public will react to the service \ No newline at end of file diff --git a/input/test/Test4314.txt b/input/test/Test4314.txt new file mode 100644 index 0000000..e3c5f1b --- /dev/null +++ b/input/test/Test4314.txt @@ -0,0 +1,9 @@ +GLENDALE, Calif. , Aug. 17, 2018 /PRNewswire/ -- Dine Brands Global, Inc. (NYSE: DIN), the parent company of Applebee's Neighborhood Grill & Bar ® and IHOP ® restaurants, today announced it has signed commitments with Barclays Bank PLC and Credit Suisse AG, Cayman Islands Branch to upsize and replace its existing Series 2014-1, Class A-1 Variable Funding Senior Notes (the "Class A-1 Notes") with a new series of Class A-1 Variable Funding Senior Notes (the "New Notes"). The New Notes allow for drawings of up to $225 million and have more favorable fees and interest rates. The current Class A-1 Notes allow for drawings of up to $100 million . +The Company has determined not to pursue a refinancing of its existing Series 2014-1 4.277% Fixed Rate Senior Secured Notes (the "Class A-2 Notes") at this time. The Class A-2 Notes have a maturity date of September 2021 . +The closing of the New Notes transaction is subject to certain conditions and is anticipated to take place in the third quarter of 2018. There can be no assurance regarding the timing of the closing of the New Notes transaction or that the transaction will be completed on the terms described or at all. +About Dine Brands Global, Inc. +Based in Glendale, California , Dine Brands Global, Inc. (NYSE: DIN), through its subsidiaries, franchises restaurants under both the Applebee's Neighborhood Grill & Bar and IHOP brands. With approximately 3,700 restaurants combined in 18 countries and approximately 380 franchisees, Dine Brands is one of the largest full-service restaurant companies in the world. For more information on Dine Brands, visit the Company's website located at www.dinebrands.com . +Forward-Looking Statements +Statements contained in this press release may constitute forward-looking statements within the meaning of Section 27A of the Securities Act of 1933, as amended, and Section 21E of the Securities Exchange Act of 1934, as amended. You can identify these forward-looking statements by words such as "may," "will," "would," "should," "could," "expect," "anticipate," "believe," "estimate," "intend," "plan," "goal" and other similar expressions. These statements involve known and unknown risks, uncertainties and other factors, which may cause actual results to be materially different from those expressed or implied in such statements. These factors include, but are not limited to: general economic conditions; our level of indebtedness; compliance with the terms of our securitized debt; our ability to refinance our current indebtedness or obtain additional financing; our dependence on information technology; potential cyber incidents; the implementation of restaurant development plans; our dependence on our franchisees; the concentration of our Applebee's franchised restaurants in a limited number of franchisees; the financial health our franchisees; our franchisees' and other licensees' compliance with our quality standards and trademark usage; general risks associated with the restaurant industry; potential harm to our brands' reputation; possible future impairment charges; the effects of tax reform; trading volatility and fluctuations in the price of our stock; our ability to achieve the financial guidance we provide to investors; successful implementation of our business strategy; the availability of suitable locations for new restaurants; shortages or interruptions in the supply or delivery of products from third parties or availability of utilities; the management and forecasting of appropriate inventory levels; development and implementation of innovative marketing and use of social media; changing health or dietary preference of consumers; risks associated with doing business in international markets; the results of litigation and other legal proceedings; third-party claims with respect to intellectual property assets; our ability to attract and retain management and other key employees; compliance with federal, state and local governmental regulations; risks associated with our self-insurance; natural disasters or other series incidents; our success with development initiatives outside of our core business; the adequacy of our internal controls over financial reporting and future changes in accounting standards; and other factors discussed from time to time in the Company's Annual and Quarterly Reports on Forms 10-K and 10-Q and in the Company's other filings with the Securities and Exchange Commission. The forward-looking statements contained in this release are made as of the date hereof and the Company does not intend to, nor does it assume any obligation to, update or supplement any forward-looking statements after the date hereof to reflect actual results or future events or circumstances. +View original content with multimedia: http://www.prnewswire.com/news-releases/dine-brands-global-inc-announces-signed-commitments-to-significantly-increase-and-replace-existing-variable-funding-senior-notes-300698668.html +SOURCE Dine Brands Global, Inc \ No newline at end of file diff --git a/input/test/Test4315.txt b/input/test/Test4315.txt new file mode 100644 index 0000000..213e6ec --- /dev/null +++ b/input/test/Test4315.txt @@ -0,0 +1,18 @@ +Syrian government tells Idlib residents war "is close to an end" +"In an ominous sign, [Syrian] regime helicopters reportedly began dropping fliers on Idlib, calling on residents to lay down their arms and collaborate with Syrian President Bashar al-Assad," reports Amberin Zaman . "In copies shared by the Syrian Observatory for Human Rights, the leaflets say the Syrian war 'is close to an end,' that it's time to stop the bloodletting and that residents should join reconciliation 'as our people did in other parts of Syria.'" +"Faced with a weakening economy and sharpening popular resentment against the presence of Syrian refugees, who are perceived as stealing jobs and hogging government resources, Ankara has been scrambling to get Russia to exercise its leverage over the [Syrian] regime to delay any combative action against Idlib," writes Zaman. "The province has become a holding pen for thousands of opposition rebels and their families evacuated from other parts of Syria, most recently Daraa and eastern Ghouta, as they fall back under the regime's control. The al-Qaeda-linked Hayat Tahrir Sham (HTS), a rebranded iteration of the extremist militant group Jabhat al-Nusra, remains the dominant force in Idlib. …Turkey's efforts to lure away enough 'moderate' fighters from the group to trigger an eventual fracturing and dissolution of it have yet to materialize." +"Turkey maintains 12 observation posts around Idlib to separate Syrian government forces and the various armed groups in Idlib. As Russia and the United States see things, Idlib is 'Turkey's problem' not least because until it switched tactics in late 2015, Turkey was a top sponsor of the rebels — and allegedly of Jabhat al-Nusra as well. In the event of a regime offensive the Turks would have to withdraw or face the risk of getting caught in the middle of the carnage," adds Zaman. +The Syrian Kurdish People's Protection Units (YPG) "began tentative talks with Damascus in July in the hope of eventually reaching some form of accommodation that would, among other things, grant Syria's long oppressed Kurds a say in their own affairs," Zaman writes. "That is a long way off, given the regime's resistance to any loosening of its administrative grip. The optimal result for now would be securing regime assistance in restoring logistical services, including water and electricity, in the broad swath of northeastern Syria that is under YPG control." +"Military cooperation in Idlib, however, could pave the way for a similar effort to force Turkish forces out of Afrin. The mainly Kurdish enclave was invaded by Turkish troops and their Syrian rebel allies in January and has remained under their control since. Aldar Xelil, a top Syrian Kurdish official, told the Russian press in July, 'Our forces are ready to take part in an operation to liberate Idlib.' Noting that there were Kurds in Idlib, Xelil continued, 'Idlib is under occupation by terrorist groups supported by Turkey. Freeing this city is our duty as Syrian citizens.'" +Russia keeps uneasy peace on Israel-Syria border +"Russia is continuing efforts to enforce an agreement designed to stabilize the situation at the border between Israel and Syria," writes Nikolay Kozhanov . "Under the agreement, Iranian forces and their proxies are pulling back from southern Syria in exchange for Damascus' resumption of control of the Syrian-Israeli border and Israeli recognition of Syrian President Bashar al-Assad's authority over Syrian territory according to the 1974 borders. … Russia also moved to deploy its military police at the Golan Heights frontier between Syria and Israel and plans to set up eight observation posts in the area." +"The agreement on southern Syria implies concessions and gains for all sides, which makes it unique — but hard to sell in the rest of Syria," Kozhanov continues. "Russia guarantees that Iran won't control Syria's border with the Golan Heights. Nevertheless, the agreement also deprives Israel of a pretext to launch airstrikes against the Iranians and their allies deep in Syrian territory. Thus, Moscow prevents weakened Iranian proxies in other parts of Syria, where their presence is important to allow the Assad regime to wage war against the opposition. The Kremlin also gets Israel's blessing to re-establish control over the opposition's territories in the south, weakening the opposition and eliminating the area where the alternative government to Damascus could be established by external forces. Finally, Russia defused tensions between Iran and Israel that might have negatively affected the situation in Syria and puts Israel in a situation where it has to recognize Assad as Syria's legitimate ruler." +Did Mossad kill Aziz Asber? +The assassination last week of Aziz Asber, head of Department 4 of the Syrian Scientific Research Center, which reportedly is focused on the development of nonconventional weapons, may be a sign of a new front by Israel's Mossad against its enemies. +"Sources in the Syrian regime have already blamed Asber's assassination on the Israeli Mossad," writes Ben Caspit . "While Israel has maintained its silence, it would be hard to find anyone in the Middle East who did not get the hint. From now on, not only are the weapons facilities in danger, but the scientists working there are as well." +"By connecting all the dots, a very clear picture comes into focus. Israel is fighting to prevent its immediate enemies from increasing their military capabilities, with particular emphasis on Iran, Hezbollah, Syria and Hamas. It does this by land, sea and air. While the Israeli air force continues its intensive attacks on weapons convoys and deliveries, manufacturing facilities, and the storage facilities for rockets and missiles, the Mossad is focused on killing the people responsible for these systems," explains Caspit. +"While Israel does not usually take responsibility for these attacks, they have been taking place for many years now. At the peak of Israel's struggle against the Iranian nuclear project, several Iranian nuclear scientists were assassinated, too, including some in Iran itself, and these attacks were attributed to Israel. Right now, it looks as if Israel is becoming much more confident, not only in its aerial attacks, but also in all matters pertaining to the Mossad's offensive operations. This could be because Netanyahu himself is growing more confident or because of the extensive backing, if not encouragement, that he receives from senior US administration officials under President Donald Trump and his national security adviser John Bolton — the very kind of backing that Israel sorely lacked during Barack Obama's presidency," Caspit concludes. +The political economy of Iran's protests +Bijan Khajehpour explains the political economy of the protests in Iran. "Interest groups with access to government licenses have taken advantage of these licenses to enrich themselves and feed corrupt networks, as reported by Al-Monitor," Khajehpour writes. "Such behavior is to the detriment of the public interest." +"While the foreign exchange differential remains one of the main sources of corruption," Khajehpour continues, "the structural deficiencies in the banking sector that facilitate the illegitimate shifting of wealth from the society to special interest groups is another problem. Iran's financial sector has been characterized by extremely high interest rates in the past three decades, in most years hovering around 15-20% for long-term bank deposits. In addition, various types of credit and financial institutions were in the past decade allowed to offer higher rates, which translated into annual interest rates of up to 26%." +"In the past few days, the government has introduced a new set of foreign exchange policies aimed at introducing more stability to the market. The most important aspect is recognition that the government and the CBI should stop manipulating the open currency market. The re-legalization of the operation of foreign exchange bureaus will also play a constructive role, as there are many groups that do not get currency allocations from the official exchange rate as well as the secondary currency market. That Iran will now have a three-tiered exchange rate system, however, will further feed corrupt networks," Khajehpour warns \ No newline at end of file diff --git a/input/test/Test4316.txt b/input/test/Test4316.txt new file mode 100644 index 0000000..89b2a01 --- /dev/null +++ b/input/test/Test4316.txt @@ -0,0 +1,10 @@ +home / health & living center / prevention & wellness a-z list / forecast sees abnormal heat worldwide through 2022 article Forecast Sees Abnormal Heat Worldwide Through 2022 Latest Prevention & Wellness News +WEDNESDAY, Aug. 15, 2018 (HealthDay News) -- This year's record-breaking worldwide heat wave is likely a preview of coming attractions, scientists say. +Using a new method for predicting global temperatures, researchers concluded that 2018-2022 may be even hotter than expected. +While global warming appeared to have eased early in the 21st century, the new forecasting method points to the likelihood of abnormally high average air temperatures worldwide. +Among other things, that could lead to an increase in tropical storm activity, explained Florian Sevellec, a CNRS researcher and an associate professor of ocean physics at the University of Southampton, in England. CNRS is the French National Center for Scientific Research. +The new forecast comes during a summer that has seen record-breaking heat on every continent. Temperatures have even neared 90 degrees Fahrenheit as far north as the Arctic Circle. +Right now, the forecast only yields an overall average temperature, but scientists hope to adapt it to make regional predictions. +In addition, researchers hope to be able to use it to forecast precipitation and drought trends, they noted in a CNRS news release. +The study was published Aug. 14 in the journal Nature Communications . +-- Robert Preidt SOURCE: CNRS, news release, Aug. 14, 201 \ No newline at end of file diff --git a/input/test/Test4317.txt b/input/test/Test4317.txt new file mode 100644 index 0000000..d806800 --- /dev/null +++ b/input/test/Test4317.txt @@ -0,0 +1,2 @@ +RSS Mobile Crushers and Screeners Market Trends by 2025: Top Players Like Eagle Crusher, Komatsu, Kleemann, Sandvik, Metso, Terex Corporation The Mobile Crushers and Screeners market report defines all important industrial or business terminologies. Industry experts have made a conscious effort to describe various aspects such as market size, share and growth rate. Apart from this, the valuable document weighs upon the performance of the industry on the basis of a product service, end-use, geography and end customer. + Top key vendors in Mobile Crushers and Screeners Market include are Terex Corporation, Metso, Sandvik, Kleemann, Komatsu, Astec Industries, Liming Heavy Industry, Eagle Crusher, McCloskey International, Dragon Machinery, Shanghai Shibang, Portafill International, Rockster Recycler, SBM Mineral Processing, Lippmann Milwaukee, Rubble Master, Shanghai Shunky, Anaconda Equipment. You Can Download FREE Sample Brochure @ form/16315 The recent report, Mobile Crushers and Screeners market fundamentally discovers insights that enable stakeholders, business owners and field marketing executives to make effective investment decisions driven by facts – rather than guesswork. The study aims at listening, analyzing and delivering actionable data on the competitive landscape to meet the unique requirements of the companies and individuals operating in the Mobile Crushers and Screeners market for the forecast period, 2018 to 2025. To enable firms to understand the Mobile Crushers and Screeners industry in various ways the report thoroughly assesses the share, size and growth rate of the business worldwide. The study explores what the future Mobile Crushers and Screeners market will look like. Most importantly, the research familiarizes product owners with whom the immediate competitors are and what buyers expect and what are the effective business strategies adopted by prominent leaders. To help both established companies and new entrants not only see the disruption but also see opportunities. In-depth exploration of how the industry behaves, including assessment of government bodies, financial organization and other regulatory bodies. Beginning with a macroeconomic outlook, the study drills deep into the sub-categories of the industry and evaluation of the trends influencing the business. Purchase Mobile Crushers and Screeners Market Research Report@ https://www.marketexpertz.com/checkout-form/16315 On the basis of the end users/applications, this report focuses on the status and outlook for major applications/end users, consumption (sales), market share and growth rate for each application, including - Mining Industry - Construction Industry - Other Industries On the basis of product, this report displays the production, revenue, price, and market share and growth rate of each type, primarily split into - Mobile Crushers - Mobile Screeners A quick look at the industry trends and opportunities The researchers find out why sales of Mobile Crushers and Screeners are projected to surge in the coming years. The study covers the trends that will strongly favour the industry during the forecast period, 2018 to 2025. Besides this, the study uncovers important facts associated with lucrative growth and opportunities that lie ahead for the Mobile Crushers and Screeners industry. Global Mobile Crushers and Screeners Market Analysis by Application 1 Global Mobile Crushers and Screeners Consumption and Market Share by Application (2012-2018) 2 Global Mobile Crushers and Screeners Consumption Growth Rate by Application (2012-2018) 3 Market Drivers and Opportunities 3.1 Potential Applications 3.2 Emerging Markets/Countries This Mobile Crushers and Screeners market report holds answers to some important questions like: - What is the status of the Mobile Crushers and Screeners market that is segmented on the basis sale as well as types? - Which segment will generate more revenue for the Mobile Crushers and Screeners industry in the coming years? - Who are the leading international Mobile Crushers and Screeners brands? Which product is consumed more? - Which countries are expected to grow at the fastest rate? - Which factors have attributed to an increased sale worldwide? - What is the present status of competitive development? Browse Full Report @ overview/mobile-crushers-and-screeners-market marketexpertz Contact us : City, NY 10005 United States sales@marketexpertz.co \ No newline at end of file diff --git a/input/test/Test4318.txt b/input/test/Test4318.txt new file mode 100644 index 0000000..639874d --- /dev/null +++ b/input/test/Test4318.txt @@ -0,0 +1 @@ +No posts where found Electromyography Devices Market By Modality (Portable EMG Devices, Standalone EMG Devices); By End-User (Hospitals, Clinics, Homecare Centers, Physical Rehabilitation Centers) – Research Nester August 17 Electromyography devices market is anticipated to record a significant CAGR over the forecast period. Growing awareness about psychological and physiological health among the population is anticipated to lead to faster growth of the electromyography devices market. "Electromyography Devices Market: Global Demand Analysis & Opportunity Outlook 2027" The global Electromyography Devices Market is segmented in By Modality:-Portable EMG Devices, Standalone EMG Devices; By End-User:-Hospitals, Clinics, Homecare Centers, Physical Rehabilitation Centers and by regions. Electromyography devices market is anticipated to mask a significant CAGR during the forecast period i.e. 2018-2027. Electromyography (EMG) determines electrical activity or muscle response in reaction to a nerve's stimulation of the muscle. Neuromuscular abnormalities can be identified by applying EMG which assists in the identification process. EMG measures the electrical activity of muscle during forceful contraction, slight contraction and rest. Electromyography Devices involved in therapy improve the symptoms of migraine and headache in approximately 40 to 60 percent of the cases. Electromyography devices are estimated to display strong growth over the forecast period because it is a non-invasive technique with no health risks linked with it. Due to increase in the importance of the muscle monitoring devices and growing awareness, North America dominates in electromyography devices market globally. The preference of non-drug treatment by patients is estimated to continue its authority in the coming years. Asia-Pacific region is predicted to display exponential growth curve in the forecast period owing to high demand for neurophysiology devices, increased disposable income of developing countries as well as growing number of hospitals, clinics and monitoring practices. Request Report Sample @ https://www.researchnester.com/sample-request/2/rep-id-891 Increasing Market Captivity Cumulative mergers and acquisitions and speedy product launches between government bodies and manufacturing companies are expected to aid the electromyography devices markets expand at a rapid rate across the world. The electromyography devices market is impressively propelled by the increasing R&D activities taken up by the market players to expand their product portfolio. However, certain aspects such as lack of skilled professionals and the low government funding could act as hindrances in the growth of electromyography devices market in the future. The report titled "Global Electromyography Devices Market: Global Demand Analysis & Opportunity Outlook 2027" delivers detailed overview of the global electromyography devices market in terms of market segmentation by modality; by end-user and by regions. Further, for the in-depth analysis, the report encompasses the industry growth drivers, restraints, supply and demand risk, market attractiveness, BPS analysis and Porter's five force model. Request for TOC Here @ https://www.researchnester.com/toc-request/1/rep-id-891 This report also provides the existing competitive scenario of some of the key players of the global electromyography devices market which includes company profiling of Cadwell Laboratories Inc, Compumedics Limited, Covidien Limited, Natus Medical Inc., Electrical Geodesics Inc., Nihon Kohden Inc. NeuroWave Systems Inc., and Noraxon U.S.A.; Inc., Medtronic. The profiling enfolds key information of the companies which encompasses business overview, products and services, key financials and recent news and developments. On the whole, the report depicts detailed overview of the global electromyography devices market that will help industry consultants, equipment manufacturers, existing players searching for expansion opportunities, new players searching possibilities and other stakeholders to align their market centric strategies according to the ongoing and expected trends in the future. Buy This Premium Reports Now @ https://www.researchnester.com/payment/rep-id-891 About Research Nester: Research Nester is a leading service provider for strategic market research and consulting. We aim to provide unbiased, unparalleled market insights and industry analysis to help industries, conglomerates and executives to take wise decisions for their future marketing strategy, expansion and investment etc. We believe every business can expand to its new horizon, provided a right guidance at a right time is available through strategic minds. Our out of box thinking helps our clients to take wise decision so as to avoid future uncertainties. For more details visit @ https://www.researchnester.com/reports/electromyography-devices-market/891 Media Contac \ No newline at end of file diff --git a/input/test/Test4319.txt b/input/test/Test4319.txt new file mode 100644 index 0000000..6ca6af7 --- /dev/null +++ b/input/test/Test4319.txt @@ -0,0 +1,27 @@ +Print By STEPHEN WHYNO - Associated Press - Thursday, August 16, 2018 +LANDOVER, Md. (AP) - Limited playing experience in high school and college makes Sam Darnold appreciate every game, even if it's just the preseason. +The third overall pick made his first exhibition start for the New York Jets on Thursday night and showed some of the growing pains of a rookie quarterback by throwing an interception , taking two sacks and having a couple of balls batted out of the air. +Darnold was 8 of 11 for 62 yards in the first half before giving way to Teddy Bridgewater in a game the Jets lost to the Washington Redskins 15-13 on a last-second field goal. +"Any game experience is huge," said Darnold , who felt he played well but wasn't as sharp as his 13 of 18 for 96 yards preseason debut. "I feel like I'm going to continue to grow and get better every single day, and that's what I'm most excited about is to see how much I'm going to be able to grow and get better." +Darnold went in looking like the front-runner to win New York's starting QB competition, and it's still muddled after Bridgewater was 10 of 15 for 127 yards, a touchdown and an interception. Veteran Josh McCown didn't play after starting the first preseason game because coach Todd Bowles already knows what he has in the 39-year-old. +"It's already been cloudy," Bowles said. "It'll be a tough choice." +Darnold showed flashes for the Jets (1-1), going 5 of 5 on his second drive but was sacked by Preston Smith to force a field goal on a night full of them. Bridgewater took some intentional risks to test the left knee he injured two years ago to the point Bowles joked he had a neighborhood he could send the former Vikings quarterback to if he wanted to get hit. +"Some of those plays, I could've thrown the ball away or run out of bounds, but I wanted to challenge myself to see if I could take a hit and it was fun," Bridgewater said. +Redskins starter Alex Smith was 4 of 6 for 48 yards in one series, his only work so far in the preseason. Smith said he always wished he could play more but acknowledged "it's a fine line." +Washington kicker Dustin Hopkins made all five of his field-goal attempts, including a 40-yarder as time expired to win it for the Redskins (1-1). +INJURIES +Jets : CB Jeremy Clark left with a hamstring injury. … LT Kelvin Beachum (foot), RG Brian Winters (abdominal), RB Isaiah Crowell (concussion) and DL Steve McLendon (leg) did not play. +Redskins : RB Samaje Perine injured an ankle on his first carry, a 30-yard run , and did not return. Coach Jay Gruden said Perine twisted his ankle but expects him to be OK … RB Byron Marshall was evaluated for a lower-leg injury that Gruden said was fine after an MRI. … LT Trent Williams, RB Chris Thompson, WR Maurice Harris and Jamison Crowder, TE Jordan Reed, OT Ty Nsekhe and DL Matt Ioannidis and Phil Taylor were among those nursing or coming off injuries who didn't dress. +REDSKINS RB COMPETITION +After second-round pick Derrius Guice's season ended because of a torn ACL , Rob Kelley was up first to show he deserves to be Washington's starter. Kelley had seven carries for 17 yards, Perine was impressive on his one run before being injured, Marshall had a kick-return fumble that was overturned on video review and Kapri Bibbs made six catches for 47 yards with only 6 yards on the ground. +"It will be a tough deal for us to figure all that out, but we will," Gruden said. +UNDISCIPLINED JETS +Linebacker Jordan Jenkins was flagged on the game's opening drive for roughing the passer against Smith when he drove the QB into the ground. Darron Lee was penalized for a horse-collar tackle on Redskins punt returner Danny Johnson. Then, there was rookie Frankie Luvu, who led with his helmet into Colt McCoy on a more egregious roughing-the-passer violation than what Jenkins had. +NATIONAL ANTHEM +All players appeared to stand for the national anthem. Jets players locked arms along the visiting sideline with no one remaining in the locker room. +NEXT UP +Jets : See what more Darnold can do in game action when they face the Giants on Aug. 24. +Redskins : Are expected to give Smith more snaps Aug. 24 when they host the Denver Broncos. +___ +More AP NFL: https://apnews.com/tag/NFLfootball and https://twitter.com/AP_NFL + Th \ No newline at end of file diff --git a/input/test/Test432.txt b/input/test/Test432.txt new file mode 100644 index 0000000..4d7ea73 --- /dev/null +++ b/input/test/Test432.txt @@ -0,0 +1 @@ +This field is for validation purposes and should be left unchanged. This iframe contains the logic required to handle Ajax powered Gravity Forms. Terms, Cookies and Privacy Notice Privacy : This Privacy Policy sets out how Finance Magnates LTD uses and protects any information that you give Finance Magnates LTD when you use this website. If you continue to browse or use this website and/or any of its affiliated websites and/or services you are agreeing to comply with and be bound by the following Privacy Policy, which together with our Terms and Conditions (link) govern Finance Magnates LTD's relationship with you/ This privacy notice applies to any Finance Magnates LTD websites, applications, services, or tools (collectively "Services") where this privacy notice is referenced, regardless of how you access or use them, including through mobile devices. Please review carefully the entire website's Privacy Policy before agreeing to it. By viewing or using this website or any part of it, you agree to the complete Privacy Policy of this website. The term "Finance Magnates LTD", "this website", "the website", "us" or "we" refers to the owner of the website. The term "you" refers to the user or viewer of the website. Finance Magnates LTD is committed to ensuring that your privacy is protected as provided in this Privacy Policy. Should we ask you to provide certain information by which you can be identified when using this website, you can be assured that it will only be used in accordance with this Privacy Policy. What is personal information? Personal Information is information relating to an identified or identifiable natural person. An identifiable natural person is one who can be identified, directly or indirectly, by reference to an identifier such as a name, an identification number, location data, an online identifier, or to one or more factors specific to the physical, physiological, genetic, mental, economic, cultural or social identity of that natural person. We do not consider personal information to include information that has been anonymized or aggregated so that it can no longer be used to identify a specific natural person, whether in combination with other information or otherwise. We collect personal information from you when you use our Services. What we collect The provision of all personal information is voluntary, but may be necessary in order to use our Services (such as registering an account). We may collect the following personal information: Identification details, such as name, age etc: When you create an account with us When you register to our events When you fill in forms on our websites Contact information including email address, phone, etc: When you create an account with us When you register to our events When you fill in forms on our websites Information we are required or authorized by applicable national laws to collect and process in order to authenticate or identify you or to verify the information we have collected. Any information that is provided by you when using our services (community discussions, contact forms, etc). Information about other services you have bought from us, when you purchase products or services on our sites Communication we have with you (emails, letters, messages sent to us through our social media platforms, feedback, contact forms) Information about you, your location and how you use our website, information about your interests and preferences: When you accept our cookies placed on your device When you update your account information When you open our marketing emails When you click on our banner adverts When you fill in forms on our website When you get in touch with us When you respond to our requests for feedback When you opt in to receiving messages from us Personal information we collect automatically when you use our Services We collect information about your interaction with our Services and your communications with us. This is information we receive from devices (including mobile devices) you use when you access our Services. This information could include, but not limited to, Device ID or unique identifier, device type, unique device token. Location information. Keep in mind that when using a mobile device, you can control or disable the use of location services by any application on your mobile device in the device's settings menu. Computer and connection information such as statistics on your page views, traffic to and from the sites, referral URL, ad data, your IP address, your browsing history, and your web log information. Personal information we collect using cookies and similar technologies We use cookies, web beacons (or pixels), unique identifiers, and similar technologies to collect information about the pages you view, the links you click, and other actions you take when using our Services, within our advertising or email content. We use Google Analytics which is a web analyzing tool of Google Inc. for the purposes of the adequate design and continuous optimization of our website. Google Analytics works with cookies and creates pseudonymised usage profiles, which enable an analysis of your use of our website. Information stored in such cookies (such as browser type/version, operating system used, referrer URL, Hostname of the accessing computer, time of server request) are usually transmitted to and stored on Google's servers. How we use cookies A cookie is a small file which asks permission to be placed on your computer's hard drive. Once you agree, the file is added and the cookie helps analyze web traffic or lets you know when you visit a particular site. Cookies allow web applications to respond to you. As an individual the web application can tailor its operations to your needs, likes and dislikes by gathering and remembering information about your preferences. We use traffic log cookies to identify which pages are being used. This helps us analyze data about web page traffic and improve our website in order to tailor it to customer needs. We only use this information for statistical analysis purposes and then the data is removed from the system. Overall, cookies help us provide you with a better website, by enabling us to monitor which pages you find useful and which you do not. A cookie in no way gives us access to your computer or any information about you, other than the data you choose to share with us. You can choose to accept or decline cookies. Most web browsers automatically accept cookies, but you can usually modify your browser setting to decline cookies if you prefer. This may prevent you from taking full advantage of the website. Personal information collected from other sources We allow you to share information with social media sites, or use social media sites to create your account or to connect your account with the respective social media site. Those social media sites may give us automatic access to certain personal information retained by them about you (e.g., content viewed by you, content liked by you, and information about the advertisements you have been shown or have clicked on, etc.). You control the personal information you allow us to have access to through the privacy settings on the applicable social media site and the permissions you give us when you grant us access to the personal information retained by the respective social media site about you. By associating an account managed by a social media site with your account and authorizing us to have access to this information, you agree that we can collect, use and retain the information provided by these social media sites in accordance with this privacy notice. We may also use plug-ins or other technologies from various social media sites. If you click on a link provided via a social media plug in, you are voluntarily establishing a connection with that respective social media site. If you give us personal information about someone else, you must do so only with that person's authorization. You should inform them how we collect, use, disclose, and retain their personal information according to our privacy notice. What we do with the information we gather. We require this information to understand your needs and provide you with a better service, and in particular for the following reasons: Internal record keeping. Providing customer service. Improvement of our products and services. When you register to one of our events we use the information to send you information regarding the event and other relevant upcoming events. Please notice that you will subscribe to the event mailing list after clicking "save and continue" in the first registration page. Periodic promotional emails about new products, special offers or other information which we think you may find interesting using the contact details which you have provided. You can opt out of receiving marketing emails by clicking on the unsubscribe link which we include in all our marketing emails. Emails/alerts to you based on your account settings. Personalized experience (including advertising and marketing) on our sites according to your interests. Detect, prevent, mitigate and investigate fraudulent or illegal activities. How long we keep your data: We retain your personal information for as long as necessary to provide the Services you have requested, or for other essential purposes such as complying with our legal obligations, resolving disputes, and enforcing our policies. How we protect your data We protect your personal data against unauthorised access, unlawful use, accidental loss, corruption or destruction. We use technical measures such as encryption and password protection to protect your data and the systems they are held in. We also use operational measures to protect the data, for example by limiting the number of people who have access to the databases in which our booking information is held. We keep these security measures under review and refer to industry security standards to keep up to date with current best practice. Sharing your data How we might share your personal information We may disclose your personal information to other separate services within Finance Magnates LTD or to third parties. This disclosure may be required for us to provide you access to our Services, to comply with our legal obligations, to enforce our Terms of Service, to facilitate our marketing and advertising activities, or to prevent, detect, mitigate, and investigate fraudulent or illegal activities related to our Services. We attempt to minimize the amount of personal information we disclose to what is directly relevant and necessary to accomplish the specified purpose. We do not sell, rent, or otherwise disclose your personal information to third parties for their marketing and advertising purposes without your consent. In the event that Finance Magnates LTD is acquired by or merged with a third party, we reserve the right, in any of these circumstances, to transfer or assign the information we have collected from you as part of such merger, acquisition, sale, or other change of control. In the unlikely event of our bankruptcy, insolvency, reorganization, receivership, or assignment for the benefit of creditors, or the application of laws or equitable principles affecting creditors' rights generally, we may not be able to control how your information is treated, transferred, or used. How do we protect your personal information We use secure server software (SSL) and firewalls to protect your information from unauthorized access, disclosure, alteration, or destruction. Furthermore, our employees and third party service providers have access to your non-public personal information only on a "need to know" basis. We follow industry standards to protect the personal information submitted to us, both during transmission and once we receive it. No method of transmission over the Internet, or method of electronic storage, is 100% secure. Therefore, while we use commercially acceptable means to protect your personal information, we cannot guarantee its absolute security. Payment Security: When your credit or debit card account information is being transmitted to our Sites or through our Sites, it will be protected by cryptographic protocols. To be clear, Finance Magnates LTD does not itself store your credit or debit card account information, and we do not have direct control over or responsibility for your credit or debit card account information. We use third party payment processors that are the controllers of your credit card information. Our contracts with third parties that receive your credit or debit card account information require them to keep it secure and confidential. Your Rights You have the following rights concerning our processing of your personal data: Right to rectification what is that? Right to erasure Right to object (on grounds relating your particular situation) in case of processing of your personal data based on our legitimate interest (e.g. direct marketing) Right to withdraw your consent at any time in case of any consent-based processing of your personal data without affecting the lawfulness of processing based on consent before your withdrawal; Right to lodge a complaint with a supervisory authority. To raise any objections or to exercise any of your rights, you can send an email to us at privacy@financemagnates.com or you can write to us at 7 Zabotinski Street, Ramat Gan, Israel To exercise choices regarding cookies, you can modify your browser setting to decline cookies if you prefer. This may prevent you from taking full advantage of the website. To stop receiving marketing emails from us, you can opt out of receiving marketing emails by clicking on the unsubscribe link which we include in all our marketing emails. If you have created an online Profile with us and would like to update the information you have provided to us, you can access your account to view and make changes or corrections to your information. You may also contact us as detailed in the Contact Us section, below. When you get in touch, we will come back to you as soon as possible and where possible within one month. If your request is more complicated, it may take a little longer to come back to you but we will come back to you within two months of your request. There is no charge for most requests, but if you ask us to provide a significant about of data for example we may ask you to pay a reasonable admin fee. We may also ask you to verify your identity before we provide any information to you. Contact us You can write to us at 7 Zabotinski Street, Ramat Gan, Israel or you can send an email to us at privacy@financemagnates.com. Changes Finance Magnates LTD may change this policy from time to time by updating this page, and by providing any information to Finance Magnates LTD you're accepting such changes. You should check this page from time to time for any changes. This policy is effective from 25/05/ 2018. Cookies Policy : What Are Cookies As is common practice with almost all professional websites this site uses cookies, which are tiny files that are downloaded to your computer, to improve your experience. This page describes what information they gather, how we use it and why we sometimes need to store these cookies. We will also share how you can prevent these cookies from being stored however this may downgrade or 'break' certain elements of the sites functionality. For more general information on cookies see the Wikipedia article on HTTP Cookies How We Use Cookies We use cookies for a variety of reasons detailed below. Unfortunately is most cases there are no industry standard options for disabling cookies without completely disabling the functionality and features they add to this site. It is recommended that you leave on all cookies if you are not sure whether you need them or not in case they are used to provide a service that you use. Disabling Cookies You can prevent the setting of cookies by adjusting the settings on your browser (see your browser Help for how to do this). Be aware that disabling cookies will affect the functionality of this and many other websites that you visit. Disabling cookies will usually result in also disabling certain functionality and features of the this site. Therefore it is recommended that you do not disable cookies. The Cookies We Set If you create an account with us then we will use cookies for the management of the signup process and general administration. These cookies will usually be deleted when you log out however in some cases they may remain afterwards to remember your site preferences when logged out. We use cookies when you are logged in so that we can remember this fact. This prevents you from having to log in every single time you visit a new page. These cookies are typically removed or cleared when you log out to ensure that you can only access restricted features and areas when logged in. This site offers newsletter or email subscription services and cookies may be used to remember if you are already registered and whether to show certain notifications which might only be valid to subscribed/unsubscribed users. This site offers e-commerce or payment facilities and some cookies are essential to ensure that your order is remembered between pages so that we can process it properly. From time to time we offer user surveys and questionnaires to provide you with interesting insights, helpful tools, or to understand our user base more accurately. These surveys may use cookies to remember who has already taken part in a survey or to provide you with accurate results after you change pages. When you submit data to through a form such as those found on contact pages or comment forms cookies may be set to remember your user details for future correspondence. In order to provide you with a great experience on this site we provide the functionality to set your preferences for how this site runs when you use it. In order to remember your preferences we need to set cookies so that this information can be called whenever you interact with a page is affected by your preferences. Third Party Cookies In some special cases we also use cookies provided by trusted third parties. The following section details which third party cookies you might encounter through this site. Third party analytics are used to track and measure usage of this site so that we can continue to produce engaging content. These cookies may track things such as how long you spend on the site or pages you visit which helps us to understand how we can improve the site for you. From time to time we test new features and make subtle changes to the way that the site is delivered. When we are still testing new features these cookies may be used to ensure that you receive a consistent experience whilst on the site whilst ensuring we understand which optimisations our users appreciate the most. As we sell products it's important for us to understand statistics about how many of the visitors to our site actually make a purchase and as such this is the kind of data that these cookies will track. This is important to you as it means that we can accurately make business predictions that allow us to monitor our advertising and product costs to ensure the best possible price. The Google AdSense service we use to serve advertising uses a DoubleClick cookie to serve more relevant ads across the web and limit the number of times that a given ad is shown to you. For more information on Google AdSense see the official Google AdSense privacy FAQ. We use adverts to offset the costs of running this site and provide funding for further development. The behavioural advertising cookies used by this site are designed to ensure that we provide you with the most relevant adverts where possible by anonymously tracking your interests and presenting similar things that may be of interest. In some cases we may provide you with custom content based on what you tell us about yourself either directly or indirectly by linking a social media account. These types of cookies simply allow us to provide you with content that we feel may be of interest to you. We also use social media buttons and/or plugins on this site that allow you to connect with your social network in various ways. For these to work the following social media sites including; Facebook, Twitter, Instagram, YouTube, LinkedIn, Google+, will set cookies through our site which may be used to enhance your profile on their site or contribute to the data they hold for various purposes outlined in their respective privacy policies. More Information Agreement or the failure of either Party to exercise any right or remedy to which it, he or they are entitled hereunder shall not constitute a waiver thereof and shall not cause a diminution of the obligations under this or any Agreement. No waiver of any of the provisions of this or any Agreement shall be effective unless it is expressly stated to be such and signed by both Parties. Notification of Changes Hopefully that has clarified things for you and as was previously mentioned if there is something that you aren't sure whether you need or not it's usually safer to leave cookies enabled in case it does interact with one of the features you use on our site. However if you are still looking for more information then you can contact us through one of our preferred contact methods. Email: Terms Of Use: In using this website you are deemed to have read and agreed to the following terms and conditions: The following terminology applies to these Terms and Conditions, Privacy Statement and Disclaimer Notice and any or all Agreements: "Client", "You" and "Your" refers to you, the person accessing this website and accepting the Finance Magnates LTD's terms and conditions. "The Finance Magnates LTD", "Ourselves", "We" and "Us", refers to our Finance Magnates LTD. "Party", "Parties", or "Us", refers to both the Client and ourselves, or either the Client or ourselves. All terms refer to the offer, acceptance and consideration of payment necessary to undertake the process of our assistance to the Client in the most appropriate manner, whether by formal meetings of a fixed duration, or any other means, for the express purpose of meeting the Client's needs in respect of provision of the Finance Magnates LTD's stated services/products, in accordance with and subject to, prevailing English Law. Any use of the above terminology or other words in the singular, plural, capitalisation and/or he/she or they, are taken as interchangeable and therefore as referring to same. Privacy Statement We are committed to protecting your privacy. Authorized employees within the Finance Magnates LTD on a need to know basis only use any information collected from individual customers. We constantly review our systems and data to ensure the best possible service to our customers. Parliament has created specific offences for unauthorised actions against computer systems and data. We will investigate any such actions with a view to prosecuting and/or taking civil proceedings to recover damages against those responsible. Confidentiality Client records are regarded as confidential and therefore will not be divulged to any third party, other than Finance Magnates LTD, if legally required to do so to the appropriate authorities. We will not sell, share, or rent your personal information to any third party or use your e-mail address for unsolicited mail. Any emails sent by this Finance Magnates LTD will only be in connection with the provision of agreed services and products. Disclaimer Exclusions and Limitations The information on this web site is provided on an "as is" basis. To the fullest extent permitted by law, this Finance Magnates LTD:excludes all representations and warranties relating to this website and its contents or which is or may be provided by any affiliates or any other third party, including in relation to any inaccuracies or omissions in this website and/or the Finance Magnates LTD's literature; and excludes all liability for damages arising out of or in connection with your use of this website. This includes, without limitation, direct loss, loss of business or profits (whether or not the loss of such profits was foreseeable, arose in the normal course of things or you have advised this Finance Magnates LTD of the possibility of such potential loss), damage caused to your computer, computer software, systems and programs and the data thereon or any other direct or indirect, consequential and incidental damages.Finance Magnates LTD does not however exclude liability for death or personal injury caused by its negligence. The above exclusions and limitations apply only to the extent permitted by law. None of your statutory rights as a consumer are affected. Log Files We use IP addresses to analyse trends, administer the site, track user's movement, and gather broad demographic information for aggregate use. IP addresses are not linked to personally identifiable information. Additionally, for systems administration, detecting usage patterns and troubleshooting purposes, our web servers automatically log standard access information including browser type, access times/open mail, URL requested, and referral URL. This information is not shared with third parties and is used only within this Finance Magnates LTD on a need-to-know basis. Any individually identifiable information related to this data will never be used in any way different to that stated above without your explicit permission. Cookies Like most interactive web sites this Finance Magnates LTD's website [or ISP] uses cookies to enable us to retrieve user details for each visit. Cookies are used in some areas of our site to enable the functionality of this area and ease of use for those people visiting. Links to this website You may not create a link to any page of this website without our prior written consent. If you do create a link to a page of this website you do so at your own risk and the exclusions and limitations set out above will apply to your use of this website by linking to it. Links from this website We do not monitor or review the content of other party's websites which are linked to from this website. Opinions expressed or material appearing on such websites are not necessarily shared or endorsed by us and should not be regarded as the publisher of such opinions or material. Please be aware that we are not responsible for the privacy practices, or content, of these sites. We encourage our users to be aware when they leave our site & to read the privacy statements of these sites. You should evaluate the security and trustworthiness of any other site connected to this site or accessed through this site yourself, before disclosing any personal information to them. This Finance Magnates LTD will not accept any responsibility for any loss or damage in whatever manner, howsoever caused, resulting from your disclosure to third parties of personal information. Copyright Notice Copyright and other relevant intellectual property rights exists on all text relating to the Finance Magnates LTD's services and the full content of this website. Communication All rights reserved. All materials contained on this site are protected by United States copyright law and may not be reproduced, distributed, transmitted, displayed, published or broadcast without the prior written permission of Finance Magnates LTD. You may not alter or remove any trademark, copyright or other notice from copies of the content. All information on this page is subject to change. The use of this website constitutes acceptance of our user agreement. Please read our privacy policy and legal disclaimer. Trading foreign exchange on margin carries a high level of risk and may not be suitable for all investors. The high degree of leverage can work against you as well as for you.Before deciding to trade foreign exchange you should carefully consider your investment objectives, level of experience and risk appetite. The possibility exists that you could sustain a loss of some or all of your initial investment and therefore you should not invest money that you cannot afford to lose. You should be aware of all the risks associated with foreign exchange trading and seek advice from an independent financial advisor if you have any doubts. Opinions expressed at Finance Magnates LTD are those of the individual authors and do not necessarily represent the opinion of Fthe Finance Magnates LTD or its management. Finance Magnates LTD has not verified the accuracy or basis-in-fact of any claim or statement made by any independent author: errors and omissions might occur. Any opinions, news, research, analyses, prices or other information contained on this website, by Finance Magnates LTD, its employees, partners or contributors, is provided as general market commentary and does not constitute investment advice. Finance Magnates LTD will not accept liability for any loss or damage, including without limitation to, any loss of profit, which may arise directly or indirectly from use of or reliance on such information. Force Majeure Neither party shall be liable to the other for any failure to perform any obligation under any Agreement which is due to an event beyond the control of such party including but not limited to any Act of God, terrorism, war, Political insurgence, insurrection, riot, civil unrest, act of civil or military authority, uprising, earthquake, flood or any other natural or man made eventuality outside of our control, which causes the termination of an agreement or contract entered into, nor which could have been reasonably foreseen. Any Party affected by such event shall forthwith inform the other Party of the same and shall use all reasonable endeavours to comply with the terms and conditions of any Agreement contained herein. Waiver Failure of either Party to insist upon strict performance of any provision of this or any Agreement or the failure of either Party to exercise any right or remedy to which it, he or they are entitled hereunder shall not constitute a waiver thereof and shall not cause a diminution of the obligations under this or any Agreement. No waiver of any of the provisions of this or any Agreement shall be effective unless it is expressly stated to be such and signed by both Parties. Notification of Changes The Finance Magnates LTD reserves the right to change these conditions from time to time as it sees fit and your continued use of the site will signify your acceptance of any adjustment to these terms. If there are any changes to our privacy policy, we will announce that these changes have been made on our home page and on other key pages on our site. If there are any changes in how we use our site customers' Personally Identifiable Information, notification by e-mail or postal mail will be made to those affected by this change. Any changes to our privacy policy will be posted on our web site 30 days prior to these changes taking place. You are therefore advised to re-read this statement on a regular basis. These terms and conditions form part of the Agreement between the Client and ourselves. Your accessing of this website and/or undertaking of a booking or Agreement indicates your understanding, agreement to and acceptance, of the Disclaimer Notice and the full Terms and Conditions contained herein. Your statutory Consumer Rights are unaffected. © Finance Magnates 2015 All Rights Reserved Finance Magnates Newslette \ No newline at end of file diff --git a/input/test/Test4320.txt b/input/test/Test4320.txt new file mode 100644 index 0000000..46d455f --- /dev/null +++ b/input/test/Test4320.txt @@ -0,0 +1,3 @@ +Home > Business > Tatton Tech gets rural businesses online with broadband Tatton Tech gets rural businesses online with broadband 16, 2018 Tweet +The Tatton Group has launched "Tatton Tech", aimed at resolving issues with broadband in local rural areas. +Fed up of hearing other rural businesses express their frustration at poor rural broadband connectivity, Tatton Tech founder Henry Brooks has called on the Government to bring forward their plans to bring universal high-speed broadband to stop the untold damage being done to the UK's rural communities. The latest of numerous warnings comes in the Local Government Association's Post-Brexit England Commission interim report, issued last month, which stated that lack of access to reliable broadband and mobile networks threatens rural livelihoods after Brexit. The report said rural communities across England are facing a "perfect storm" of threats to their future, fuelled by unfit-for-purpose network infrastructure, increasing property prices and an ageing population, which may be made much worse after Brexit . Mr Brooks, who is also on the policy committee of the Country Land and Business Association and President of the Cheshire Agricultural Society said: "Rural business owners cite a persistent litany of problems especially poor broadband coverage, but the universal high-speed broadband promised by the Government is not due to arrive before 2020, after Brexit, which is too late even if on time. We have experienced this ourselves and became so fed up we decided to find our own solution for customers all over the country." Tatton Tech is rolling out the latest radio broadband technology to offer businesses and nearby residents – especially in hard to reach areas – first class digital connectivity with three core products: Tatton Ultrafast for businesses; Tatton Superfast for home office; and Tatton Fast for home use. He said: "For our business and thousands of others across the UK from farmers and home workers to large corporates, digital connectivity is now critical. We have also heard from many people in our area who struggle for rural broadband despite being close to Manchester and as a result are suffering increasing crime, so wireless CCTV is also becoming more and more important which relies on a good internet connection. "Much has been said about rebalancing the UK economy, especially critical as we approach life outside the European Union when we need to be filling skills and productivity gaps and quite frankly quickly rolling out high speed broadband to rural areas is like picking low-hanging fruit – it's easy! In the meantime, we are not prepared to sit around and be left behind and that's why we are taking the matter into our hands. "The UK is blessed not just with rural economies but economies in rural areas and they rightly and fairly need to be properly served. Cheshire and Warrington's output per head, for example, according to the Office for National Statistics is more than 20% higher than the UK average and is the second highest of any sub-region outside of London despite terrible connectivity. People's livelihoods and the UK's economy is badly damaging as a result." Historically, rural landowners and their tenants have been put off by the cost of leased lines. Tatton Group was quoted more than £25,000 for one connection and then in excess of £1,000/month, hence seeking a better solution and by doing it themselves it came in at a much reduced price. The first connection was made at the group's Tatton Studio, a Film and Television facility at rural Ashley Hall in Cheshire regularly used by the BBC and others, including ITV, Fox, Netflix and Channel 4. Those who use the studios are now able to transfer up to 400 gigabytes of material a day. Edmond Kelleher, Tatton Tech director, said: "We have found that the service we have been trialling is better value for money than leased lines especially when there is no digging of holes and no hidden costs. Once installed, as we have seen ourselves, it enables all sorts of other technology saving costs (e.g. VOIP telephones) and increasing productivity, meaning you don't have to work in the city to get on \ No newline at end of file diff --git a/input/test/Test4321.txt b/input/test/Test4321.txt new file mode 100644 index 0000000..80e32f6 --- /dev/null +++ b/input/test/Test4321.txt @@ -0,0 +1 @@ +No posts where found In-App Advertising Market Outlook, Demand, Trends, Key Players, Analysis and Forecast 2018-2025 By Radiant Insights, Inc August 16 Share it With Friends Radiant Insights, Inc. Radiant Insights has announced the addition of "Global In-App Advertising Market Size, Status and Forecast 2018-2025″ Market Research report to their database. This report focuses on the global In-App Advertising status, future forecast, growth opportunity, key market and key players. The study objectives are to present the In-App Advertising development in United States, Europe and China. In-app advertising is a form of advertising through smartphones wherein the advertisements are integrated into the mobile applications. With adaption of digital marketing and smartphones penetration worldwide, there are lucrative opportunities for in-app advertising worldwide. Download Free Sample Report @ https://www.radiantinsights.com/research/global-in-app-advertising-market-size-status-and-forecast-2018-2025/request-sample The global in-app advertising market is primarily driven by the increasing smartphone penetration and increased use of various smart phone applications, which the consumers use regularly such as Facebook, WhatsApp among others. Among various smart phone applications, the messaging applications will have a significant effect on the in-app advertising market as the consumers use the messaging applications on a regular basis compared to other smartphone applications. It is expected that the smartphone messaging applications will gain a billion new users in the next few years, which in turn will drive the market for in-app advertising market globally. Moreover, the increase in the number of smart phone applications downloads from google play store, iOS store will also drive the market for in-app advertising market globally. However, the technicality issues like the testing of advertisements for in-app advertising for different smartphone software's like android and iOS are time-consuming as both software's display contents differently which might pose as a restraint to the in-app advertising market globally. In 2017, the global In-App Advertising market size was xx million US$ and it is expected to reach xx million US$ by the end of 2025, with a CAGR of xx% during 2018-2025. The key players covered in this study • Chartboos \ No newline at end of file diff --git a/input/test/Test4322.txt b/input/test/Test4322.txt new file mode 100644 index 0000000..46bfe45 --- /dev/null +++ b/input/test/Test4322.txt @@ -0,0 +1,18 @@ +What's driving Global Social Employee Recognition Systems Market? Stay up-to-date with emerging trends ahead August 16 Share it With Friends HTF MI recently introduced Global Social Employee Recognition Systems Market study with in-depth overview, describing about the Product / Industry Scope and elaborates market outlook and status to 2023. The market Study is segmented by key regions which is accelerating the marketization. At present, the market is developing its presence and some of the key players from the complete study are GloboForce Ltd, SalesForce.Com, Reffind Ltd, Achievers Corporation, Kudos, Inc., Madison, Vmware, Inc., Recognize Services, Inc., Jive Software, Inc. & BI Worldwide etc. +Request Sample of Global Social Employee Recognition Systems Market Size, Status and Forecast 2018-2025 @: https://www.htfmarketreport.com/sample-report/1299446-global-social-employee-recognition-systems-market-3 +This report studies the Global Social Employee Recognition Systems market size, industry status and forecast, competition landscape and growth opportunity. This research report categorizes the Global Social Employee Recognition Systems market by companies, region, type and end-use industry. +Browse 100+ market data Tables and Figures spread through Pages and in-depth TOC on " Social Employee Recognition Systems Market by Type (On-Premise & Cloud), by End-Users/Application (Healthcare, Manufacturing, IT and Telecom, Travel and Hospitality, Retail and Consumer Goods, Media and Entertainment & Others), Organization Size, Industry, and Region – Forecast to 2023″. Early buyers will receive 10% customization on comprehensive study. +In order to get a deeper view of Market Size, competitive landscape is provided i.e. Revenue (Million USD) by Players (2013-2018), Revenue Market Share (%) by Players (2013-2018) and further a qualitative analysis is made towards market concentration rate, product/service differences, new entrants and the technological trends in future. +Enquire for customization in Report @ https://www.htfmarketreport.com/enquiry-before-buy/1299446-global-social-employee-recognition-systems-market-3 +Competitive Analysis: The key players are highly focusing innovation in production technologies to improve efficiency and shelf life. The best long-term growth opportunities for this sector can be captured by ensuring ongoing process improvements and financial flexibility to invest in the optimal strategies. Company profile section of players such as GloboForce Ltd, SalesForce.Com, Reffind Ltd, Achievers Corporation, Kudos, Inc., Madison, Vmware, Inc., Recognize Services, Inc., Jive Software, Inc. & BI Worldwide includes its basic information like legal name, website, headquarters, its market position, historical background and top 5 closest competitors by Market capitalization / revenue along with contact information. Each player/ manufacturer revenue figures, growth rate and gross profit margin is provided in easy to understand tabular format for past 5 years and a separate section on recent development like mergers, acquisition or any new product/service launch etc. +Market Segments: The Global Social Employee Recognition Systems Market has been divided into type, application, and region. On The Basis Of Type: On-Premise & Cloud . On The Basis Of Application: Healthcare, Manufacturing, IT and Telecom, Travel and Hospitality, Retail and Consumer Goods, Media and Entertainment & Others On The Basis Of Region, this report is segmented into following key geographies, with production, consumption, revenue (million USD), and market share, growth rate of Social Employee Recognition Systems in these regions, from 2013 to 2023 (forecast), covering • North America (U.S. & Canada) {Market Revenue (USD Billion), Growth Analysis (%) and Opportunity Analysis} • Latin America (Brazil, Mexico & Rest of Latin America) {Market Revenue (USD Billion), Growth Share (%) and Opportunity Analysis} • Europe (The U.K., Germany, France, Italy, Spain, Poland, Sweden & RoE) {Market Revenue (USD Billion), Growth Share (%) and Opportunity Analysis} • Asia-Pacific (China, India, Japan, Singapore, South Korea, Australia, New Zealand, Rest of Asia) {Market Revenue (USD Billion), Growth Share (%) and Opportunity Analysis} • Middle East & Africa (GCC, South Africa, North Africa, RoMEA) {Market Revenue (USD Billion), Growth Share (%) and Opportunity Analysis} • Rest of World {Market Revenue (USD Billion), Growth Analysis (%) and Opportunity Analysis} +Buy Single User License of Global Social Employee Recognition Systems Market Size, Status and Forecast 2018-2025 @ https://www.htfmarketreport.com/buy-now?format=1&report=1299446 +Have a look at some extracts from Table of Content +Introduction about Global Social Employee Recognition Systems +Global Social Employee Recognition Systems Market Size (Sales) Market Share by Type (Product Category) in 2017 Social Employee Recognition Systems Market by Application/End Users Global Social Employee Recognition Systems Sales (Volume) and Market Share Comparison by Applications (2013-2023) table defined for each application/end-users like [Healthcare, Manufacturing, IT and Telecom, Travel and Hospitality, Retail and Consumer Goods, Media and Entertainment & Others] Global Social Employee Recognition Systems Sales and Growth Rate (2013-2023) Social Employee Recognition Systems Competition by Players/Suppliers, Region, Type and Application Social Employee Recognition Systems (Volume, Value and Sales Price) table defined for each geographic region defined. Global Social Employee Recognition Systems Players/Suppliers Profiles and Sales Data +Additionally Company Basic Information, Manufacturing Base and Competitors list is being provided for each listed manufacturers +Market Sales, Revenue, Price and Gross Margin (2013-2018) table for each product type which include On-Premise & Cloud Social Employee Recognition Systems Manufacturing Cost Analysis Social Employee Recognition Systems Key Raw Materials Analysis Social Employee Recognition Systems Chain, Sourcing Strategy and Downstream Buyers, Industrial Chain Analysis Market Forecast (2018-2023) ……..and more in complete table of Contents +Browse for Full Report at: https://www.htfmarketreport.com/reports/1299446-global-social-employee-recognition-systems-market-3 +Thanks for reading this article; you can also get individual chapter wise section or region wise report version like North America, Europe or Asia. +About Author: HTF Market Report is a wholly owned brand of HTF market Intelligence Consulting Private Limited. HTF Market Report global research and market intelligence consulting organization is uniquely positioned to not only identify growth opportunities but to also empower and inspire you to create visionary growth strategies for futures, enabled by our extraordinary depth and breadth of thought leadership, research, tools, events and experience that assist you for making goals into a reality. Our understanding of the interplay between industry convergence, Mega Trends, technologies and market trends provides our clients with new business models and expansion opportunities. We are focused on identifying the "Accurate Forecast" in every industry we cover so our clients can reap the benefits of being early market entrants and can accomplish their "Goals & Objectives". +Media Contac \ No newline at end of file diff --git a/input/test/Test4323.txt b/input/test/Test4323.txt new file mode 100644 index 0000000..2daf258 --- /dev/null +++ b/input/test/Test4323.txt @@ -0,0 +1,15 @@ +Atletico take sweet revenge on Real 1 hour ago +Atletico win Super Cup +Tallinn, Aug 16, (AFP): Saul Niguez and Koke scored in extra time as Atletico Madrid fought back to beat city rivals Real Madrid 4-2 and win the UEFA Super Cup in Tallinn as Julen Lopetegui got off to a losing start with the European champions. +Real had earlier looked set to win the trophy in their first competitive game since the departures of Cristiano Ronaldo and coach Zinedine Zidane when a Sergio Ramos penalty put them 2-1 up in the second half. +That came after Karim Benzema cancelled out Diego Costa's first-minute opener in the Estonian capital, but Costa hauled Diego Simeone's side level again late on to force extra time. +Simeone's men then looked stronger in the extra period as they won this competition, the annual meeting of the Champions League and Europa League winners, for the third time in nine seasons. +"I stayed at Atletico because the project is a good one. I have confidence in this club, in the coach and I saw tonight that I was not mistaken," said Atletico striker Antoine Griezmann who was linked with a move to Barcelona in the summer. +Atletico defender Lucas Hernandez added: "To win this trophy is something great but to do it against our eternal rival is even better." +Real had won the trophy under Zidane in each of the last two years, and emerged victorious against their neighbours in the Champions League finals of 2014 and 2016. +But this result comes after a close season in which Atletico have strengthened while Real look to have gone backwards, with no replacement signed for Ronaldo after his move to Juventus. +Griezmann started for Atletico at the compact Lillekula Stadium, fresh from helping France to World Cup glory last month. +In contrast, former Spain coach Lopetegui left Luka Modric on the Real bench at kick-off, seeking to ease the Croatian playmaker back after he led his country to the World Cup final. +Goalkeeper Thibaut Courtois did not feature at all following his recent arrival from Chelsea, while nine of Real's starting line-up also started May's Champions League final win over Liverpool in Kiev. +Atletico also had France winger Thomas Lemar making his competitive debut following his 72 million-euro ($84 million) move from Monaco, and they took the lead after just 49 seconds. +With Simeone watching from the stands as he serves a touchline ban, Costa met Diego Godin's long ball forward with his back to goal and nodded it over Ramos before turning to burst through and rifle a shot home from a tight angle. Please follow and like us \ No newline at end of file diff --git a/input/test/Test4324.txt b/input/test/Test4324.txt new file mode 100644 index 0000000..7b87a3b --- /dev/null +++ b/input/test/Test4324.txt @@ -0,0 +1 @@ +Physicists reveal oldest galaxies Astronomy - Aug 17 Some of the faintest satellite galaxies orbiting our own Milky Way galaxy are amongst the very first that formed in our Universe, physicists have found. Physics - Aug 16 To tame chaos in powerful semiconductor lasers, which causes instabilities, scientists have introduced another kind of chaos. Medicine - Aug 15 Death rates from stroke declining across Europe New research, published in the European Heart Journal has shown deaths from conditions that affect the blood supply to the brain, such as stroke, are declining overall in Europe but that in some countries the decline is levelling off or death rates are even increasing. Environment - Aug 16 Coral bleaching across Australia's Great Barrier Reef has been occurring since the late 18 th century, new research shows. Mathematics - Aug 15 Universities must seek a deeper understanding of the drivers of inequality in job roles and academic ranks if they are to achieve change. Categor \ No newline at end of file diff --git a/input/test/Test4325.txt b/input/test/Test4325.txt new file mode 100644 index 0000000..a7db9b1 --- /dev/null +++ b/input/test/Test4325.txt @@ -0,0 +1,2 @@ +Create bitcoin wallet for Android +Build multi cryptocurrency wallet app for Android ,can be already built solution ( 0 reviews ) port of spain, Trinidad and Tobago Project ID: #17587932 Offer to work on this job now! Bidding closes in 6 days Open - 6 days left Your bid for this job USD Set your budget and timeframe Outline your proposal Get paid for your work It's free to sign up and bid on jobs 10 freelancers are bidding on average $405 for this job HI, I am an expert in blockchain technology with c++ and solidity programming. I have developed many altcoins and ETH smart contract with ERC 20, many crypto to crypto exchange protal also. I can compile all c More $250 USD in 3 days (63 Reviews) Hi, I have read all the description of your project that you want to bitcoin concept Wallet App on Androidplatform. I can design and develop it for you perfectly with all features & functionalities as you want. More $140 USD in 3 days (10 Reviews) Worthply44 Hello, Yes we have a UI Demo app for you let me know so that I can share with for finalise. We can change it also according to [login to view URL] me know.. We will develop the app as per your requirements, it will be great More $277 USD in 3 days (8 Reviews) tassaduqvw Hi ok lets be honest it is not going to cost in range of 250 I have a solution but you need to tell me which currencies you want in your wallet? right now we have solution for btc and ether $1111 USD in 30 days (2 Reviews) Hello , I am a Certified Mobile Application Developer with 7+ years of experience in programming and Android Application development . My Experience and skills includes: • Code applications for iPhone and An More $100 USD in 3 days (1 Review) Hello Sir! Greetings of the day!! I have read your job description you need to build multi cryptocurrency wallet app for Android. Before we go ahead I had some queries: - May I know the time frame for this proj More $277 USD in 3 days (1 Review) Hello, We have readymade solution for wallet. **Please have a look ** [login to view URL] [login to view URL] [login to view URL] More $1333 USD in 25 days (15 Reviews) Hi,dear. I've just checked all requirements of your project 'Create bitcoin wallet for Android'. I'm senior software developer and I'm able to perform your project and you'll be interesting with me,please come in conta More $155 USD in 2 days (0 Reviews) satyaowlok Hi, Hope you are doing well... Thank you so much for offering me the job opportunity of "Create bitcoin wallet for Android". I appreciate the time you took to interview me, and I am very glad to become a part of yo More $155 USD in 3 days (0 Reviews) itsparx Hi, Thank you for giving me a chance to bid on your project. i am a serious bidder here and i have already worked on a similar project before and can deliver as u have mentioned I have got Rich experience in Jooml More $250 USD in 6 days (0 Reviews) Offer to work on this job now! Bidding closes in 6 days Open - 6 days left Your bid for this job US \ No newline at end of file diff --git a/input/test/Test4326.txt b/input/test/Test4326.txt new file mode 100644 index 0000000..00e84ce --- /dev/null +++ b/input/test/Test4326.txt @@ -0,0 +1,8 @@ +Turkish finance min. addressed foreign investors Turkey not in talks with IMF, will continue to ensure funding from international markets, says Berat Albayrak +Turkey's Treasury and Finance Minister Berat Albayrak held a teleconference with around 6,100 international investors on Thursday. +"We are not in talks with the International Monetary Fund. We will continue to ensure funding from international markets," a statement by his office quoted him telling the teleconference. +Albayrak said the government aimed at making Turkey an investment center in the region. +"We are aware of recent fluctuations, challenges. We know our country's potential. We will emerge stronger with steps we will take," Albayrak said. +He said reducing inflation is Turkey's main priority. +"Monetary policy alone is not enough to fight inflation, we will back Central Bank with fiscal policies," Albayrak added. +"We have no second thoughts on fiscal discipline, and the government will prioritize structural reforms," he stated \ No newline at end of file diff --git a/input/test/Test4327.txt b/input/test/Test4327.txt new file mode 100644 index 0000000..b2747bf --- /dev/null +++ b/input/test/Test4327.txt @@ -0,0 +1,18 @@ +Historian: Blackbeard's death a result of unlawful act Friday Aug 17, 2018 at 5:00 AM +OCRACOKE — An independent historian says his research shows the pirate Blackbeard's death in North Carolina nearly 300 years ago took place after unlawful actions by an overzealous Virginia lieutenant governor. +The Virginian-Pilot reports Blackbeard could have received a pardon from the king of England, but Lt. Gov. Alexander Spotswood had Blackbeard hunted down first, according to Kevin Duffus. +Duffus describes himself as a North Carolina research historian, author and documentary filmmaker. His writings focus on the North Carolina coastal region, including the Cape Hatteras Lighthouse and shipwrecks in the Atlantic Ocean. The Associated Press was unable Thursday to reach other historians who study Edward Teach, better known as Blackbeard, for perspective on Duffus' theory. +The 300th anniversary of Blackbeard's death will be Nov. 22. +After combing through Royal Navy records and colonial documents, Duffus said he believes Spotswood sent Lt. Robert Maynard to North Carolina to capture or kill the pirate to boost his own political standing. Spotswood lacked the authority to send the Royal Navy to an inland waterway in North Carolina or interfere a neighboring colony's affairs "without invitation," Duffus said. Evidence indicated that North Carolina Gov. Charles Eden was collaborating with Blackbeard. +In 1718, colonial leaders fed up with attacks sought to rid the waters of pirates and Blackbeard was one of dozens of pirates killed or hanged that summer and fall. Benjamin Hornigold, Blackbeard's mentor, accepted the King's pardon and became a trusted enforcer for Woodes Rogers, the first royal governor of the Bahamas, said Kim Kenyon, a conservator with the Queen Anne's Revenge Project. Rogers captured and hanged 10 pirates in a matter of months. +The estimated 2,000 pirates operating off the southeastern coast and the Bahamas were reduced to 200 by 1726, she said. Most simply quit, but others got pardons. +King George I pardoned pirates in 1717 and offered rewards to crew members who turned in captains, according to an account by the Queen Anne's Revenge project. He planned another pardon in December 1718. Spotswood and other officials knew of the approaching second pardon, but he pursued Blackbeard before it arrived, Duffus said. +After hearing Blackbeard had run aground, Maynard came down the Pamlico Sound. Blackbeard escaped and was anchored off Ocracoke Island, the primary access point from the Atlantic Ocean to the sound and inland towns. But Duffus said Blackbeard was not there to attack ships as is commonly believed. +"He never pirated a single ship passing by Ocracoke," he said. +Maynard approached with no flags, no guns showing and no uniforms on his 60 men, making Blackbeard believe the vessels were merchant ships. But Maynard suddenly turned left toward the pirates, and likely raised his flag. +In records, witnesses recall Blackboard calling out: "If you do not meddle with us we will not meddle with you." +"You can see by our colors, we are not pirates," Maynard said. "It's you we want and we will take you dead or alive." +Blackbeard could surrender and hope Spotswood would not execute him before the expected pardon, or fight. +He fired on the approaching ships, killing sailors, damaging the Ranger. Maynard's ships ran aground, but released ballast to get afloat again, according to an account by the state Department of Cultural Resources. +To trick Blackbeard into close battle, Maynard on the Jane sent his men below deck and Blackbeard boarded, thinking he had killed most of the crew. Ten pirates were killed in just six minutes, including Blackbeard. +Blackbeard was shot five times and struck with a sword several times, including one blow that nearly severed his head. Maynard finished the job \ No newline at end of file diff --git a/input/test/Test4328.txt b/input/test/Test4328.txt new file mode 100644 index 0000000..2bda121 --- /dev/null +++ b/input/test/Test4328.txt @@ -0,0 +1 @@ +У на� и�кали Bushwick Bound (2018) И�полнитель :VA �азвание : Bushwick Bound (2018) Жанр : House, Tech House, Deep House Год выпу�ка : 2018 Количе�тво треков : 10 Врем� звучани� : 01:17:13 Формат : MP3 Каче�тво : 320kbps Размер : 178 MB 01. MikroBeats - Bushwick Bound [00:06:39]02. Cales & Mr Hyde - Never Will, But Now [00:07:05]03. Afro Sends - Con Alegria [00:06:32]04. Lewis Ryder - Built in the End Date [00:09:23]05. Gus Bonani - Dope Test [00:07:14]06. The Lion Brothers - Stars [00:06:53]07. Jiggx - The Way (Feat. Lady TT) [00:08:39]08. Roland Clark - We Love Our House Music [00:08:31]09. Jiggx - Burning Desire [00:08:27]10. Jiggx - But the Music [00:07:50] Скачать Bushwick Bound (2018 \ No newline at end of file diff --git a/input/test/Test4329.txt b/input/test/Test4329.txt new file mode 100644 index 0000000..dc8a8eb --- /dev/null +++ b/input/test/Test4329.txt @@ -0,0 +1,2 @@ +Twitter How To Be Interesting Hey, Matt Morris. I am from MattMorris.com, coming to you from Bali. I am in the rice field actually, the terraced rice field, very very cool. Now, most of you are in Network Marketing if you watch my video, so this, my friend, is what you call multilevel . Awesome awesome view and man just what a fascinating day went whitewater rafting and just having such an amazing time getting to know the culture and, you know, exploring sea and the world I am always so interested to, you know, see what the world has offered, you know, so many people unfortunately they just stay in their little area, you know, they stay in their country, they might adventure out one or two countries but very few people actually get to see the world and that's one the beautiful beautiful things about. The network marketing profession not only you can develop financial freedom you can also develop the time freedom. So, literally travel all over the world, whenever you want, stay as long as you want, spend as money as you want, I mean it's just so amazing amazing amazing. So I thought you would show here since I am so interested and, you know, the country here and because the show want to do here how to be interesting, so how do you be interesting? And it's one of the things and you know being able to prospect people and developer poor and develop friendship is you just want to be an interesting person, right? And so here is the best way to be interesting is to be interested, be interested in other people, be interested in the world, be interested in other culture, be interested in other religions. Don't be so close minded you know we kind of grow up in our area, we have our religion, we have our food, we have our culture and we tend to think you know our way is the best way but you know when you can be interested, truly truly interested in the world and mainly in other people and then all of a sudden you become very interesting. So that's it. If you want to be interesting be interested and my wish for you is you go out and do whatever it takes, go out and pay the price, go out and do the work, do whatever it takes the live. This is kind of life style because I can promise you it is just so incredibly worth it. +P.S. – Thanks so much for tuning in and if you would love to hear your comment below if you feel like this can be of some value some others would love for you to share it around and if you haven't subscribe to my newsletter hop over to MattMorris.com, put your name and email address and you will get this free videos deliver to your inbox. Thanks so much as always. Go make life an adventure \ No newline at end of file diff --git a/input/test/Test433.txt b/input/test/Test433.txt new file mode 100644 index 0000000..0ead67d --- /dev/null +++ b/input/test/Test433.txt @@ -0,0 +1,21 @@ +Musk's SpaceX could help fund take-private deal for Tesla: NYT Friday, August 17, 2018 1:05 a.m. EDT FILE PHOTO: Elon Musk, founder, CEO and lead designer at SpaceX and co-founder of Tesla, speaks at the International Space Station Research +(Reuters) - Elon Musk's rocket company, SpaceX, could help fund a bid to take electric car company Tesla Inc private, the New York Times reported on Thursday, quoting people familiar with the matter. +Musk startled Wall Street last week when he said in a tweet he was considering taking the auto company private for $420 per share and that funding was "secured." He has since said he is searching for funds for the effort. +Musk said on Monday that the manager of Saudi Arabia's sovereign wealth fund had voiced support for the company going private several times, including as recently as two weeks ago, but also said that talks continue with the fund and other investors. +The New York Times report said another possibility under consideration is that SpaceX would help bankroll the Tesla privatization and would take an ownership stake in the carmaker, according to people familiar with the matter. +Musk is the CEO and controlling shareholder of the rocket company. +Tesla and SpaceX did not respond when Reuters requested comment on the matter. +In a wide-ranging and emotional interview with the New York Times published late on Thursday, Musk, Tesla's chief executive, described the difficulties over the last year for him as the company has tried to overcome manufacturing issues with the Model 3 sedan. https://nyti.ms/2vOkgeM +"This past year has been the most difficult and painful year of my career," he said. "It was excruciating." +The loss-making company has been trying to hit production targets, but the tweet by Musk opened up a slew of new problems including government scrutiny and lawsuits. +The New York Times report said efforts are underway to find a No. 2 executive to help take some of the pressure off Musk, people briefed on the search said. +Musk has no plans to relinquish his dual role as chairman and chief executive officer, he said in the interview. +Musk said he wrote the tweet regarding taking Tesla private as he drove himself on the way to the airport in his Tesla Model S. He told the New York Times that no one reviewed the tweet before he posted it. +He said that he wanted to offer a roughly 20 percent premium over where the stock had been recently trading, which would have been about $419. He decided to round up to $420 - a number that has become code for marijuana in counterculture lore, the report said. +"It seemed like better karma at $420 than at $419," he said in the interview. "But I was not on weed, to be clear. Weed is not helpful for productivity. There's a reason for the word 'stoned.' You just sit there like a stone on weed," he said. +Some board members recently told Musk to lay off Twitter and rather focus on operations at his companies, according to people familiar with the matter, the newspaper report said. +During the interview, Musk emotionally described the intensity of running his businesses. He told the newspaper that he works 120 hours a week, sometimes at the expense of not celebrating his own birthday or spending only a few hours at his brother's wedding. +"There were times when I didn't leave the factory for three or four days — days when I didn't go outside," he said during the interview. "This has really come at the expense of seeing my kids. And seeing friends." +To help sleep, Musk sometimes takes Ambien, which concerns some board members, since he has a tendency to conduct late-night Twitter sessions, according to a person familiar with the board the New York Times reported. +"It is often a choice of no sleep or Ambien," he said. +(Reporting by Rama Venkat Raman in Bengaluru and Brendan O'Brien in Milwaukee; Editing by Gopakumar Warrier, Bernard Orr) More From Busines \ No newline at end of file diff --git a/input/test/Test4330.txt b/input/test/Test4330.txt new file mode 100644 index 0000000..73b19dd --- /dev/null +++ b/input/test/Test4330.txt @@ -0,0 +1,20 @@ +August 17, 2018 | E-waste Recycling Market Global Share 2018 and Analysis: Stena Metall Group, Kuusakoski, Umicore, GEEP, Gem, Dongjiang and Waste Management Search for: Gas Alarm Market Global Share 2018 and Analysis: Honeywell Analytics, New Cosmos Electric, Industrial Scientific and Riken Keiki Co. Ltd. +Global "Gas Alarm Market" report is made by executing a superb research process to gather key information of this global Gas Alarm market. The analysis is dependant on just two segments, especially, chief research and extensive secondary research. The preliminary study contains a realistic Gas Alarm market inspection and segmentation of the industry. Additionally, it highlights essential players at the Gas Alarm Market. On the flip side, the key research targets the transport station, place, and product category. +Gas Alarm market research report highlights the increase in opportunities on the market which assist the consumer to organize upcoming expansions and improvements in the International Gas Alarm gas-alarm-market/#Request-Sample +Leading Market Players: +New Cosmos Electric, TROLEX, MSA, Victory Gas Alarm Company, Industrial Scientific, Crowcon, Tyco International, RAE Systems, Riken Keiki Co. Ltd., Honeywell Analytics and Emerson +Additionally, the most important product categories and sections Portable Gas Alarm and Stationary Gas Alarms +Sub-segments Industrial, Commercial and Residential of the global Gas Alarm market are a part of this report. +Geographically, this Gas Alarm report is split into crucial positions, size, production, consumption, revenue (Mn/Bn USD), and also market share and increase pace of Gas Alarm market in these regions, in 2018 by 2023, covering Middle East and Africa, Europe, North America, Asia-Pacific and South America as well as its share and also CAGR for its forecast interval. +The global Gas Alarm Gas Alarm application services and products to get varied end-users. The new entrants from the Gas Alarm gas-alarm-market/#Inquiry-Before-Buying +High-Lights of this 2018-2023 Gas Alarm Report: +1. Market segmentation; +2. An empirical assessment of the trajectory of this market; +3. Market stocks and approaches of Gas Alarm top players; +4. Report and analysis of current industrial improvements; +5. Key questions answered in this record 2018-2023 Gas Alarm Gas Alarm Gas Alarm industry trends; +11. Significant changes in Gas Alarm market dynamics; +12. Gas Alarm industry share investigation of the greatest market players; +13. Past, current, and potential Gas Alarm market size of this market from the perspective of the volume and value; +The global Gas Alarm Gas Alarm market report aids the consumer by providing a comprehensive examination. +Gas Alarm Market Global Share 2018 and Analysis to 202 \ No newline at end of file diff --git a/input/test/Test4331.txt b/input/test/Test4331.txt new file mode 100644 index 0000000..84b5c16 --- /dev/null +++ b/input/test/Test4331.txt @@ -0,0 +1 @@ +Google confirms it misleadingly tracks your location even with Location History disabled -- but it's not changing that Friday, 17 August 2018 ( 50 minutes ago ) Call it bad wording, call it blatant lying, call it what you like -- Google was recently found to have been misleading people about what disabling Location History on their phones actually meant. Many people understandably thought that turning off this setting would prevent Google from tracking and recording their location. They were wrong But despite the upset caused by this revelation, Google is not backing down. Rather than changing the behavior of the setting so it did what people would expect it to do, the company has instead chosen to simply update its help pages to make it clear… [Continue Reading \ No newline at end of file diff --git a/input/test/Test4332.txt b/input/test/Test4332.txt new file mode 100644 index 0000000..b79a9b9 --- /dev/null +++ b/input/test/Test4332.txt @@ -0,0 +1,3 @@ +A new statement has been released on behalf of the Android development team on the Google Issue Tracker that a future Android release will allow users to start a manual app data backup to Google Drive. The manual app data backup includes backing up the application data, call history, device settings and text messages. Backup data usually go straight to Google Drive under certain conditions like time, power status without the possibility of user intervention through normal means. But according to the statement, users will be able to trigger the backup themselves in a future Android release. However, it's not like the users cannot trigger the backup manually now. +But an ADB needs to be set up first on the computer by enabling USB debugging on the Android smartphone. To trigger a manual backup of the files onto Google Drive, users need to switch on and off auto-backup by going to Settings> System> Backup & Reset on Android Pie device like the Google Pixel 2 XL . Once this new feature of uploading backups is added by Google on Android smartphones, the users would not have to rely on an obscure ADB command. This new feature is somewhat a redundant one and not very useful to most Android users. But Google is hoping that some users will obviously use it. +Apps which are backed up via the built-in Android backup manager do not use Google Drive's storage quota. Application specific backups, however, do count against the storage space of Google Drive while backing up. WhatsApp's backing up to use up some storage space on Google Drive though this is set to change for the hugely popular messaging client. This new feature is not yet launched and it is speculated that it may go live with the next iteration of Android Pie \ No newline at end of file diff --git a/input/test/Test4333.txt b/input/test/Test4333.txt new file mode 100644 index 0000000..67ac931 --- /dev/null +++ b/input/test/Test4333.txt @@ -0,0 +1 @@ +No posts where found New Report On Online Gaming Market Size, Share, Trends Analysis Report By Product, By Application, By Key Players (Blizzard, Electronic Arts, Giant Interactive Group, Microsoft, NCSOFT, Sony, Tencent, August 16 Share it With Friends UpMarketResearch : A Leading Distributor of Market Research Reports Online Gaming Industry research report delivers a close watch on leading competitors with strategic analysis, micro and macro market trend and scenarios, pricing analysis and a holistic overview of the market situations in the forecast period. UpMarketResearch offers a latest published report on "Global Online Gaming Market Analysis and Forecast 2018-2023" delivering key insights and providing a competitive advantage to clients through a detailed report. The report contains 96 pages which highly exhibit on current market analysis scenario, upcoming as well as future opportunities, revenue growth, pricing and profitability. Online Gaming Industry research report delivers a close watch on leading competitors with strategic analysis, micro and macro market trend and scenarios, pricing analysis and a holistic overview of the market situations in the forecast period. It is a professional and a detailed report focusing on primary and secondary drivers, market share, leading segments and geographical analysis. Further, key players, major collaborations, merger & acquisitions along with trending innovation and business policies are reviewed in the report. The report contains basic, secondary and advanced information pertaining to the Online Gaming Industry global status and trend, market size, share, growth, trends analysis, segment and forecasts from 2018 – 2023. The scope of the report extends from market scenarios to comparative pricing between major players, cost and profit of the specified market regions. The numerical data is backed up by statistical tools such as SWOT analysis, BCG matrix, SCOT analysis, PESTLE analysis and so on. The statistics are represented in graphical format for a clear understanding on facts and figures. The generated report is firmly based on primary research, interviews with top executives, news sources and information insiders. Secondary research techniques are implemented for better understanding and clarity for data analysis. Get Exclusive PDF Sample Copy of This Report @ https://www.upmarketresearch.com/home/requested_sample/6821 The report for Online Gaming market analysis & forecast 2018-2023 is segmented into Product Segment, Application Segment & Major players. Region-wise Analysis Global Online Gaming Market covers: United States The Major players reported in the market include: Blizzard Global Online Gaming Market: Product Segment Analysis: Smartphones Online Gaming Global Online Gaming Market: Application Segment Analysis: Young Adults Seniors In this study, the years considered to estimate the market size of Online Gaming are as follows: History Year: 2013-2017 Forecast Year 2018 to 2025 The Report covers in-depth analysis as follows: Chapter 1 Online Gaming Industry Market Overview Chapter 2 Global Economic Impact on Online Gaming Industry Chapter 3 Global Online Gaming Industry Competition by Manufacturers Chapter 4 Global Online Gaming Industry Production, Revenue (Value) by Region (2013-2018) Chapter 5 Global Online Gaming Industry Supply (Production), Consumption, Export, Import by Regions (2013-2018) Chapter 6 Global Online Gaming Industry Production, Revenue (Value), Price Trend by Type Chapter 7 Global Online Gaming Industry Analysis by Application Chapter 8 Global Online Gaming Industry Manufacturers Analysis Chapter 9 Online Gaming Industry Manufacturing Cost Analysis Chapter 10 Industrial Chain, Sourcing Strategy and Downstream Buyers Chapter 11 Marketing Strategy Analysis, Distributors/Traders Chapter 12 Market Effect Factors Analysis Chapter 13 Global Online Gaming Industry Forecast (2018-2023) Buy Online Gaming Market analysis & forecast 2018-2023 Report along with complete TOC @ https://www.upmarketresearch.com/buy/online-gaming-market "Online Gaming Market Analysis and Forecast 2018-2023" report helps the clients to take business decisions and to understand strategies of major players in the industry. The report also calls for market-driven results deriving feasibility studies for client needs. UpMarketResearch ensures qualified and verifiable aspects of market data operating in the real-time scenario. The analytical studies are conducted ensuring client needs with a thorough understanding of market capacities in the real-time scenario. Key Reasons to Purchase: To gain insightful analyses of the market and have a comprehensive understanding of the " Global Online Gaming Industry Analysis and Forecast 2018-2023 " and its commercial landscape. Learn about the market strategies that are being adopted by your competitors and leading organizations. To understand the future outlook and prospects for Online Gaming market analysis and forecast 2018-2023. For More Information, Please Visit https://www.upmarketresearch.com/home/enquiry_before_buying/6821 Customization of the Report: UpMarketResearch provides free customization of reports as per your need. This report can be personalized to meet your requirements. Get in touch with our sales team, who will guarantee you to get a report that suits your necessities. About UpMarketResearch: The UpMarketResearch (www.upmarketresearch.com) is a leading distributor of market research report with more than 800+ global clients. As a market research company, we take pride in equipping our clients with insights and data that holds the power to truly make a difference to their business. Our mission is singular and well-defined – we want to help our clients envisage their business environment so that they are able to make informed, strategic and therefore successful decisions for themselves \ No newline at end of file diff --git a/input/test/Test4334.txt b/input/test/Test4334.txt new file mode 100644 index 0000000..61a538a --- /dev/null +++ b/input/test/Test4334.txt @@ -0,0 +1,2 @@ +August 16, 2018 Season 2 of Marvel's Iron Fist debuts exclusively on Netflix September 7, 2018. Billionaire Danny Rand (Finn Jones) returns to New York City after being missing for years, trying to reconnect with his past and his family legacy. He fights against the criminal element corrupting New York City with his martial arts mastery and ability to summon the awesome power of the fiery Iron Fist . +IRON FIST Season 2 Trailer Continue Readin \ No newline at end of file diff --git a/input/test/Test4335.txt b/input/test/Test4335.txt new file mode 100644 index 0000000..a1be042 --- /dev/null +++ b/input/test/Test4335.txt @@ -0,0 +1,7 @@ +How often do you think about dying? Menu Anna Slater @AnnaELGuardian Head of News Millions are uncomfortable talking about death People often only start to consider their mortality after the death of a family member, a medical diagnosis or when they reach a milestone age, according to a new study. +Research by the Co-op suggests millions of people are uncomfortable talking about death. +More than 30,000 responded to the survey, with half saying the loss of a close relative or friend is their first recollection of death. +The death of a family member was the main reason for considering mortality, followed by reaching a milestone age, medical diagnosis and news reports of death. +The Co-op suggested asking someone if they are okay, offering to help, or giving them time off work are most helpful during a bereavement, rather than avoiding the subject. +Robert MacLachlan, managing director of Co-op Funeralcare and Life Planning, said: "We see increasingly that a failure to properly deal with death has a knock-on impact for the bereaved, affecting mental health and also triggering financial hardship. +"We're committed to doing right by our clients and more needs to be done nationally to tackle this. \ No newline at end of file diff --git a/input/test/Test4336.txt b/input/test/Test4336.txt new file mode 100644 index 0000000..3aea8c8 --- /dev/null +++ b/input/test/Test4336.txt @@ -0,0 +1,21 @@ +home / cancer center / cancer a-z list / breast cancer drug promising in phase 3 trial article Breast Cancer Drug Promising in Phase 3 Trial By Steven Reinberg +WEDNESDAY, Aug. 15, 2018 (HealthDay News) -- For women with advanced breast cancer who carry the BRCA1 and BRCA2 gene mutations, an experimental drug could improve survival, a new study suggests. +The BRCA mutations are linked with a greater risk for aggressive breast and ovarian cancer . The drug, talazoparib, works by blocking an enzyme called poly ADP ribose polymerase (PARP), thus preventing cancer cells from killing healthy ones. +In a phase 3 trial of 431 women, funded by the drug's maker, those who received talazoparib lived longer without their cancer progressing than women treated with standard chemotherapy by an average of three months, researchers found. +"For women with metastatic breast cancer and a BRCA mutation, PARP inhibitors may be considered for their treatment," said lead researcher Dr. Jennifer Litton, an associate professor of breast medical oncology at the University of Texas M.D. Anderson Cancer Center in Houston. +When it's functioning properly, BRCA actually helps repair damaged DNA and prevents tumors, but when BRCA1 and BRCA2 go awry, they encourage breast cancers. +PARP inhibitors such as talazoparib appear to interfere with the function of mutated BRCA in breast cells, causing them to die rather replicate. +In addition, several ongoing studies are looking at combinations with PARP inhibitors "to try to expand who may benefit or lengthen how long they may work," Litton said. +The trial results are preliminary, as talazoparib has not yet been approved by the U.S. Food and Drug Administration. +In January, the FDA approved the first PARP inhibitor, Lynparza, to treat BRCA-mutated breast cancer . +Similar drugs have already been used to treat advanced, BRCA-mutated ovarian cancer , according to the agency. +In the current trial, the women who were randomly selected to receive talazoparib had a higher response rate to treatment than women who received standard chemotherapy: 63 percent versus 27 percent, the researchers found. +The drug does have side effects. Among women receiving talazoparib, 55 percent had blood disorders , mostly anemia , compared with 38 percent of those receiving standard chemotherapy. +In addition, 32 percent of the women receiving talazoparib had other side effects, compared with 38 percent of those on standard chemotherapy. +Oncologist Dr. Marisa Weiss is the founder and chief medical officer of Breastcancer.org. "Smart medicines like this PARP inhibitor work better than traditional chemo in women with HER2-negative metastatic disease and a BRCA1/2 genetic mutation," she said. +This targeted form of treatment takes advantage of a weakness in the BRCA gene to further cripple the cancer cell's ability to repair itself, grow and spread, said Weiss, who was not involved with the study. +Normal cells are mostly spared. As a result, more cancer cells are killed with fewer side effects, Weiss said. +"Most importantly, patients themselves have reported a better experience with less hair loss and improved quality of life," she said. +Weiss advises women with advanced breast cancer to have genetic testing. +"In both my clinical practice and within the online support community, we advise women with metastatic breast cancer to get genetic testing upon diagnosis, in order to get the best care first," she said. +The trial was funded by drug maker Pfizer, and the results were published Aug. 15 in the New England Journal of Medicine . SOURCES: Jennifer Litton, M.D., associate professor, breast medical oncology, University of Texas, M.D. Anderson Cancer Center, Houston; Marisa Weiss, M.D., founder and chief medical officer, Breastcancer.org; Aug. 15, 2018, New England Journal of Medicin \ No newline at end of file diff --git a/input/test/Test4337.txt b/input/test/Test4337.txt new file mode 100644 index 0000000..977fd4f --- /dev/null +++ b/input/test/Test4337.txt @@ -0,0 +1,13 @@ +Consumer reviews suggest that Plantronics Bluetooth headphones may be defective, resulting in the headset not holding a charge and failing prematurely. +Plantronics Bluetooth headphones are generally considered to be of high quality, and consumers of the brand expect that quality of all of their products. The Backbeat Fit Plantronics wireless headset, which retails on Plantronics' website for $129.99, has become the subject of ire for many consumers, with around 200 one-star reviews on the product's page. +Dozens of reviewers have voiced the same concern: they charge their Plantronics wireless headset and it seems like it charges, but it won't power on despite charging. This problem allegedly occurs after minimal usage, or straight out of the package. +On the ifixit website, a community website where users can help each other troubleshoot and fix electronics, numerous other consumers have expressed their frustration with similar battery and charging problems. +Plantronics has responded to reviews on its own website, suggesting a reset of the device to fix the problem. The reset process is as follows: "Press and hold the Power button for 10 seconds – Without releasing the Power button, plug the BB FIT in the charger – Release the Power button – Unplug the BB FIT from the charger – Test the unit." +For some consumers, this complicated reset process seems to work. Other customers have posted on ifixit that they've had some success by taking the headphones apart and tinkering with the wiring as a temporary fix. +But the majority of consumers do not have the knowledge or skills to take apart their product safely, and are left with no solution to their broken Plantronics wireless headset. Some consumers have even had their device replaced by Plantronics, only to have the same issue with charging and power. +Amidst the reviews of malfunctioning devices and suggestions for fixes, many consumers express their frustration with Plantronics. Some of these consumers say they have been working with the company for months to replace the ongoing problems with their Plantronics wireless headset with no end in sight. Other consumers were allegedly told that Plantronics could not help them replace their devices. +Some consumers have called for legal action against the company, irate at paying a higher price for a Plantronics wireless headset that doesn't work. +"Class action anyone?" one consumer suggested. "Plantronics should replace with working and non-defective products. You can't fix, they won't replace. I am not a sue happy person, but paying $130 and nothing working makes me RED!" +If you purchased a Plantronics wireless headset which failed prematurely due to battery charging problems, you may be eligible for compensation. Legal experts are looking into the possibility of holding Plantronics accountable for released an allegedly defective item. Fill out the form on this page to request a free case evaluation. +If you purchased Plantronics Bluetooth headphones that failed prematurely, you may be entitled to compensation. Fill out the form on this page to see if you qualify to join a Plantronics Bluetooth headphones class action lawsuit investigation. +Learn Mor \ No newline at end of file diff --git a/input/test/Test4338.txt b/input/test/Test4338.txt new file mode 100644 index 0000000..655450c --- /dev/null +++ b/input/test/Test4338.txt @@ -0,0 +1,19 @@ +0 +Have your say Recently we've seen the launch of Long Live The Local, a UK-wide ­campaign to rally all pubgoers and Governments to support vital local pubs up and down the country. +With three pubs closing their doors for good every day, they need our ­support. +The reason for these closures? A wide range of pressures, but none more so than an unfair and increasing tax burden in the form of beer duty, business rates and VAT. +A shocking £1 in every £3 spent in a pub goes straight to the taxman, meaning on average, each pub in the UK pays more than £140,000 a year in tax – and it's set to increase further in the next budget. +I know first-hand the important role local pubs play in villages, towns and cities across the UK. +My own local of the last 20 years, The Wheatsheaf, is a unique public place for the diverse local community to gather and enjoy each ­other's company over great food and drinks. +The Wheatsheaf is reflective of local pubs across Scotland and the rest of the UK, and our recent ­campaign research showed that two in three of us describe our local pub as a social centre that brings our community together. +In fact, local pubs are so good at bringing our communities together that 54 per cent of us are happy to ­visit our local pub alone, knowing that we'll enjoy a chat with staff, neighbours or other locals. +It's no surprise then that 40 million of us visit the pub each year and more than 15 million of us are regulars, ­visiting our local at least once a month. +Of course, pubs are not just of social and cultural importance – the pub and beer industry combined ­contribute £23 billion in GDP and pay £13 ­billion in tax every year. Pubs also support almost 600,000 jobs, of which 44 per cent are filled by 16-24 year olds – not to mention jobs ­created by supporting industries like brewing and farming. +The Government cannot keep ­taking our pubs for granted and ­continue to ignore the pressures they are placing on them. +Long Live The Local will celebrate the role pubs play in modern culture, whilst also highlighting the jeopardy they face from a range of taxes, ­calling on the UK Government for a cut in beer duty, as opposed to the year-on-year increases they have planned. +We will also be highlighting the campaign to politicians and the ­Government at Holyrood, who play an equally important role in ensuring the future of pubs across Scotland. Pubs are an integral part of Scotland's tourism offer, with the local being the first stop for many tourists discovering our cities, towns and villages. +In just over three weeks, our ­campaign website has received more than 80,000 visits, with 27,000 ­people signing our petition to cut beer tax and more than 10,000 writing to their MP to show just how much they value their local pub. +This is a great start, but if we want to drive a change to the planned beer duty policy then we need the widest possible support. +I urge anyone reading this who loves pubs to throw their support behind the campaign. Firstly, visit your local pub and enjoy the great food, drink and company of others it offers. +Then visit our website www.longlivethelocal.pub to sign the ­petition to cut beer tax, write to your MP to show how valuable your local is to you and, if you run a pub, request a point-of-sale kit to show your pub's support for the ­campaign. +David Cunningham is ­programme director for Long Live The Local, the new campaign from Britain's Beer Alliance. See www.longlivethelocal.pu \ No newline at end of file diff --git a/input/test/Test4339.txt b/input/test/Test4339.txt new file mode 100644 index 0000000..e60eeac --- /dev/null +++ b/input/test/Test4339.txt @@ -0,0 +1,10 @@ + John. R. Edwardson on Aug 17th, 2018 // No Comments +Zacks Investment Research cut shares of Aeglea Bio Therapeutics (NASDAQ:AGLE) from a hold rating to a sell rating in a research report report published on Tuesday morning. +According to Zacks, "Aeglea BioTherapeutics, Inc. is a biotechnology company which is engaged in developing enzyme-based therapeutics in the field of amino acid metabolism to treat inborn errors of metabolism and cancer. Its portfolio of products consists of AEB1102, AEB3103, AEB2109 and AEB4104 which are in different clinical trial phase. Aeglea BioTherapeutics, Inc. is based in Austin, Texas. " Get Aeglea Bio Therapeutics alerts: +Several other equities analysts also recently commented on AGLE. Evercore ISI started coverage on shares of Aeglea Bio Therapeutics in a report on Tuesday, April 24th. They set an outperform rating and a $37.00 price target on the stock. ValuEngine upgraded shares of Aeglea Bio Therapeutics from a sell rating to a hold rating in a report on Wednesday, May 2nd. Finally, BMO Capital Markets started coverage on shares of Aeglea Bio Therapeutics in a report on Thursday, June 14th. They set an outperform rating and a $21.00 price target on the stock. One investment analyst has rated the stock with a sell rating and four have assigned a buy rating to the stock. Aeglea Bio Therapeutics presently has an average rating of Buy and a consensus target price of $22.50. Shares of NASDAQ:AGLE opened at $9.22 on Tuesday. The stock has a market cap of $208.51 million, a P/E ratio of -5.12 and a beta of -0.44. Aeglea Bio Therapeutics has a 12 month low of $2.81 and a 12 month high of $12.00. +Aeglea Bio Therapeutics (NASDAQ:AGLE) last issued its quarterly earnings results on Thursday, August 9th. The biotechnology company reported ($0.46) EPS for the quarter, missing the consensus estimate of ($0.36) by ($0.10). The firm had revenue of $2.38 million for the quarter. Aeglea Bio Therapeutics had a negative net margin of 480.92% and a negative return on equity of 57.15%. equities analysts predict that Aeglea Bio Therapeutics will post -1.67 earnings per share for the current fiscal year. +A number of large investors have recently modified their holdings of the stock. Nantahala Capital Management LLC grew its holdings in Aeglea Bio Therapeutics by 20.0% during the 2nd quarter. Nantahala Capital Management LLC now owns 2,213,052 shares of the biotechnology company's stock valued at $23,414,000 after purchasing an additional 368,379 shares during the last quarter. Orbimed Advisors LLC grew its holdings in Aeglea Bio Therapeutics by 26.9% during the 2nd quarter. Orbimed Advisors LLC now owns 1,865,524 shares of the biotechnology company's stock valued at $19,737,000 after purchasing an additional 396,000 shares during the last quarter. Jennison Associates LLC grew its holdings in Aeglea Bio Therapeutics by 1.4% during the 2nd quarter. Jennison Associates LLC now owns 1,525,447 shares of the biotechnology company's stock valued at $16,139,000 after purchasing an additional 20,349 shares during the last quarter. Baker BROS. Advisors LP grew its holdings in Aeglea Bio Therapeutics by 22.0% during the 2nd quarter. Baker BROS. Advisors LP now owns 1,387,872 shares of the biotechnology company's stock valued at $14,684,000 after purchasing an additional 250,000 shares during the last quarter. Finally, BlackRock Inc. grew its holdings in Aeglea Bio Therapeutics by 3,257.3% during the 2nd quarter. BlackRock Inc. now owns 822,505 shares of the biotechnology company's stock valued at $8,703,000 after purchasing an additional 798,006 shares during the last quarter. Institutional investors own 39.46% of the company's stock. +About Aeglea Bio Therapeutics +Aeglea BioTherapeutics, Inc, a clinical-stage biotechnology company, designs and develops human enzyme therapeutics for the treatment of patients with rare genetic diseases and cancer. The company's lead product candidate includes pegzilarginase, a recombinant human Arginase 1 enzyme, which is in early clinical development stage for the treatment of Arginase 1 deficiency, an autosomal recessive metabolic disease caused by a marked decrease in the activity of the native arginase 1 enzyme; and for treating Arginine dependent cancers. +Get a free copy of the Zacks research report on Aeglea Bio Therapeutics (AGLE) +For more information about research offerings from Zacks Investment Research, visit Zacks.com Receive News & Ratings for Aeglea Bio Therapeutics Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Aeglea Bio Therapeutics and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test434.txt b/input/test/Test434.txt new file mode 100644 index 0000000..15af6b0 --- /dev/null +++ b/input/test/Test434.txt @@ -0,0 +1,19 @@ +Edward Sheldon, CFA | Friday, 17th August, 2018 Image +Bitcoin has had a terrible 2018. Hyped beyond belief in the latter stages of 2017, and nearly reaching $20,000 in mid-December, the cryptocurrency has since fallen to $6,500 today. Year-to-date, it's down over 50%. And it's a similar story with other cryptocurrencies. Ethereum was trading near $1,500 in January yet today is under $300. Ripple was trading above $3 in early January but today's it's trading for $0.30, a decline of 90%. The entire market has lost almost £500bn in 2018, according to a recent article on Yahoo Finance. +Unsurprisingly, crypto 'investors' (I'd call them speculators) are panicking. Indeed, according… +Bitcoin has had a terrible 2018. Hyped beyond belief in the latter stages of 2017, and nearly reaching $20,000 in mid-December, the cryptocurrency has since fallen to $6,500 today. Year-to-date, it's down over 50%. And it's a similar story with other cryptocurrencies. Ethereum was trading near $1,500 in January yet today is under $300. Ripple was trading above $3 in early January but today's it's trading for $0.30, a decline of 90%. The entire market has lost almost £500bn in 2018, according to a recent article on Yahoo Finance. +Unsurprisingly, crypto 'investors' (I'd call them speculators) are panicking. Indeed, according to several recent articles, many are even on 'suicide watch'. Earlier this week, one of the top posts on the popular Reddit bitcoin forum was information about suicide prevention hotlines. Make no mistake, it's all gone wrong very quickly, with many people losing a fortune in the cryptocurrency market. Beware a bubble +Yet bitcoin's crash doesn't surprise me. In fact, back in November and January I posted a couple of articles warning serious investors to steer clear of cryptocurrencies. +You see, as someone who has been investing for 20 years now, I've experienced a number of wealth-destroying 'bubbles'. I've seen the dotcom boom back in 1999/2000 and had several friends who lost thousands there. I also personally lost a lot of money in the mining bubble of 2007, in which hundreds of small-cap mining companies soared in value, before crashing dramatically as commodity prices plummeted. +Bubbles really aren't that hard to spot. So when bitcoin rose spectacularly from below $1,000 to nearly $20,000 last year, naturally, my bubble alarm went off. All the classic bubble indicators +Bitcoin ticked all the bubble criteria. It was textbook stuff. First, the chart was insane. Nothing rises that fast forever. It's simply not sustainable. +Source: coindesk +Second, every man and his dog were excited about it. Social media stoked the fire. Taxi drivers and hairdressers were investing, while friends and relatives who had never invested in their lives were getting involved. +Third, we had new cryptocurrencies coming to the market every day. Were any of them useful? +Fourth, we had outrageous price predictions. John McAfee, founder of the anti-virus company that bears his name boldly stated that bitcoin could hit $500,000 within three years. +Fifth, the bubble was a classic example of the 'greater fool' theory. With no earnings or income-producing ability, bitcoin is almost impossible to value. So anyone buying it was simply hoping someone else would come along and buy it from them for a higher price. No shortcuts +The bottom line is that bubbles always end badly. Sure, some people will make money on the way up, but plenty of others will lose thousands. +The key takeaway from all this is that there are no shortcuts to generating wealth. Try to get rich overnight and there's a good chance you'll lose your shirt. So instead of trying to achieve instant riches through high-risk investments, it's much more sensible to focus on building wealth slowly. And that's where the stock market comes into play, as stocks have proven to be one of the most reliable ways of generating wealth over the long term. +You Really Could Make A Million +Of course, picking the right shares and the strategy to be successful in the stock market isn't easy. But you can get ahead of the herd by reading the Motley Fool's FREE guide, "10 Steps To Making A Million In The Market" . +The Motley Fool's experts show how a seven-figure-sum stock portfolio is within the reach of many ordinary investors in this straightforward step-by-step guide. Simply click here for your free copy \ No newline at end of file diff --git a/input/test/Test4340.txt b/input/test/Test4340.txt new file mode 100644 index 0000000..d077258 --- /dev/null +++ b/input/test/Test4340.txt @@ -0,0 +1,14 @@ +If you purchased Blue Diamond Vanilla Almond Breeze almond milk that had a use-by date of Sept. 2, 2018, you may have a legal claim. +On Aug. 2, HP Hood LLC, the company that manufactures vanilla Almond Breeze almond milk, announced that some of their vanilla-flavored almond milk was contaminated with cow's milk due to an employee error. Allegedly, the affected milk was sent to 28 states, and each container of the affected milk has a use-by date of Sept. 2, 2018. +HP Hood announced that the company had decided to recall all of the potentially contaminated milk. Almost 150,000 half-gallon containers of vanilla Almond Breeze almond milk are being recalled over the issue. +Though the milk should still be safe for most consumers, consumers who purchase almond milk because they have allergies or sensitivities to cow's milk should be aware that they may react badly to tainted vanilla almond milk. In fact, some consumers with allergies to cows' milk may have a serious or life-threatening reaction to drinking the contaminated almond milk. +The company has stated that the contamination occurred because both almond and cows' milk are processed at the same factory. The company did stress that in general, the almond milk produced by the company is uncontaminated, because the two types of milk are produced on different machinery, keeping them free from contaminants and allergens. Allegedly, the error occurred not because of a problem in the plant's design but because of an employee error. +The recalled vanilla Almond Breeze milk shows a use-by date of Sept. 2, 2018, and the company says it was shipped to the following states: +Alabama Arkansas Connecticut Florida Georgia Iowa Illinois Indiana Kentucky Louisiana Maryland Maine Michigan Minnesota Missouri Mississippi North Carolina Nebraska New Jersey New York Ohio Oklahoma Pennsylvania South Carolina Tennessee Texas Virginia Wisconsin If you purchased the affected vanilla Almond Breeze almond milk in one of the states listed above, you may qualify to join an Almond Breeze class action lawsuit investigation, and you could be entitled to damages. +If you are not sure if your milk was included in the recall and you could be entitled to compensation, check the container. The recalled containers show a use-by date stamp that will look something like these examples: +USE BY: SEP 02 18 (07:36 – 20:48) H5 L1 51-4109 +USE BY: SEP 02 18 (07:36 – 20:48) H5 L2 51-4109 +USE BY: SEP 02 18 (07:36 – 20:48) H6 L1 51-4109 +USE BY: SEP 02 18 (07:36 – 20:48) H6 L2 51-4109 +If you purchased the Blue Diamond Vanilla Almond Breeze almond milk with a use-by date of Sept. 2, 2018, you could be entitled to compensation if you experienced an adverse reaction to the product or if you purchased the product before HP Hood LLC announced their recall of the contaminated vanilla almond milk. +Join a Free Almond Milk Recall Class Action Lawsuit Investigation If you purchased Vanilla Almond Breeze almond milk in one of the 28 states where the affected milk was sold, you may qualify to join this Almond Breeze almond milk recall class action lawsuit investigation \ No newline at end of file diff --git a/input/test/Test4341.txt b/input/test/Test4341.txt new file mode 100644 index 0000000..8495e3c --- /dev/null +++ b/input/test/Test4341.txt @@ -0,0 +1,18 @@ +Particulate pollution's impact varies greatly depending on where it originated Impact aerosols have on the climate varies greatly depending on where they were released Carnegie Institution for Science +IMAGE: When it comes to aerosol pollution, as the old real estate adage says, location is everything, according to new work from Carnegie's Geeta Persad and Ken Caldeira. view more Credit: Public domain +Washington, DC-- When it comes to aerosol pollution, as the old real estate adage says, location is everything. +Aerosols are tiny particles that are spewed into the atmosphere by human activities, including burning coal and wood. They have negative effects on air quality--damaging human health and agricultural productivity. +While greenhouse gases cause warming by trapping heat in the atmosphere, some aerosols can have a cooling effect on the climate--similar to how emissions from a major volcanic eruption can cause global temperatures to drop. This occurs because the aerosol particles cause more of the Sun's light to be reflected away from the planet. Estimates indicate that aerosols have offset about a third of greenhouse gas-driven warming since the 1950s. +However, aerosols have a much shorter lifespan in the atmosphere than the gases responsible for global warming. This means that their atmospheric distribution varies by region, especially in comparison to carbon dioxide. +"Conversations between scientists and policymakers often ignore the role of emission location when evaluating how aerosols affect the climate," explained Carnegie's Geeta Persad. +Her new paper with Carnegie's Ken Caldeira finds that the impact these fine particles have on the climate varies greatly depending on where they were released. Their work is published in Nature Communications . +"Not all aerosol emissions are created equal," Caldeira said. "Aerosols emitted in the middle of a monsoon might get rained out right away, while emissions over a desert might stay in the atmosphere for many days. So far, policy discussions have not come to grips with this fact." +For example, their models show that aerosol emissions from Western Europe have 14 times the global cooling effect that aerosol emissions from India do. Yet, aerosol emissions from Europe, the United States, and China are declining, while aerosol emissions from India and Africa are increasing. +"This means that the degree to which aerosol particulates counteract the warming caused by greenhouse gases will likely decrease over time as new countries become major emitters," Persad explained. +What's more, they found that there are dramatic regional differences when it comes to how strongly a country is affected by its own emissions. +For example, aerosols from India cool their country of origin 20 times more than they cool the planet. In comparison, aerosols from Western Europe, the United States, and Indonesia cool their country of origin only about twice as much as they cool the planet--a significant difference in how these emissions are experienced. In many cases, the strongest climate effects of aerosols are felt far from where the aerosols are emitted. +Caldeira and Persad's work demonstrates that the climate effects of aerosol emissions from different countries are highly unequal, which they say means that policies must reflect this variation. +This work is part of a larger $1.5 million National Science Foundation project with collaborators at UC San Diego and Stanford University that looks at the combined climate, health, and decision-making dimensions of greenhouse gases in comparison to shorter-lived pollutants like aerosols. +"Just as aerosols' climate effects are strongly dependent on source region, we also expect their health and other air quality effects to be dependent on their origin," explained Persad. "Moving forward, we want to understand this air quality piece and the implications it could have for optimizing local air pollution mitigation." ### +This work was supported by the Fund for Innovative Climate and Energy Research and the National Science Foundation. +The Carnegie Institution for Science is a private, nonprofit organization headquartered in Washington, D.C., with six research departments throughout the U.S. Since its founding in 1902, the Carnegie Institution has been a pioneering force in basic scientific research. Carnegie scientists are leaders in plant biology, developmental biology, astronomy, materials science, global ecology, and Earth and planetary science \ No newline at end of file diff --git a/input/test/Test4342.txt b/input/test/Test4342.txt new file mode 100644 index 0000000..d851b0c --- /dev/null +++ b/input/test/Test4342.txt @@ -0,0 +1,5 @@ +One of the growing gaming trends in recent years is that more and more people are playing online casino games. Slots based on hit movie franchises such as Tomb Raider and Jurassic Park, and animal-themed adventures like Mega Moolah have all become popular with gaming fans and a significant part of that is that it has become easier than ever to play them. Games Are Better Optimized for Everyone +Typically, when people have an older computer, they have to find new uses for it. These new uses for your PC may include turning it into a home server , transforming it into a starter computer, or even scrapping it and using the parts for arts and crafts. With casino games being better optimized for more devices, you can keep on gaming and spend your spins at these slots and you won't have to put your PC on the trash heap. You'll still be able to get maximum enjoyment out of your device even if, by most standards, it's pretty ancient. Casino Game Apps Are Readily Available +While you can play casino games instantly on PC, downloading the casino app is still an option too. Downloadable casino game apps typically offer better graphics than their non-downloadable counterparts meaning that the exotic creatures of Mega Moolah or the pixel perfect reaction of Lara Croft's face in the Tomb Raider slot will all look a whole lot better. Many of these apps also offer hundreds of casino games for you to choose from, meaning that you'll have easy access to all of this entertainment as and when you want it. Why This is So Important +The state of the technology landscape is shifting all the time. You need only look at the timeline of Samsung Galaxy devices to see that. As people shift to mobile devices, as mobile devices become more powerful and as we demand different things from entertainment experiences and the games that we play, so too will the technology that provides these solutions. +The casino game industry will need to adapt quickly to provide said solutions. By doing so, its games can become available to more players – and far fewer players will need to miss out on playing these slots just because they happen to be using an incompatible device. Or, because the game that they really want to play hasn't been released on their favorite platform. If you have any suggestion/edit regarding the content please contact HERE . Got a Tip? SEND US . MOST POPULA \ No newline at end of file diff --git a/input/test/Test4343.txt b/input/test/Test4343.txt new file mode 100644 index 0000000..2ec646a --- /dev/null +++ b/input/test/Test4343.txt @@ -0,0 +1,6 @@ +Written by: NEWS DIVISION August 16, 2018 +Sega Games Co., Ltd. this week released the Combat Trailer for Fist of the North Star: Lost Paradise for Sony Corp.'s PlayStation 4. +The trailer previews brutal combat techniques from the final game. +Developed by Ryu ga Gotoku, Fist of the North Star: Lost Paradise is a third-person action RPG title based on the classic manga. +The final game will include Kenshiro in an alternate universe of the original story, Hokuto Shinken techniques and a customizable buggy. +It will be sold Oct. 2 \ No newline at end of file diff --git a/input/test/Test4344.txt b/input/test/Test4344.txt new file mode 100644 index 0000000..3985f03 --- /dev/null +++ b/input/test/Test4344.txt @@ -0,0 +1,2 @@ +Samsung And Harman Kardon Collaborate On Premium Soundbar Lineup +By Published on August 16, 2018 Samsung Electronics Co., Ltd. announced today that it released two co-branded premium soundbars – the HW-N950 and HW-N850, in collaboration with Harman Kardon , the renowned consumer audio brand. These new soundbars were largely developed by Samsung , with Harman Kardon certifying the audio quality through sophisticated sound quality testing. Available beginning August 20, the HW-N950 and HW-N850 feature both Samsung and Harman Kardon's logos to represent their new partnership. Following Samsung's acquisition of Harman International in March 2017, the two companies have been collaborating on mobile products including the AKG headphones bundled with certain Samsung mobile phones and tablets tuned by AKG, as well as professional solutions for cinemas with the JBL Professional brand. The HW-N950 and HW-N850 soundbars are the first major collaboration between Samsung and Harman Kardon to enter the premium category. With the audio quality certified by Harman Kardon and hands-on direction from the brand's trained acoustics experts, consumers can enjoy immersive and rich three-dimensional sound thanks to the addition of DTS' proprietary DTS:X technology as well as Dolby Atmos. "Our collaboration with Harman Kardon – an audio leader for 65 years – is a major leap forward as we continue to push the boundaries of premium sound and design for our consumers," said Jongsuk Chu, Senior Vice President of Visual Display Business at Samsung Electronics. "Samsung's market leading display technology and design paired with premium sound quality of Harman Kardon products is a winning combination for consumers." With the HW-N950 and HW-N850, consumers will feel like they are in a theater without leaving home thanks to Dolby Atmos and DTS:X technologies, plus up and side-firing speakers that move sound naturally above and around listeners. The HW-N950 especially is equipped with a main unit, four speakers and two wireless surround sound speakers, offering an incredibly immersive sound experience. Also, thanks to its 7.1.4 channels, the largest number of channels currently available in a soundbar, the HW-N950 features a built-in wireless subwoofer and rear wireless speaker kit to round out the premium audio experience. The HW-N850, a more simplified version of the HW-N950, boasts a 5.1.2 channel featuring a main unit speaker and woofer. Harman Kardon tested and certified the products from both the objective and subjective perspectives. The objective tests have been conducted through an anechoic chamber and mock home environments, while the subjective tests have been carried out by listening to and assessing different audio formats and music genres. The tests are done to ensure that products meet Harman Kardon's quality and performance standards. "Samsung is the world leader in soundbars and we are extremely proud that they are enlisting HARMAN to enhance their audio quality and play a key role in growing their premium soundbar business," said Dave Rogers, President of Consumer Audio at HARMAN. "Partnering with Samsung, one of the most admired brands in the world, will broaden the reach and appeal of Harman Kardon and help us build our business in other consumer and car audio branded solutions. Introducing the new co-branded Samsung Harman Kardon premium soundbars is a win for Samsung, HARMAN and consumers, who now will have the best of video, sound and design altogether in one striking package." For more information on Samsung and Harman Kardon audio products, please visit www.samsung.com . About Samsung Electronics Co., Ltd. Samsung inspires the world and shapes the future with transformative ideas and technologies. The company is redefining the worlds of TVs, smartphones, wearable devices, tablets, digital appliances, network systems, and memory, system LSI, foundry and LED solutions. For the latest news, please visit the Samsung Newsroom at http://news.samsung.com. About HARMAN HARMAN (harman.com) designs and engineers connected products and solutions for automakers, consumers, and enterprises worldwide, including connected car systems, audio and visual products, enterprise automation solutions; and services supporting the Internet of Things. With leading brands including AKG®, Harman/Kardon®, Infinity®, JBL®, Lexicon®, Mark Levinson® and Revel®, HARMAN is admired by audiophiles, musicians and the entertainment venues where they perform around the world. More than 50 million automobiles on the road today are equipped with HARMAN audio and connected car systems. Our software services power billions of mobile devices and systems that are connected, integrated and secure across all platforms, from work and home to car and mobile. HARMAN has a workforce of approximately 30,000 people across the Americas, Europe, and Asia. In March 2017, HARMAN became a wholly-owned subsidiary of Samsung Electronics Co., Ltd. Continue Readin \ No newline at end of file diff --git a/input/test/Test4345.txt b/input/test/Test4345.txt new file mode 100644 index 0000000..2d09da7 --- /dev/null +++ b/input/test/Test4345.txt @@ -0,0 +1,22 @@ +August 17, 2018, University of Exeter Peppered moth specimens in a museum. Credit: Olivia Walton +Scientists have revisited—and confirmed—one of the most famous textbook examples of evolution in action. +They showed that differences in the survival of pale and dark forms of the peppered moth ( Biston betularia ) are explained by how well camouflaged the moths are to birds in clean and polluted woodland. +"Industrial melanism—the prevalence of darker varieties of animals in polluted areas—and the peppered moth provided a crucial early example supporting Darwin's theory of evolution by natural selection , and has been a battleground between evolutionary biologists and creationists for decades. +The common pale form of the moth is camouflaged against lichen growing on tree bark. During the Industrial Revolution—when pollution killed lichen and bark was darkened by soot—a darker-winged form emerged in the UK. +Later, clean air legislation reduced soot levels and allowed lichen to recover—causing a resurgence of pale peppered moths. +The example has been well supported by many studies, but nobody had ever tested how well camouflaged the moths were to the vision of their key predators—birds—and how their camouflage directly influenced survival. +Now scientists at the University of Exeter have shown that, to the vision of birds, pale moths are indeed more camouflaged against lichen-covered trees than dark moths—making pale moths less likely to be eaten by birds in unpolluted woodland and giving them an evolutionary advantage. +"This is one of the most iconic examples of evolution, used in biology textbooks around the world, yet fiercely attacked by creationists seeking to discredit evolution," said Professor Martin Stevens, of the Centre for Ecology and Conservation on the University of Exeter's Penryn Campus in Cornwall. +"Remarkably, no previous study has quantified the camouflage of peppered moths, or related this to survival against predators in controlled experiments. +"Using digital image analysis to simulate bird vision and field experiments in British woodland, we compared how easily birds can see pale and darker moths, and ultimately determine their predation risk. Artificial moth used in the field experiment. Credit: Olivia Walton +"Our findings confirm the conventional story put forward by early evolutionary biologists—that changes in the frequency of dark and pale peppered moths were driven by changes in pollution and camouflage." +Most birds can perceive ultraviolet light—invisible to human eyes—and see a greater range of colours than humans, and the Exeter scientists analysed how well pale and dark moths matched lichen-covered and plain tree bark , as seen by birds. +To do this, they used museum specimens including some from the collections of Bernard Kettlewell, who conducted famous research on the evolution of the species in the 1950s. +The researchers also created artificial moths, baited them with food and observed predation rates in UK woodland, mostly in Cornwall. +"Through a bird's eyes, the pale peppered moths more closely match lichen-covered bark, whereas darker individuals more closely match plain bark," said first author Olivia Walton, who conducted the research as part of her master's degree at Exeter. +"Crucially, this translates into a strong survival advantage; the lighter moths are much less likely to be seen by wild birds when on lichen-covered backgrounds, in comparison to dark moths." +In the experiment using artificial moths, lighter models had a 21% higher chance of "surviving" (not being eaten by birds). +"We provide strong direct evidence that the frequency of the peppered moth forms stems from differences in camouflage and avian predation, providing key support for this iconic example of natural selection," Professor Stevens said. +The research was funded by the Biotechnology and Biological Sciences Research Council (BBSRC). +The paper, published in the journal Communications Biology , is entitled: "Avian vision models and field experiments determine the survival value of peppered moth camouflage." +The birds that most commonly eat peppered moths include sparrows, great tits, blue tits, robins and blackbirds \ No newline at end of file diff --git a/input/test/Test4346.txt b/input/test/Test4346.txt new file mode 100644 index 0000000..0eb3f4d --- /dev/null +++ b/input/test/Test4346.txt @@ -0,0 +1,23 @@ +Study confirms truth behind 'Darwin's moth' University of Exeter +IMAGE: This is an artificial moth used in the field experiment. view more Credit: Olivia Walton +Scientists have revisited - and confirmed - one of the most famous textbook examples of evolution in action. +They showed that differences in the survival of pale and dark forms of the peppered moth ( Biston betularia ) are explained by how well camouflaged the moths are to birds in clean and polluted woodland. +"Industrial melanism" - the prevalence of darker varieties of animals in polluted areas - and the peppered moth provided a crucial early example supporting Darwin's theory of evolution by natural selection, and has been a battleground between evolutionary biologists and creationists for decades. +The common pale form of the moth is camouflaged against lichen growing on tree bark. During the Industrial Revolution - when pollution killed lichen and bark was darkened by soot - a darker-winged form emerged in the UK. +Later, clean air legislation reduced soot levels and allowed lichen to recover - causing a resurgence of pale peppered moths. +The example has been well supported by many studies, but nobody had ever tested how well camouflaged the moths were to the vision of their key predators - birds - and how their camouflage directly influenced survival. +Now scientists at the University of Exeter have shown that, to the vision of birds, pale moths are indeed more camouflaged against lichen-covered trees than dark moths - making pale moths less likely to be eaten by birds in unpolluted woodland and giving them an evolutionary advantage. +"This is one of the most iconic examples of evolution, used in biology textbooks around the world, yet fiercely attacked by creationists seeking to discredit evolution," said Professor Martin Stevens, of the Centre for Ecology and Conservation on the University of Exeter's Penryn Campus in Cornwall. +"Remarkably, no previous study has quantified the camouflage of peppered moths, or related this to survival against predators in controlled experiments. +"Using digital image analysis to simulate bird vision and field experiments in British woodland, we compared how easily birds can see pale and darker moths, and ultimately determine their predation risk. +"Our findings confirm the conventional story put forward by early evolutionary biologists - that changes in the frequency of dark and pale peppered moths were driven by changes in pollution and camouflage." +Most birds can perceive ultraviolet light - invisible to human eyes - and see a greater range of colours than humans, and the Exeter scientists analysed how well pale and dark moths matched lichen-covered and plain tree bark, as seen by birds. +To do this, they used museum specimens including some from the collections of Bernard Kettlewell, who conducted famous research on the evolution of the species in the 1950s. +The researchers also created artificial moths, baited them with food and observed predation rates in UK woodland, mostly in Cornwall. +"Through a bird's eyes, the pale peppered moths more closely match lichen-covered bark, whereas darker individuals more closely match plain bark," said first author Olivia Walton, who conducted the research as part of her master's degree at Exeter. +"Crucially, this translates into a strong survival advantage; the lighter moths are much less likely to be seen by wild birds when on lichen-covered backgrounds, in comparison to dark moths." +In the experiment using artificial moths, lighter models had a 21% higher chance of "surviving" (not being eaten by birds). +"We provide strong direct evidence that the frequency of the peppered moth forms stems from differences in camouflage and avian predation, providing key support for this iconic example of natural selection," Professor Stevens said. +The research was funded by the Biotechnology and Biological Sciences Research Council (BBSRC). +The paper, published in the journal Communications Biology , is entitled: "Avian vision models and field experiments determine the survival value of peppered moth camouflage." +The birds that most commonly eat peppered moths include sparrows, great tits, blue tits, robins and blackbirds. ## \ No newline at end of file diff --git a/input/test/Test4347.txt b/input/test/Test4347.txt new file mode 100644 index 0000000..9f8b0d7 --- /dev/null +++ b/input/test/Test4347.txt @@ -0,0 +1 @@ +and fatal injuries, which includes cerebral hemorrhaging and gastrointestinal bleeds, from use of the drug.

In addition to these risks, lawsuits against Bayer and Johnson & Johnson's Janssen Pharmaceuticals are alleging:

The manufacturers of Xarelto marketed the drug as a superior within the field of anticoagulants despite studies finding higher rates of gastrointestinal (GI tract) bleeding and transfusions in Xarelto users than users of certain competitors.
The makers of the drug continue to market Xarelto as a protected anticoagulant option.
Doctors and health-related staff were not properly made aware of methods to stabilize and treat a Xarelto user within the occasion of a bleeding complication.
Users of Xarelto were not adequately warned of the health risks of suffering a fatal bleeding occasion.
Xarelto is linked to critical bleeding complications, excessive blood loss, intracranial hemorrhaging, eye bleeding (vitreous hemorrhage), stomach bleeding, gastrointestinal bleeding, wound infections from inhibited clotting, and lack of effectiveness in preventing harmful clotting.

Visit this page for more info on the alleged health risks of Xarelto.
Multidistrict Litigation Trial Dates Set

The attorneys within the Complex Litigation Group have filed lawsuits on behalf of injured clients. The claims will proceed through multidistrict litigation (MDL), which currently entails four trials, scheduled for Fall 2016, in which random groups of plaintiffs will be chosen to represent the group. + Our attorneys have filed a mass tort lawsuit on behalf of sufferers who took the blood thinner Xarelto (rivaroxaban) and suffered significan \ No newline at end of file diff --git a/input/test/Test4348.txt b/input/test/Test4348.txt new file mode 100644 index 0000000..01f4506 --- /dev/null +++ b/input/test/Test4348.txt @@ -0,0 +1,16 @@ +Rovio Entertainment Corporation Press Release August 17 2018 at 1:15 p.m. EET +Rovio Entertainment Corporation: Corporate Responsibility Report published +Rovio Entertainment Corporation has today published its Corporate Responsibility Report on the company website . +This report focuses on environmental responsibility, social responsibility and personnel, and also human rights and the prevention of corruption and bribery. +Key aspects of corporate responsibility at Rovio include, among other things, employee satisfaction and diversity, the suitability of Angry Birds games for audiences of all ages, data protection in relation to gaming, the safety of licensed products including both manufacturing and use, partnership projects suitable for Rovio and Angry Birds brands and the environmental impact of Rovio's own operations. +Rovio Entertainment Corporation +Mikko Setälä, Executive Vice President, Investor Relations +More information, please contact: +Mikko Setälä +Executive Vice President, Investor Relations +mikko.setala@rovio.com +tel. +358 40 485 8985 +Distribution : Nasdaq Helsinki Main media www.rovio.com +About Rovio: +Rovio Entertainment Corporation is a global entertainment company that creates, develops and publishes mobile games, which have been downloaded over 4 billion times. The Company is best known for the global Angry Birds brand, which started as a popular mobile game in 2009, and has since evolved from games to various entertainment and consumer products in brand licensing. Today, the Company offers multiple mobile games, animations and has produced The Angry Birds Movie, which opened number one in theatres in 50 countries and the sequel which is in production. Rovio is headquartered in Finland and the company's shares are listed on the main list of NASDAQ Helsinki stock exchange with the trading code ROVIO. ( www.rovio.com ) +Rovio_responsibilityreport_fina \ No newline at end of file diff --git a/input/test/Test4349.txt b/input/test/Test4349.txt new file mode 100644 index 0000000..9089626 --- /dev/null +++ b/input/test/Test4349.txt @@ -0,0 +1,6 @@ +HDFC Securities' research report on Neuland Labs +Neuland Labs (NLL) delivered poor performance in its 1QFY19 results. Revenue grew 31%YoY to Rs 1.54bn (down 4%QoQ) and EBITDA at Rs 90mn was up 11.3%YoY (sequential drop of 52%) with margin at 5.8% (declining by ~100bpsYoY). PAT reduced by 37%YoY and 95%QoQ, standing at Rs 4.1mn. while revenue beat our estimates by 6%; EBITDA, margin, and PAT were missed by 54%, 750bps, and 94% respectively. Growth in prime API segment led to overall top-line growth in the quarter. NLL's gross margin for the quarter was 44% (v/s 58% in 1QFY18 and 50% in 4QFY18) which was impacted by two factors: (1) inability to pass on increased input cost to customers, and (2) larger contribution of the low margin prime API segment. The company is working with customers to pass on these hikes and to take gross margin 50% plus in coming quarters. +Outlook +The commercialization of 8 CMS projects which are currently in development and ramp up in existing niche API molecules and approvals for gAdvair in the US (CY18), will further expand margins for NLL. It is also likely to shift 3-4 APIs to new unit 3 in FY19-20, with which it will overcome capacity constraints and see volume growth in its prime API segment. With the expectation that revenue growth will continue and margin expansion will follow, we estimate 18% revenue CAGR, EBITDA margin expanding to ~17%, and PAT growing 6x over FY18-20E. Maintain BUY with a TP of Rs 914 (16x FY20E EPS) +For all recommendations report, click here +Disclaimer: The views and investment tips expressed by investment experts/broking houses/rating agencies on moneycontrol.com are their own, and not that of the website or its management. Moneycontrol.com advises users to check with certified experts before taking any investment decisions \ No newline at end of file diff --git a/input/test/Test435.txt b/input/test/Test435.txt new file mode 100644 index 0000000..cfbf1d3 --- /dev/null +++ b/input/test/Test435.txt @@ -0,0 +1,32 @@ +Video Image Cipriani fined for assault 0:31 Rugby: England international Danny Cipriani has been fined $3500 after an assault in a nightclub on the island of Jersey. He has also been ordered to pay more than $400 in compensation to a female police officer. +August 17th 2018 10 hours Danny Cipriani leaves Jersey Magistrates' Court, after pleading guilty to common assault. Source:AP +ENGLAND rugby star Danny Cipriani was fined £2,000 (AU$2500) on Thursday after pleading guilty to common assault following an incident at a nightclub on the island of Jersey. +The mercurial 30-year-old utility back — who had revived his international career in June with a first start for over a decade against South Africa — also pleaded guilty to resisting arrest during the incident early Wednesday which took place on his club Gloucester's pre-season training camp on the island. +Three other charges were dropped. +A female police officer suffered bruising to her neck in the incident at the Royal Yacht Hotel in St Helier, the court was told. +Cipriani was fined £1,500 (AU$2600) for resisting arrest and £500 (AU$875) for assault. He was also ordered to pay £250 (AU$437) compensation to the police officer. +BLEDISLOE CUP: New look Wallabies front row will deliver +RUGBY CONFIDENTAL: Shute Shield return! White knight rescues Penrith +Danny Cipriani leaves Jersey Magistrates' Court, after pleading guilty to common assault. Source:AP +Cipriani expressed his remorse via his Twitter account beginning with a "heartfelt apology" to Gloucester, teammates and fans, but "most importantly the police". +"They have a tough and vital job and I'm mortified that, earlier, this week, I acted in a way that I hugely regret," he tweeted. +Cipriani took solace in the fact the magistrate termed the fracas as "a minor incident" but conceded he had been wrong to "argue with a bouncer, and pull on his camera tie" and in resisting arrest. +Gloucester chief executive Steve Vaughan said the club was "very disappointed" to be associated with such episodes. +"We will deal with it in a robust but balanced way but based purely on the facts," the club added in a statement posted on their website. +pic.twitter.com/hJ9G87PHY5 +— Danny Cipriani (@DannyCipriani87) August 16, 2018 "The incident in question was over in a matter of seconds and was a reaction to the conduct of other parties involved. +"He knows his responsibilities and is aware of the impact of this type of incident on the club. +"However, Danny is a Gloucester Rugby player and will receive our full support as we focus on the exciting season ahead." Cipriani signed for Gloucester earlier this year after a successful spell with their rivals Wasps which had sparked both a nomination for Premiership player of the season and a surprise recall to the national squad. +Cipriani said he could have moved abroad but wanted to see if he made Eddie Jones's squad for the South Africa tour. +Danny Cipriani started for England for the first time in a decade against South Africa. Source:AP +In June he started for England for the first time in a decade, playing a key role in a magical try that ensured victory over the Springboks and ended a six-match losing streak. +He had been expected to make his first appearance for Gloucester in a pre-season friendly against Ulster on Saturday. +Cipriani's career has been littered with off the field sagas that have damaged his reputation with the powers that be and restricted his international career since making his Test debut against Wales in the 2008 Six Nations tournament. +Just a month later he was dropped for the clash with Scotland after being caught coming out of a nightclub in the early hours in the week leading up to the game. +Danny Cipriani's stint at the Melbourne Rebels was not short of drama. Source:News Limited +Seeking a fresh start away from England two years later he joined the Super Rugby franchise Melbourne Rebels, but again he got on the wrong side of the bosses by breaking a curfew and was given a one-game suspension. +He returned to England for Sale in 2012 but a year later in April 2013 he ended up in hospital after a night out with the team resulted in him being struck by a bus, escaping relatively lightly with concussion and bruising. +More recently he was convicted of drink-driving after he crashed his black Mercedes into a taxi in London in June 2015. +He was ordered to pay a total of £7,620 in fines and costs and banned from driving for 18 months. +Get 3 months free Sport HD + Entertainment on a 12 month plan and watch the 2018 Bledisloe Cup & 2018 -breaks during play. T & Cs apply. SIGN UP NOW > + Rugby star fined, apologises for wild nigh \ No newline at end of file diff --git a/input/test/Test4350.txt b/input/test/Test4350.txt new file mode 100644 index 0000000..3df3823 --- /dev/null +++ b/input/test/Test4350.txt @@ -0,0 +1,9 @@ +Brokerages Set Synchronoss Technologies, Inc. (SNCR) PT at $9.40 Donna Armstrong | Aug 17th, 2018 +Shares of Synchronoss Technologies, Inc. (NASDAQ:SNCR) have been given a consensus recommendation of "Sell" by the seven ratings firms that are covering the firm, Marketbeat.com reports. Five research analysts have rated the stock with a sell rating and two have assigned a hold rating to the company. The average 1 year price target among brokerages that have updated their coverage on the stock in the last year is $9.40. +Several equities research analysts recently issued reports on SNCR shares. Stifel Nicolaus cut shares of Synchronoss Technologies from a "hold" rating to a "sell" rating and dropped their target price for the stock from $8.00 to $3.00 in a report on Monday, July 30th. Zacks Investment Research cut shares of Synchronoss Technologies from a "buy" rating to a "hold" rating in a report on Wednesday, April 25th. Finally, BidaskClub upgraded shares of Synchronoss Technologies from a "sell" rating to a "hold" rating in a report on Thursday, April 19th. Get Synchronoss Technologies alerts: +Shares of SNCR opened at $5.61 on Tuesday. Synchronoss Technologies has a twelve month low of $3.90 and a twelve month high of $17.09. +Synchronoss Technologies (NASDAQ:SNCR) last announced its quarterly earnings results on Monday, July 2nd. The software maker reported ($0.67) earnings per share for the quarter. The company had revenue of $83.71 million for the quarter, compared to the consensus estimate of $107.00 million. analysts forecast that Synchronoss Technologies will post 0.35 earnings per share for the current fiscal year. +In related news, Director William J. Cadogan bought 56,348 shares of the company's stock in a transaction that occurred on Thursday, August 16th. The shares were bought at an average price of $5.17 per share, for a total transaction of $291,319.16. The transaction was disclosed in a document filed with the Securities & Exchange Commission, which is available at this hyperlink . Company insiders own 10.50% of the company's stock. +Hedge funds have recently modified their holdings of the stock. SG Americas Securities LLC purchased a new stake in Synchronoss Technologies in the first quarter worth approximately $119,000. Investors Research Corp purchased a new stake in Synchronoss Technologies in the first quarter worth approximately $127,000. Aperio Group LLC purchased a new stake in Synchronoss Technologies in the first quarter worth approximately $134,000. BNP Paribas Arbitrage SA purchased a new stake in Synchronoss Technologies in the first quarter worth approximately $152,000. Finally, Highbridge Capital Management LLC purchased a new stake in Synchronoss Technologies in the first quarter worth approximately $188,000. Institutional investors own 80.41% of the company's stock. +Synchronoss Technologies Company Profile +Synchronoss Technologies, Inc provides cloud solutions and software-based activation for connected devices worldwide. The company's products and services include cloud-based sync, backup, storage and content engagement capabilities, broadband connectivity solutions, analytics, white label messaging, and identity/access management that enable communications service providers, cable operators/multi-services operators, original equipment manufacturers with embedded connectivity, and multi-channel retailers, as well as other customers to accelerate and monetize value-add services for secure and broadband networks and connected devices. Synchronoss Technologies Synchronoss Technologie \ No newline at end of file diff --git a/input/test/Test4351.txt b/input/test/Test4351.txt new file mode 100644 index 0000000..c26dc2c --- /dev/null +++ b/input/test/Test4351.txt @@ -0,0 +1,23 @@ +by Kelly Geraldine Malone, The Canadian Press Posted Aug 17, 2018 5:00 am ADT Last Updated Aug 17, 2018 at 5:40 am ADT Ian Giles relaxes outside his trailer at the Boler 50th anniversary celebration weekend in Winnipeg on Wednesday, August 15, 2018. Hundreds of Boler trailers, originally invented and manufactured in Winnipeg, from all corners of North America hit the road and made their way to Winnipeg to celebrate the birth of the iconic camper trailer. THE CANADIAN PRESS/John Woods +WINNIPEG – Angela Durand sits outside her camper which is decorated to look just like the yellow submarine in the well-known song by The Beatles. +In a lawn chair beside the blue-and-yellow 1968 camper painted with pictures of John, Paul, George and Ringo — a little yellow propeller attached to the back — Durand strums her ukulele and sings about the community that's developed around the small moulded fibreglass Boler. +"I bought it. Then I did research on the Boler. Then I became addicted to Bolers," she said. "I love it." +Hundreds of the unique trailers have descended on Winnipeg to celebrate the 50th anniversary of the Manitoba invention. +The Boler camper became famous on highways throughout North America as the "egg on wheels," said event organizer Ian Giles. About 10,000 of the ultralight fibreglass trailers were manufactured and sold between 1968 and 1988. +Giles describes it like two bathtubs joined together to form a hollow container. +"What is unique about them is most of them have no wood inside of them at all, so there is nothing to rot. They have no seams, so there is no possibility of leaks," he said. +"They are like a boat — a fibreglass boat — so you can repair them. That is why so many of them are still around today." +Giles said it's not just the way the camper is built that makes it special. It's the community it inspires. +He picked up his Boler, named Buttercup, eight years ago because it fit his and his wife's camping needs. He wanted to make a couple of changes to his camper, but struggled finding fixes online or anywhere in Calgary where he lives. +Giles created a website to share what he'd learned about modifying his Boler and soon enthusiasts from across North America were reaching out with tips or asking questions. It quickly became a large and entertaining online community. A plan hatched to get together. +"When you buy one of these trailers, you are almost joining a sorority," he said. +"We are all very similar. Each of us want to make our trailer our own. We all have phenomenal memories of camping in these units and the friends we made." +All of the 450 campers parked at Red River Exhibition Park for the weekend are either an original Boler or a trailer inspired by the Boler's design. Some still have the original paint job but others have been redesigned with bright colours and flowers. +There's a rumour swirling that No. 3 — the third Boler ever made — is going to arrive. +Giles said he figures it's the largest gathering of moulded fibreglass trailers in history. +J.J. McColm's Boler-Chevy combo unit called 'C' Plus catches the eye of everyone passing by. The Lloydminster, Alta., resident bought the 1975 Boler to travel to car shows with his 1938 Chevy Master Sedan. But soon the little trailer was stealing the limelight. +"The car without the trailer, people walk right by it. With the trailer, they tend to walk right to it." +The Boler's birthday party includes demonstrations from experts, the first 3D-printed trailer and musical acts every night. The camp is open to the public on Saturday. +Bolers have been about creating memories for the last 50 years, Giles said. That's why campers from as far away as Texas, California, Newfoundland, Yukon and Vancouver Island have made the journey for the party. +"When you park in a campground, you have people coming up to you telling you stories about when they were youngsters and a relative or friend had a Boler," he said. +"And they are still making memories today. \ No newline at end of file diff --git a/input/test/Test4352.txt b/input/test/Test4352.txt new file mode 100644 index 0000000..8a56e0f --- /dev/null +++ b/input/test/Test4352.txt @@ -0,0 +1,20 @@ +By Erica E. Phillips +Anyone ordering a new heavy-duty truck this summer will have wait until sometime next year to get it, assuming strained manufacturing supply chains hold together. +An unprecedented run of orders for big rigs has pushed the backlog at truck factories to nine months, according to industry analysts, the largest since early 2006, when truckers stocked up to get vehicles in place before tougher environmental restrictions would take effect. Typically the backlog is about five months for the truck industry's manufacturers, analysts said. +"It is longer than it should be," said Magnus Koeck, vice president of marketing for Volvo AB's North America operation, where Class 8 truck orders this year soared to 25,000 from 11,000 during the first six months of 2017. "Of course we are not alone in this situation," he said. "Everyone is in the same boat." +North American freight-haulers ordered more than 300,000 Class 8 trucks in the first seven months of this year and are on track to order a record 450,000 of the heavy-duty vehicles for the full year, according to ACT Research. That would be the largest book since 2004, when orders reached 390,000, according to analysts. +In July, North American fleets ordered more than 52,000 trucks, an all-time monthly record. +Freight-hauling fleets are trying to keep up with swelling demand in a robust U.S. economy even as they say they face difficulty finding drivers. New trucks are one recruiting tool, and the new vehicles also get better fuel mileage -- an attractive feature for fleets as other costs are rising. +The orders are coming at a rapid pace as more U.S. companies, from construction equipment makers to retailers, say rising transportation costs and tight truck capacity are crimping their ability to grow and slicing into profit margins. Cass Information Systems Inc., which processes freight payments, says its monthly index of U.S. trucking costs rose more than 10% in July, the first double-digit year-over-year increase in the 13 years of the measure. +It may be months before trucking capacity scales up enough to meet the growing shipping demand. Many of the new trucks are aimed at replacing older vehicles, trucking companies say, and production still lags far behind orders. Manufacturers delivered 30,000 new vehicles in June, ACT said, but factories are still catching up after trouble earlier in the year getting the parts they needed to keep up with demand. +"There's basically a shortage of trucks right now because of supply-chain issues," said Don Ake, an analyst with research group FTR. Manufacturers "can't build trucks fast enough because their suppliers can't keep up." +Navistar International Corp., Daimler AG and Volvo, along with engine-maker Cummins Inc., have said they faced supply-chain problems earlier this year as the broader manufacturing sector coped with delays in supplier deliveries to factories. "It doesn't matter if it's one tiny screw or one tiny hose, if it's missing or late, you can't complete the truck," said Volvo's Mr. Koeck. +Any delays at one supplier can ripple across the business, companies say, because companies often build certain parts for several different truck manufacturers. And companies say the low national unemployment rate makes it tougher to fill vacant jobs. +"The challenge was finding the labor, I suppose the next challenge is keeping the labor," said Kenny Vieth, an analyst with ACT. +Manufacturers say their suppliers have hired the necessary staff and now are pushing through parts at a faster pace. Volvo Trucks North America delivered 15,658 vehicles through June, up 71% from its deliveries in the first half of 2017. +"With the strong demand and the corresponding increases in production levels, the entire industry has been faced with supply constraints and pressure on delivery timing," Jeff Allen, senior vice president of operations and specialty vehicles at Daimler Trucks North America, said in an emailed statement. "Recently we have begun seeing these constraints lifting and an overall improvement of the situation." +Still, Mr. Ake said maintaining the high pace of production across all factories will remain a challenge. "The situation is week to week," he said. +Michael Cancelliere, president of Navistar's truck and parts division, says the company has been meeting with customers and with suppliers to make sure they are getting the components they need to keep assembly lines moving. +"The system gets somewhat stressed when you're dealing with the capacity we're dealing with," Mr. Cancelliere said. "That's forced us to get better." +Write to Erica E. Phillips at erica.phillips@wsj.com +(END) 17, 2018 06:14 ET (10:1 \ No newline at end of file diff --git a/input/test/Test4353.txt b/input/test/Test4353.txt new file mode 100644 index 0000000..e54a921 --- /dev/null +++ b/input/test/Test4353.txt @@ -0,0 +1,23 @@ +6:07 AM EDT Aug 17, 2018 Baker who refused to make gay wedding cake sues again over gender transition cake Share 6:07 AM EDT Aug 17, 2018 Associated Press DENVER — +A Colorado baker who refused to make a wedding cake for a gay couple on religious grounds — a stance partially upheld by the U.S. Supreme Court — has sued the state over its opposition to his refusal to bake a cake celebrating a gender transition, his attorneys said Wednesday. +Jack Phillips, owner of the Masterpiece Cakeshop in suburban Denver, claimed that Colorado officials are on a "crusade to crush" him and force him into mediation over the gender transition cake because of his religious beliefs, according to a federal lawsuit filed Tuesday. Advertisement +Phillips is seeking to overturn a Colorado Civil Rights Commission ruling that he discriminated against a transgender person by refusing to make a cake celebrating that person's transition from male to female. +His lawsuit came after the Supreme Court ruled in June that Colorado's Civil Rights Commission displayed anti-religious bias when it sanctioned Phillips for refusing to make a wedding cake in 2012 for Charlie Craig and Dave Mullins, a same-sex couple. +The justices voted 7-2 that the commission violated Phillips' rights under the First Amendment. But the court did not rule on the larger issue of whether businesses can invoke religious objections to refuse service to gays and lesbians. +The Alliance Defending Freedom, a conservative Christian nonprofit law firm, represented Phillips in the case and filed the new lawsuit. +Phillips operates a small, family-run bakery located in a strip mall in the southwest Denver suburb of Lakewood. He told the state civil rights commission that he can make no more than two to five custom cakes per week, depending on time constraints and consumer demand for the cakes that he sells in his store that are not for special orders. +Autumn Scardina, a Denver attorney whose practice includes family, personal injury, insurance and employment law, filed the Colorado complaint — saying that Phillips refused her request for a gender transition cake in 2017. +Scardina said she asked for a cake with a pink interior and a blue exterior and told Phillips it was intended to celebrate her gender transition. She did not state in her complaint whether she asked for the cake to have a message on it. +The commission found on June 28 that Scardina was discriminated against because of her transgender status. It ordered both parties to seek a mediated solution. +Phillips sued in response, citing his belief that "the status of being male or female ... is given by God, is biologically determined, is not determined by perceptions or feelings, and cannot be chosen or changed," according to his lawsuit. +Phillips alleges that Colorado violated his First Amendment right to practice his faith and the 14th Amendment right to equal protection, citing commission rulings upholding other bakers' refusal to make cakes with messages that are offensive to them. +"For over six years now, Colorado has been on a crusade to crush Plaintiff Jack Phillips ... because its officials despise what he believes and how he practices his faith," the lawsuit said. "This lawsuit is necessary to stop Colorado's continuing persecution of Phillips." +Phillips' lawyers also suggested that Scardina may have targeted Phillips several times after he refused her original request. The lawsuit said he received several anonymous requests to make cakes depicting Satan and Satanic symbols and that he believed she made the requests. +Reached by telephone Wednesday, Scardina declined to comment, citing the pending litigation. Her brother, attorney Todd Scardina, is representing her in the case and did not immediately return a phone message seeking comment. +Phillips' lawsuit refers to a website for Scardina's practice, Scardina Law. The site states, in part: "We take great pride in taking on employers who discriminate against lesbian, gay, bisexual and transgender people and serving them their just desserts." +The lawsuit said that Phillips has been harassed, received death threats, and that his small shop was vandalized while the wedding cake case wound its way through the judicial system. +Phillips' suit names as defendants members of the Colorado Civil Rights Division, including division director Aubrey Elenis; Republican state Attorney General Cynthia Coffman; and Democratic Gov. John Hickenlooper. It seeks a reversal of the commission ruling and at least $100,000 in punitive damages from Elenis. +Hickenlooper told reporters he learned about the lawsuit Wednesday and that the state had no vendetta against Phillips. +Rebecca Laurie, a spokeswoman for the civil rights commission, declined comment Wednesday, citing pending litigation. Also declining comment was Coffman spokeswoman Annie Skinner. +The Masterpiece Cakeshop wedding cake case stirred intense debate about the mission and composition of Colorado's civil rights commission during the 2018 legislative session. Its seven members are appointed by the governor. +Lawmakers added a business representative to the commission and, among other things, moved to ensure that no political party has an advantage on the panel \ No newline at end of file diff --git a/input/test/Test4354.txt b/input/test/Test4354.txt new file mode 100644 index 0000000..e06a016 --- /dev/null +++ b/input/test/Test4354.txt @@ -0,0 +1 @@ +To fight against air pollution, Taichung City Government has expanded the equipment from 2 to 6 mobile AQ (air quality) monitors today (10). Now the City is the local government that has the most mobile monitors in Taiwan . Mayor Lin Chia-lung says, to react with the best policy, the Government collects and analyzes pollutant \ No newline at end of file diff --git a/input/test/Test4355.txt b/input/test/Test4355.txt new file mode 100644 index 0000000..81829e2 --- /dev/null +++ b/input/test/Test4355.txt @@ -0,0 +1,12 @@ +By: Alfred Bayle - Content Strategist / @ABayleINQ INQUIRER.net / 06:39 PM August 17, 2018 INQUIRER.net stock photo +Researchers found that sleep deprivation triggered viral loneliness and made affected people less likely to interact with others. +Scientists from the University of California Berkeley (UC Berkeley) conducted experiments on sleep deprivation, which led them to believe losing sleep could kill a person's social life. They published their findings in the journal "Nature Communications" on Aug. 14. +Through their studies, the researchers observed that people who lost sleep tended to feel lonelier and less likely to interact with other people. At the same time, sleep-deprived and lonely individuals appeared less attractive. Well-rested people were even observed "catching" this loneliness vibe, which created a viral effect of spreading loneliness just by seeing one sleep-deprived person. ADVERTISEMENT +It should be noted that the subjects in the experiments did not know that a person they were interacting with was sleep-deprived. Even then, these subjects reacted predictably based on how they perceived the sleep-deprived individual. The researchers also noted that the trend of sleep depravity in modern society coincided with the increased feelings of loneliness and isolation in people. +"We humans are a social species. Yet sleep deprivation can turn us into social lepers," study senior author Matthew Walker, a UC Berkeley professor of psychology and neuroscience, said in a statement. +He added, "The less sleep you get, the less you want to socially interact. In turn, other people perceive you as more socially repulsive, further increasing the grave social-isolation impact of sleep loss." +The research data from magnetic resonance imaging (MRI) scans showed that sleep deprivation tend to blunt parts of the brain that normally encourage people to socially interact. +While losing sleep quickly degraded sociability, Walker's team found that just getting the recommended seven hours of sleep at night showed immediate results the next day. +"Just one night of good sleep makes you feel more outgoing and socially confident, and furthermore, will attract others to you," said Walker. +With these results in mind, it may be good practice to get a good night's rest the night before whenever people have a big day ahead of interacting with a number of individuals. Not only would it help make people look attractive, but the extra rest should also help with stamina. /ra +RELATED STORIES \ No newline at end of file diff --git a/input/test/Test4356.txt b/input/test/Test4356.txt new file mode 100644 index 0000000..67ddebe --- /dev/null +++ b/input/test/Test4356.txt @@ -0,0 +1,6 @@ +Such a fan of Apple! A Melbourne high school kid has been facing criminal charges for hacking into Apple's mainframe downloading 90GB of 'secured files' and access into Apple customer accounts. The Melbourne schoolboy has repeatedly broken into Apple's secure computer system because as his lawyers state that he was a big fan of the company. +Due to some legal reasons, the identity of the student cannot be revealed but as the reports say – the 16-year-old continued hacking for over a year on many occasions. The teen broke into the company's mainframe from his suburban home. +The teenage boy also reportedly accessed customer accounts. It took some time for Apple to detect the breach and when finally it was detected it reported it to the FBI, which launched an investigation. When the source of the intrusions was traced to Australia, the Australian Federal Police (AFP) joined which became an international investigation. FBI reached out to Australian Federal Police (AFP) to track the teenager and finally arrest him and seize his systems. +The teen is quite known for hacking into the hacking community using VPNs and other tools which made him easier to not be traced. But Apple's systems logged the serial numbers to detect and trace the breach. The boy had kept all the downloaded materials in a saved folder named 'hacky hack hack'. +As for detecting the link The Australian Federal Police executed a search warrant on the teen's home last year, "two Apple laptops were seized, a mobile phone and a hard drive were also seized and the IP address matched the intrusions into the organization."- A prosecutor said. +The boy has been reportedly using WhatsApp to send the keys to others. He brought forth his dream of "working for Apple". The case has been put down until the next month due to its complexities \ No newline at end of file diff --git a/input/test/Test4357.txt b/input/test/Test4357.txt new file mode 100644 index 0000000..4ab1cf4 --- /dev/null +++ b/input/test/Test4357.txt @@ -0,0 +1,16 @@ +Politics Of Wildfires: Biggest Battle Is In California's Capital By Marisa Lagos • 17 minutes ago Related Program: Morning Edition King Bass sits and watches the Holy Fire burn from on top of his parents' car as his sister, Princess, rests her head on his shoulder last week in Lake Elsinore, Calif. More than a thousand firefighters battled to keep a raging Southern California forest fire from reaching foothill neighborhoods. Patrick Record / AP +As California's enormous wildfires continue to set records for the second year in a row, state lawmakers are scrambling to close gaps in state law that could help curb future fires, or make the difference between life and death once a blaze breaks out. +While the biggest political battle in Sacramento is focused on utility liability laws , lawmakers are also rushing to change state laws around forest management and emergency alerts before the legislative sessions ends this month. +A special joint legislative committee is examining how to shore up emergency alert systems so people know to evacuate, and how to prevent fires through better forest management. They're among the challenges facing many Western states. +Historically, state Sen. Hannah-Beth Jackson said during a recent interview in her Capitol office, "we have looked at fire as an enemy." +That was a mistake, said Jackson, a Democrat who represents Santa Barbara and Ventura counties, both of which were devastated by the enormous Thomas Fire last December. She's pushing legislation that would expand prescribed burns and other forest management practices on both public and private lands. +"We have been doing less and less to try to clear vegetation, to do controlled burns, so that we can reduce the dead vegetation that we have," she said. "As a result, we have conditions that are seeing fruition with these enormous and out of control fires." +Jackson says after years of inaction, everyone in California is finally at the table --including environmental groups — supporting the measure and engaging in a conversation around forest management. +Jackson also has a bill that would let counties automatically enroll residents in emergency notification systems; it's one of two bills aimed at shoring up gaps around evacuation alerts that were exposed by last years' deadly fires . The other is Senate Bill 833 by North Bay Sen. Mike McGuire; it would seek to expand use of the federally-regulated wireless emergency alert system in California. +Jackson noted that technology has changed and governments must adjust. +"We used to be warned about danger with the church bells and then during the Cold War with Russia we had a CONELRAD alert system ... well we don't have any of those things today," she said. "We rely upon people's cell phones ... fewer and fewer people actually have landlines today. So we've got to adapt and that's what this program will hopefully do." +At the national level, there's also political maneuvering over fires. +Department of Homeland Security Secretary Kirstjen Nielson visited a fire zone in Northern California earlier this month and promised to start providing federal emergency funding earlier. Meanwhile, during her recent tour of a fire area, California's U.S. Sen. Kamala Harris said she is pushing to expand federal funding for both fighting and preventing wildfires. Some of that funding is in a bipartisan bill that is co-sponsored by senators from 10 other states, many of them in the fire-prone West. +"Let's also invest resources in things like deforestation, in getting rid of these dead trees and doing the other kind of work that is necessary to mitigate the harm that that is caused by these fires," Harris said while visiting Lake County. +Dollars are important: The state has blown through its firefighting budget seven of the last 10 years, even as the annual budget has grown five-fold over the same period. This fiscal year started six weeks ago, and California has already spent three-quarters of its firefighting budget for the entire year. +That spending is "a very stark indication of the severity and the scope of these type of catastrophic wildfires," said H.D. Palmer, spokesman for Gov. Jerry Brown's Department of Finance. Copyright 2018 KQED. To see more, visit KQED \ No newline at end of file diff --git a/input/test/Test4358.txt b/input/test/Test4358.txt new file mode 100644 index 0000000..bd6e023 --- /dev/null +++ b/input/test/Test4358.txt @@ -0,0 +1,3 @@ +Ci PHP api of stripe -- 2 +work on api's embedding on php ( 123 reviews ) givaat zeev, Greece Project ID: #17591227 Looking to make some money? project In Progress Set your budget and timeframe Outline your proposal Get paid for your work It's free to sign up and bid on jobs Awarded to: Hello , Yes , I Read carefully your project description. i understand your project requirements , i can do this , i have 10 years of experienced in web development . Skills : codeigniter , php ,javascript ,css,ht More $7 USD / hour Hi, Sure, We can do this. We have 6+ years experince in this field. We have done multiple similar jobs before, check out my profile, https://www.freelancer.com/u/dpbhatt02.html We are in top 10 web designers and devel More $7 USD / hour Hello, I am a skilled JavaScript developer knowing with all the concepts of software engineering. My areas of expertise are:PHP,zend,cakephp,Laravel,Shopify,drupal,joomla and MSSQL. On client side I am very keen wo More $7 USD / hour Hy, I am available to discuss the project and ready to get started. I have a team of highly skilled professionals, which consists of Designers, Web and App Developers. Visit my past work. [login to view URL] More $8 USD / hour Hello ✦Can we do quick chat right now so that we can discuss the project briefly? ✦I am PHP, Laravel and Codeigniter Expert. I've 10+ years of experience in making of psd mockup,Logo designs,Graphic desig More $12 USD / hour Dear I am very interested in it as the reason of having excellent experience in Web site design and development. Relevant Experiences and Skill Web Design, PHP, Wordpress, Shopify, Joomla, Angular js, Node js, Mon More $8 USD / hour Hi, I'm a full-stack developer with more than 10 years of work experience. Expert in BOTH Backend and Front-end Programming, PHP - OOP, MVC, REST API, HTML/CSS/JAVASCRIPT, Codeigniter, Angular Js, Node JS, Wordpr More $8 USD / hour I have gone through your description and I am ready to work with you.I have 60+technical team who have large experience of work. our expertise are.. Front End: HTML5, CSS3, Bootsrap, NodeJs, AngularJs, Javascript, More $5 USD / hour ello Warm Greetings.!!! Yes I am available with complete expertise in PHP/Codeigniter framework and past experience to meet your job requirement and can start right now. I would like to express my interest to More $8 USD / hour Hi , It's great to meet you. I'm Somya Tripathi, co-owner of Arkss Technologies Private Limited. We develop: kickass, cutting-edge software for web applications, mobile apps, Blockchain, Cryptocurrency, Tra More $5 USD / hour Hello ✦Can we do quick chat right now so that we can discuss the project briefly? ✦I am PHP, Laravel and Codeigniter Expert. I've 10+ years of experience in making of psd mockup,Logo designs,Graphic desig More $8 USD / hour HELLO SIR, I HAVE GONE THROUGH YOUR REQUIREMENT AND I AM SURE I CAN COMPLETE YOUR PROJECT . I AM A CI, PHP DEVELOPER AND I HAVE MORE THAN 8 YEARS EXPERIENCE IN HTML, Javascript, MySQL, PHP, Software Architecture, More $3 USD / hour jafarali14 Hi greetings, I have already integrate stripe in CI. i can show my work. Thank you for going through my proposal for your Job titled I have gone through your job posting. I am an Expert PHP Developer with extensiv More $5 USD / hour Hello How are you? I am a expert of CI framework Also have full experience in strip payment Please share me more details about your job As I am a individual developer, I can start now Thanks! $8 USD / hour Hi, Hope you doing well. I read your CI project description and very confident to handle this project perfectly Let's have a discussion, negotiate costing, timeline and then we proceed Thanks! $4 USD / hour Dear Sir I am API EXPERT few mins back i did with PAYPAL INTEGRATION for my UK client I can do the same for in CI for STRIPE too Please check this [login to view URL] Please initiate More $5 USD / hour Hello sir. I have reviewed your job posting carefully and came to the conclusion that I could help you. Actually as an experienced WEB developer for 10+ years, I have so many experiences in building/revamping w More $8 USD / hour Looking to make some money? project In Progress Set your budget and timeframe Outline your proposal Get paid for your work It's free to sign up and bid on jobs Need to hire a freelancer for a job? It's free to sign up, type in what you need & receive free quotes in seconds Enter your project description here Post a Project Freelancer ® is a registered Trademark of Freelancer Technology Pty Limited (ACN 142 189 759) Copyright © 2018 Freelancer Technology Pty Limited (ACN 142 189 759) × Welcome ! Link to existing Freelancer account +The email address is already associated with a Freelancer account. Enter your password below to link accounts: Username \ No newline at end of file diff --git a/input/test/Test4359.txt b/input/test/Test4359.txt new file mode 100644 index 0000000..a1be042 --- /dev/null +++ b/input/test/Test4359.txt @@ -0,0 +1,7 @@ +How often do you think about dying? Menu Anna Slater @AnnaELGuardian Head of News Millions are uncomfortable talking about death People often only start to consider their mortality after the death of a family member, a medical diagnosis or when they reach a milestone age, according to a new study. +Research by the Co-op suggests millions of people are uncomfortable talking about death. +More than 30,000 responded to the survey, with half saying the loss of a close relative or friend is their first recollection of death. +The death of a family member was the main reason for considering mortality, followed by reaching a milestone age, medical diagnosis and news reports of death. +The Co-op suggested asking someone if they are okay, offering to help, or giving them time off work are most helpful during a bereavement, rather than avoiding the subject. +Robert MacLachlan, managing director of Co-op Funeralcare and Life Planning, said: "We see increasingly that a failure to properly deal with death has a knock-on impact for the bereaved, affecting mental health and also triggering financial hardship. +"We're committed to doing right by our clients and more needs to be done nationally to tackle this. \ No newline at end of file diff --git a/input/test/Test436.txt b/input/test/Test436.txt new file mode 100644 index 0000000..2c3f780 --- /dev/null +++ b/input/test/Test436.txt @@ -0,0 +1,2 @@ +Convergia Selects FatPipe Networks as SD-WAN Partner PTI August 17, 2018 12:22 IST +(Disclaimer: The following press release comes to you under an arrangement with PRNewswire. PTI takes no editorial responsibility for the same).New Alliance will jointly target SD-WAN Pan-American Market MONTREAL and CHENNAI, India, Aug. 17, 2018 /PRNewswire/ -- Convergia, a Pan-American telecom company, and FatPipe® Networks, the inventor of software-defined networks for wide area connectivity and hybrid WANs, announced a new alliance to jointly target the SD-WAN Market in the Americas. After more than six months of intense research and meticulous evaluation, Convergia has selected FatPipe as their primary provider of SD-WAN solutions. As a result, Convergia entered into an agreement with FatPipe, that will allow Convergia to deliver top-of-the-line SD-WAN solutions worldwide. "After much research, we decided for FatPipe because they have been doing SD-WAN even before the term was even coined, and their products are not only mature but also battle-tested. On top of that, they have a unique combination of features that allow [Convergia] to deliver high-quality solutions to both new and our existing clients," said Dante Passalacqua, Director of US Operations for Convergia. He also added, "FatPipe's ability to constantly select the best path and to recover from link failures in sub-second time, without traffic duplication, was key in our decision as we have a large base of voice and UCaaS clients that will immediately benefit from having a mechanism in place that will preserve their voice calls, application sessions and video conferences, even when there is a link outage." Ragula Bhaskar, CEO of FatPipe Networks, commented that partnering with Convergia was a natural decision: "The combination of FatPipe products with the expertise and long-standing presence of Convergia in the market is a perfect match," he said. "The quality of technical expertise and support that the clients can expect from Convergia, in multiple countries, with local teams that understand the market and speak the language will significantly boost FatPipe's presence in all of the Americas," he added. About Convergia Convergia© is a multinational telecom company with more than 20 years on the market and local presence in several countries in North and Latin America. Its portfolio of solutions includes a wide range of Telecom and IT services, including voice, data, Internet, IoT, Cloud, and SD-WAN services for business and wholesale clients. Convergia delivers high-quality services at the best value by leveraging one of the largest privately held global end-to-end telecom networks in the world, which enables it to provide voice and data telecommunication services with local presence in ten countries in the Americas. Convergia is Pan-American corporation that it is part of a seven-billion-dollar group of companies with over 6,000 employees located in over 50 countries. For more information, visit www.convergia.com. Follow us on Twitter @ConvergiaUSA. About FatPipe Networks, Ltd. FatPipe® Networks invented the concept of software-defined wide area networking (SD-WAN) and hybrid WANs that eliminate the need for hardware and software, or cooperation from ISPs and allows companies and service providers to control multi-link network traffic. FatPipe currently has 11 U.S. patents and more than 180 technology claims related to multipath, software-defined networking and selective encryption of broadband networks. FatPipe technology provides the world's best intra-corporate wide area network solutions that transcend Internet and other network failures to maintain business continuity and high transmission security. FatPipe, with several thousand customers, has headquarters in Chennai, India, and the United States with offices around the world, with resellers worldwide including almost all national resellers in the US. For more information, visit www.FatPipe.com. Follow us on Twitter @FatPipe Inc.Contacts \ No newline at end of file diff --git a/input/test/Test4360.txt b/input/test/Test4360.txt new file mode 100644 index 0000000..214324f --- /dev/null +++ b/input/test/Test4360.txt @@ -0,0 +1,9 @@ +Sociedad Quimica y Minera de Chile (SQM) Receives $59.40 Average PT from Analysts Donna Armstrong | Aug 17th, 2018 +Sociedad Quimica y Minera de Chile (NYSE:SQM) has been given a consensus recommendation of "Hold" by the thirteen analysts that are covering the company, MarketBeat Ratings reports. Two investment analysts have rated the stock with a sell recommendation, five have assigned a hold recommendation, five have issued a buy recommendation and one has issued a strong buy recommendation on the company. The average twelve-month target price among analysts that have issued ratings on the stock in the last year is $59.40. +Several equities research analysts recently issued reports on SQM shares. ValuEngine upgraded shares of Sociedad Quimica y Minera de Chile from a "buy" rating to a "strong-buy" rating in a research report on Thursday, April 26th. Zacks Investment Research upgraded shares of Sociedad Quimica y Minera de Chile from a "sell" rating to a "hold" rating in a research report on Wednesday, May 23rd. Finally, UBS Group upgraded shares of Sociedad Quimica y Minera de Chile from an "underperform" rating to a "market perform" rating in a research report on Thursday, May 24th. Get Sociedad Quimica y Minera de Chile alerts: +Institutional investors and hedge funds have recently made changes to their positions in the business. Financial Gravity Wealth Inc. acquired a new stake in shares of Sociedad Quimica y Minera de Chile during the first quarter valued at about $104,000. US Bancorp DE increased its position in shares of Sociedad Quimica y Minera de Chile by 72.4% during the first quarter. US Bancorp DE now owns 2,284 shares of the basic materials company's stock valued at $112,000 after acquiring an additional 959 shares during the last quarter. IFP Advisors Inc increased its position in shares of Sociedad Quimica y Minera de Chile by 2,518.4% during the first quarter. IFP Advisors Inc now owns 2,566 shares of the basic materials company's stock valued at $126,000 after acquiring an additional 2,468 shares during the last quarter. Zurich Insurance Group Ltd FI acquired a new stake in shares of Sociedad Quimica y Minera de Chile during the second quarter valued at about $130,000. Finally, Caisse DE Depot ET Placement DU Quebec acquired a new stake in shares of Sociedad Quimica y Minera de Chile during the second quarter valued at about $202,000. Institutional investors and hedge funds own 10.25% of the company's stock. +Sociedad Quimica y Minera de Chile stock opened at $44.63 on Tuesday. Sociedad Quimica y Minera de Chile has a 12-month low of $42.45 and a 12-month high of $64.20. The stock has a market cap of $12.32 billion, a P/E ratio of 27.38 and a beta of 1.27. The company has a quick ratio of 2.02, a current ratio of 3.22 and a debt-to-equity ratio of 0.46. +Sociedad Quimica y Minera de Chile (NYSE:SQM) last released its quarterly earnings data on Thursday, May 24th. The basic materials company reported $0.43 earnings per share (EPS) for the quarter, missing the Thomson Reuters' consensus estimate of $0.44 by ($0.01). Sociedad Quimica y Minera de Chile had a return on equity of 19.48% and a net margin of 20.32%. The firm had revenue of $518.70 million for the quarter, compared to analyst estimates of $522.50 million. equities research analysts predict that Sociedad Quimica y Minera de Chile will post 1.75 earnings per share for the current year. +About Sociedad Quimica y Minera de Chile +Sociedad Química y Minera de Chile SA produces and distributes specialty plant nutrients, iodine and its derivatives, lithium and its derivatives, industrial chemicals, potassium, and other products and services. The company offers specialty plant nutrients, including potassium nitrate, sodium nitrate, sodium potassium nitrate, specialty mixes, and other specialty fertilizers for crops, such as vegetables, fruits, and flowers under the Ultrasol, Qrop, Speedfol, and Allganic brands. +Featured Story: What are Closed-End Mutual Funds? Sociedad Quimica y Minera de Chile Sociedad Quimica y Minera de Chil \ No newline at end of file diff --git a/input/test/Test4361.txt b/input/test/Test4361.txt new file mode 100644 index 0000000..9954223 --- /dev/null +++ b/input/test/Test4361.txt @@ -0,0 +1,13 @@ +Study Finds Adults May Use Facebook to Fulfil Attachment Needs Friday, 10 August 2018 +NUI Galway study finds difficulties in forming secure attachments with others may be linked to problematic Facebook use in adults +A study carried out by researchers from the School of Psychology at NUI Galway have found that adults whose close relationships are characterised by high levels of insecurity may use Facebook in problematic ways in an attempt to fulfil their attachment needs, especially if they have low self-esteem or when they experience high levels of psychological distress such as anxiety, stress, or depression, according to a study published today (10 August 2018) in the journal, BMC Psychology . +To be able to investigate possible associations between problematic Facebook use and difficulties with forming personal attachments, the authors asked over 700 adult Facebook users to complete a series of online questionnaires, which measured depression, self-esteem, attachment avoidance and attachment anxiety along with aspects of the respondents' specific Facebook use. +The researchers investigated possible links between attachment avoidance (avoiding intimacy and closeness in personal relationships); attachment anxiety (fearing rejection and being overly dependent in personal relationships); and problematic patterns of Facebook use (Facebook use that has been previously linked to low mood and low self-esteem), such as compulsively looking at others' photos, over-sharing personal information and impression management (using photo filters to present a positive self-image). +The study found that those people with high levels of attachment anxiety were more likely to engage in social comparison and impression management on Facebook, and were more likely to disclose personal information on Facebook when in a heightened emotional state. In addition to this, these individuals were more likely to use the site intrusively, such that it impacted upon their sleep, work/study, and social relationships. The researchers also found that those people with high levels of attachment avoidance were more likely to engage in impression management on Facebook, and had a greater tendency to use the site intrusively, to the detriment of their offline social relationships. +Dr Sally Flynn, lead author of the study carried out at NUI Galway, said: "Our study is the first to apply attachment theory to better understand why people might engage with Facebook in problematic ways. Our findings suggest that Facebook may be used by some to fulfil fundamental attachment needs, especially for those with low self-esteem, who are experiencing psychological distress." +The authors suggest that in individuals with high levels of attachment avoidance, impression management may allow them to keep connected to others, by creating a positive image of themselves, while concealing aspects of themselves which they fear may not be acceptable to others. In those with high levels of attachment anxiety, a desire for closeness and intimacy may conflict with a fear of rejection. The creation of an online identity that is likely to be accepted and liked by others, for example in the form of comments or 'likes'– may be one strategy aimed at alleviating these concerns. +However, screen-based mediums may not be able to truly satisfy an individual's fundamental attachment needs; while those high in attachment insecurity may derive some comfort and relief from using Facebook in these ways, these benefits may be short-lived. According to the authors it may be important for mental health professionals to take their clients' social media habits into consideration, when working therapeutically with them. +Dr Sally Flynn, explained: "Professionals involved in providing psychological and psychotherapeutic support may need to consider that for some users, specific patterns of Facebook use may be maintaining or even exacerbating negative psychological outcomes, such as low mood and depression. For example, a person who disclosed their personal problems on Facebook when in a heightened emotional state may feel even worse if they are disappointed by the quantity and quality of the feedback that they receive from their online peers. With this knowledge, clinicians may explore patterns of Facebook use with clients, which may be helpful in providing appropriate support and adapting therapeutic interventions." +Dr Kiran Sarma, a Senior Lecturer in the School of Psychology at NUI Galway who co-authored the paper, said: "It is important to stress that the research does not suggest that there is something damaging about Facebook or other social media services, but rather, some people network online in ways that could be considered maladaptive, increasing distress and vulnerability." He also cautioned that while the findings resonate with a growing body of scientific evidence on problematic internet use, further research is needed in this important area. +To read the full study in BMC Psychology , visit: https://bmcpsychology.biomedcentral.com/articles/10.1186/s40359-018-0245-0 +-Ends \ No newline at end of file diff --git a/input/test/Test4362.txt b/input/test/Test4362.txt new file mode 100644 index 0000000..f2ae9e5 --- /dev/null +++ b/input/test/Test4362.txt @@ -0,0 +1,11 @@ +$1.35 Bet Now $3.20 +Houli and Saad are both practicing Muslims and have come together with the support of their respective clubs. +In a statement released on Thursday, Essendon said the club was "standing in solidarity" with the community "in light of" Anning's divisive comments. +The Bombers and the Tigers are proud to celebrate diversity in football and the broader Australian community and wish to emphasise this on the big stage in light of recent comments made in Federal Parliament. I absolutely love what is happening at the coin toss tonight. Says so much about the unity of this country and standing up for what is right. #AFLTigersDons — Mason Cox (@masonsixtencox) August 17, 2018 +Essendon is proud to provide a safe, inclusive environment for people from all walks of life and looks forward to standing in solidarity through two of the league's greatest role models. +The Tigers also expressed their support for Houli and Saad. +"Both Richmond and Essendon celebrate and embrace diversity in our great game, through our players, staff, partners, members and supporters, and by extension, we celebrate the diversity of our country," the Tigers said in a statement on Thursday night. +Get 3 months free Sport HD + Entertainment on a 12 month plan and watch every match of every round of the 2018 Toyota AFL Premiership Season. T&Cs apply. SIGN UP NOW > Bachar Houli and Adam Saad at the coin toss, alongside Jack Riewoldt and Dyson Heppell. Source: FOX SPORTS +"(On Friday) both clubs will take the opportunity presented by the AFL's Friday night centre stage to stand alongside these young men and their community, and remind everyone that our great game and our country values people of all cultures and communities." +Anning's speech — which contained racist sentiments, and a number of factually incorrect statements on immigration and Muslims — called for a plebiscite on eliminating immigration for all Muslims and non-English-speaking people, while it also referenced a 'final solution.' +It has been condemned across Australia's political parties and by the general public as racist, divisive and inaccurate. View All Comment \ No newline at end of file diff --git a/input/test/Test4363.txt b/input/test/Test4363.txt new file mode 100644 index 0000000..3dce5e3 --- /dev/null +++ b/input/test/Test4363.txt @@ -0,0 +1,8 @@ + John. R. Edwardson on Aug 17th, 2018 // No Comments +Halcon Resources Corp (NYSE:HK) Director Ares Management Llc sold 350,000 shares of the firm's stock in a transaction that occurred on Monday, August 13th. The stock was sold at an average price of $3.90, for a total transaction of $1,365,000.00. Following the completion of the sale, the director now owns 86,857 shares in the company, valued at approximately $338,742.30. The sale was disclosed in a document filed with the Securities & Exchange Commission, which is available at this hyperlink . +Ares Management Llc also recently made the following trade(s): Get Halcon Resources alerts: On Wednesday, August 15th, Ares Management Llc sold 986,276 shares of Halcon Resources stock. The stock was sold at an average price of $3.82, for a total transaction of $3,767,574.32. +Shares of HK stock opened at $3.85 on Friday. Halcon Resources Corp has a 12-month low of $3.56 and a 12-month high of $9.07. The company has a debt-to-equity ratio of 0.55, a quick ratio of 0.87 and a current ratio of 0.87. The company has a market capitalization of $650.65 million, a P/E ratio of -25.67 and a beta of 4.12. Halcon Resources (NYSE:HK) last issued its quarterly earnings results on Wednesday, August 1st. The energy company reported $0.15 earnings per share for the quarter, topping the Thomson Reuters' consensus estimate of ($0.03) by $0.18. The business had revenue of $55.40 million for the quarter, compared to analysts' expectations of $56.07 million. Halcon Resources had a net margin of 135.43% and a negative return on equity of 1.03%. The business's quarterly revenue was down 53.9% compared to the same quarter last year. equities analysts predict that Halcon Resources Corp will post -0.03 EPS for the current year. +Several brokerages recently issued reports on HK. Imperial Capital dropped their target price on shares of Halcon Resources from $7.00 to $5.00 and set an "outperform" rating on the stock in a report on Friday, August 3rd. Stephens set a $10.00 target price on shares of Halcon Resources and gave the stock a "buy" rating in a report on Tuesday, April 24th. JPMorgan Chase & Co. began coverage on shares of Halcon Resources in a report on Wednesday, July 25th. They issued a "neutral" rating and a $6.00 target price on the stock. ValuEngine upgraded shares of Halcon Resources from a "sell" rating to a "hold" rating in a report on Monday, June 4th. Finally, Zacks Investment Research cut shares of Halcon Resources from a "hold" rating to a "strong sell" rating in a report on Wednesday, July 11th. Five research analysts have rated the stock with a hold rating and five have assigned a buy rating to the company's stock. Halcon Resources has a consensus rating of "Buy" and an average price target of $8.00. +Institutional investors have recently modified their holdings of the company. AMP Capital Investors Ltd purchased a new position in shares of Halcon Resources during the 2nd quarter worth $101,000. Laurion Capital Management LP purchased a new position in shares of Halcon Resources during the 2nd quarter worth $107,000. Point72 Asia Hong Kong Ltd purchased a new position in shares of Halcon Resources during the 1st quarter worth $114,000. Jane Street Group LLC purchased a new position in shares of Halcon Resources during the 4th quarter worth $138,000. Finally, SG Americas Securities LLC purchased a new position in shares of Halcon Resources during the 1st quarter worth $148,000. Institutional investors and hedge funds own 93.31% of the company's stock. +About Halcon Resources +Halcón Resources Corporation, an independent energy company, engages in the acquisition, production, exploration, and development of onshore oil and natural gas assets in the United States. As of February 28, 2018, the company held interests in 21,679 net acres in the Monument Draw area of the Delaware Basin, located in Pecos and Reeves Counties, Texas; and 27,035 net acres in the Hackberry Draw area of the Delaware Basin, located in Pecos and Reeves Counties, Texas \ No newline at end of file diff --git a/input/test/Test4364.txt b/input/test/Test4364.txt new file mode 100644 index 0000000..e8ccf39 --- /dev/null +++ b/input/test/Test4364.txt @@ -0,0 +1,5 @@ +130 labourers from Odisha stranded in flood-hit Kerala By tweet +Bhubaneswar: As many as 130 labourers from Odisha have been stranded in flood-hit Ernakulam district of Kerala. +The workers, 60 of which hail from Puri, 30 from Cuttack and 40 from Phulbani, were working at a company in Ernakulam. They are reportedly stuck inside a house near a hill in Odkali due to flood. +Lack of food and water in the house has worsened the situation for them. Before their mobile phones ran out of batteries, they telephoned their family members and informed about the situation. +In a video sent by the victims, they have requested the Odisha government to make arrangements for rescuing them \ No newline at end of file diff --git a/input/test/Test4365.txt b/input/test/Test4365.txt new file mode 100644 index 0000000..49b7cdf --- /dev/null +++ b/input/test/Test4365.txt @@ -0,0 +1,30 @@ +PDF +IMPORTANT INFORMATION: +1 of ADB staff, except spouses of international staff, are not eligible for recruitment and appointment to staff positions. Applicants are expected to disclose if they have any relative/s by consanguinity/blood, by adoption and/or by affinity/marriage presently employed in ADB. 1 Close relatives refer to spouse, children, mother, father, brother and sister, niece, nephew, aunt and uncle +Staff on probation are not eligible to apply. Applicants for promotion must have served at their position for at least one year and must have normally served at their personal level for at least two years immediately preceding the date of the vacancy closing date. Applicants for lateral transfer must have served at their position and personal level for at least one year immediately preceding the date of the vacancy closing date (reference A.O. 2.03, paragraphs 5.8 and 5.9). +Overview +Asian Development Bank (ADB) is an international development finance institution headquartered in Manila, Philippines and is composed of 67 members, 48 of which are from the Asia and Pacific region. ADB's mission is to reduce poverty and promote sustainable economic growth in the region. ADB's main instruments for helping its developing member countries are policy dialogue, loans, equity investments, guarantees, grants, and technical assistance. +The position is assigned in the Accounting Division within the Controller's Department. The Accounting Division prepares financial reports; maintains the accounting policy, Management assertion and external auditor's attestation over internal controls for financial reporting; administers the financial management accounting system for Resident Missions; builds the financial management capacity of the DMCs through loan accounting seminars and reviews of resident missions; maintains loan accounting and assures loan services. +To view ADB Organizational Chart, please click here . +Job Purpose +The Financial Control Analyst coordinates, facilitates and maintains sound accounting/internal controls over financial reporting; prepares sovereign financial statements and other reports; and supports in the development of accounting policies and procedures to ensure financial statements and accounting related analysis and reports are prepared effectively and efficiently. The incumbent will report to Designated International staff and to Senior National staff. +Responsibilities +Financial Statements/Reports +Reviews and analyzes financial data, transactions and reports for accuracy, consistency and contributes in the preparation of financial statements and other reports in accordance with US generally accepted accounting principles (US GAAP). +Assists in maintaining books of accounts for loan, equity investments, guarantees, and treasury products to ensures that accounting records/reports are in accordance with US GAAP including performing various financial analysis to monitor and report on the financial position of the ADB's resources and in preparing of reports and status updates to Management and the Audit Committee of the Board. +System Requirements +Reviews, analyses and identifies information technology requirements for effective and efficient operations; ensures accuracy and reliability of systems; proposes changes and revisions to existing systems and coordinates the needs of the work area with OIST through the coordinating specialist in charge. +Accounting Controls and Processing +Establishes and maintains appropriate and adequate internal controls and procedures in preparing financial reports and analysis in compliance with applicable accounting policies and guidelines to ensure appropriate accounting treatments are applied. +Prepares and verifies reconciliation reports of accounts including initial investigation of discrepancies for review by supervising staff. +Provides support in maintaining, monitoring, and assessing sound internal controls over financial reporting including documenting, and monitoring business process including reviewing and developing accounting policies and positions in response to new developments in ADB and accounting standards. +Participates in procedural and organizational review, the formulation of the Section's goals and objectives and the related plans and programs. +Provides technical and procedural guidelines to other subordinate administrative staff. +Coordinates and provides required information to clients in accordance with established procedures in a tactful manner. +Performs other tasks as assigned and reflected in the incumbent's workplan. Qualifications +Relevant Experience & Requirements Bachelor's degree in business administration, major in Accounting; Certified Public Accountant. At least 5 years experience in auditing or accounting with some supervisory role, preferably in a highly computerized environment. Good understanding of loans, treasury investments, borrowings, equity investments, and guarantees in a multilateral financial institution. Excellent written and verbal communication skills in English is required. Good interpersonal skills, demonstrating ability to work cohesively with peers and clients and provide guidance and feedback to subordinates. Proficient with Microsoft Office applications, particularly MS Word and MS Excel, and accounting related software, such as Oracle ERP. Good understanding of accounting policies, practices, systems, procedures, guidelines and reporting requirements prevalent in to multinational organizations or multilateral institution. Analytical and systematic, with strong numerical skills and attention to details. Ability to plan and coordinate schedules and requirements to meet deadlines. Please refer to the link for ADB Competency Framework for Administrative Staff +General Considerations +The selected candidate is appointed for an initial term of 3 years. +ADB offers competitive remuneration and a comprehensive benefits package . Actual appointment salary will be based on ADB's standards and computation, taking into account the selected individual's qualifications and experience. +ADB only hires nationals of its 67 members . +ADB seeks to ensure that everyone is treated with respect and given equal opportunities to work in an inclusive environment. ADB encourages all qualified candidates who are nationals of ADB member countries to apply regardless of their racial, ethnic, religious and cultural background, gender, sexual orientation or disabilities. Women are highly encouraged to apply \ No newline at end of file diff --git a/input/test/Test4366.txt b/input/test/Test4366.txt new file mode 100644 index 0000000..f6d968a --- /dev/null +++ b/input/test/Test4366.txt @@ -0,0 +1,7 @@ + John. R. Edwardson on Aug 17th, 2018 // No Comments +DexCom, Inc. (NASDAQ:DXCM) VP Patrick Michael Murphy sold 12,500 shares of DexCom stock in a transaction on Friday, August 10th. The shares were sold at an average price of $124.18, for a total value of $1,552,250.00. The sale was disclosed in a filing with the Securities & Exchange Commission, which is available at the SEC website . +NASDAQ DXCM opened at $128.31 on Friday. The stock has a market capitalization of $10.90 billion, a P/E ratio of -221.22 and a beta of 0.05. The company has a quick ratio of 4.62, a current ratio of 4.89 and a debt-to-equity ratio of 0.69. DexCom, Inc. has a 12 month low of $42.62 and a 12 month high of $129.09. Get DexCom alerts: +DexCom (NASDAQ:DXCM) last released its quarterly earnings data on Wednesday, August 1st. The medical device company reported ($0.10) EPS for the quarter, beating analysts' consensus estimates of ($0.18) by $0.08. The business had revenue of $242.50 million during the quarter, compared to the consensus estimate of $205.81 million. DexCom had a negative return on equity of 7.45% and a negative net margin of 0.65%. The firm's revenue was up 42.1% on a year-over-year basis. During the same quarter in the prior year, the company posted ($0.16) earnings per share. equities research analysts predict that DexCom, Inc. will post -0.48 EPS for the current year. Hedge funds and other institutional investors have recently added to or reduced their stakes in the stock. Signaturefd LLC bought a new stake in DexCom in the first quarter valued at about $105,000. Cerebellum GP LLC bought a new stake in DexCom in the second quarter valued at about $171,000. SG Americas Securities LLC bought a new stake in DexCom in the first quarter valued at about $175,000. Clinton Group Inc. acquired a new position in DexCom in the second quarter valued at about $201,000. Finally, Bank Pictet & Cie Asia Ltd. acquired a new position in DexCom in the second quarter valued at about $218,000. +DXCM has been the subject of several research analyst reports. Canaccord Genuity lifted their price objective on DexCom from $85.00 to $105.00 and gave the company a "buy" rating in a research report on Thursday, June 28th. ValuEngine upgraded DexCom from a "hold" rating to a "buy" rating in a research report on Thursday, May 3rd. Bank of America started coverage on DexCom in a research report on Friday, May 11th. They set a "buy" rating and a $100.00 target price for the company. BidaskClub downgraded DexCom from a "strong-buy" rating to a "buy" rating in a research report on Tuesday, July 31st. Finally, Oppenheimer set a $125.00 target price on DexCom and gave the stock a "buy" rating in a research report on Thursday, August 2nd. Two research analysts have rated the stock with a sell rating, six have assigned a hold rating, sixteen have given a buy rating and one has assigned a strong buy rating to the stock. The company currently has an average rating of "Buy" and an average target price of $103.19. +About DexCom +DexCom, Inc, a medical device company, focuses on the design, development, and commercialization of continuous glucose monitoring (CGM) systems in the United States and internationally. The company offers its systems for ambulatory use by people with diabetes; and for use by healthcare providers. Its products include DexCom G5 mobile continuous glucose monitoring system to communicate directly to patient's mobile device; DexCom G4 PLATINUM system for continuous use by adults with diabetes; and DexCom Share, a remote monitoring system \ No newline at end of file diff --git a/input/test/Test4367.txt b/input/test/Test4367.txt new file mode 100644 index 0000000..92cb184 --- /dev/null +++ b/input/test/Test4367.txt @@ -0,0 +1,28 @@ +Plano city council member Tom Harrison had plenty of support in his successful court fight to stop a recall referendum on him. +But the identities of nearly all his benefactors remain shrouded in mystery. +The Tom Harrison Legal Expense Trust collected more than $12,000 with 104 donations that ranged between $15 and $1,000. And all but three of the donations on the GoFundMe website are listed as anonymous. +That financial support has raised the question of whether Harrison's donors should be disclosed — either as gifts or campaign donations — under the state law that governs elected officials and is meant to shed light on political influence. +Plano City Council member Tom Harrison defends his post on social media during a hearing on Monday, April 23, 2018 at Plano City Hall. (Ashley Landis/Staff Photographer) The state's top lawyer faced a similar quandary, but has disclosed the donors to his legal defense. +Harrison hasn't. His most recent campaign finance report, which covers Jan. 1 through July 15, listed no political contributions or expenditures. +Sandy Dixon, one of Harrison's supporters tapped to explain the reasoning on his behalf, said the trust received legal advice that the donations don't need to be reported on any campaign-finance filing. +"These were fees that were raised for a private, personal matter of Tom Harrison," said Dixon, who noted that the money was kept separate from Harrison's officeholder account. "These funds that were raised were to assist him with legal fees not related to his position in office." +But the funds were meant to help save Harrison from being booted out of office before his term expired next May. +A petition, which started after Harrison shared an anti-Islam Facebook post, had set the stage for Plano's first recall election on Nov. 6. Now, the election will be canceled after a district judge found this week that the city used a flawed version of its charter to determine the number of signatures needed to trigger the recall. +Harrison issued a statement after Tuesday's ruling, thanking his supporters and "my attorneys for the time and effort spent defending me." +Politics of growth and change in Plano Charles Sartain, an attorney who specializes in election law, believes the donated funds should be reported as officeholder contributions on a campaign-finance report. +"The council member's suit directly affects his ability to remain in office and thus, certainly appears to be an activity in connection with his office," said Sartain, a partner with the Dallas firm Gray Reed & McGraw. +Dixon's husband, Matt, oversees the trust, which was set up April 5 — the day after the city of Plano received more than 4,400 petition signatures from residents seeking to recall Harrison. Matt Dixon said the money went directly from the fundraising website to the San Antonio area law firm that represented Harrison. The councilman never had access to the funds, Dixon said. +The recall is off: Plano council member spared election after judge finds city operated under wrong charter The legal battle was costly for both sides. Through last week, the city has been billed $25,175 by attorney Andy Taylor, who specializes in election law. He has represented Plano since late June when Harrison's attorneys sought emergency relief over the recall petition from the Fifth District Court of Appeals in Dallas. +And Plano taxpayers will also be on the hook for the $300-an-hour fee that Harrison's attorneys earned in connection with the district court hearing on Tuesday. The judge awarded them $3,000 in attorneys' fees. Attorney Art Martinez de Vara said Harrison's legal team had already used up all the money from the trust related to the filing in appellate court. +Advisory opinion cited Campaign finance rules are the jurisdiction of the Texas Ethics Commission. But the commission needs a sworn complaint before a review can start, according to executive director Seana Willing. +She said the commission can't disclose whether it has received any complaints. The outcome of those complaints is also often confidential, she said. +Supporters of Plano City Council member Tom Harrison hold up signs during a specially called public meeting on Feb. 18 at the Plano Municipal Center to discuss Harrison's anti-Islam social media post. (Tom Fox/Staff Photographer) A 1997 ethics commission advisory opinion found that contributions to a legal defense fund would be considered a political contribution only if the expenses were incurred "in performing a duty or engaging in an activity in connection with the office." +Sandy Dixon said the opinion is justification for Harrison declining to report the funds from the legal trust. She said the funds were not in connection with the councilman's duties in office. +The 1997 opinion goes on to state that even if contributions to a legal defense fund are for personal use, they are considered a benefit under state law. Benefits are also known as gifts. Elected officials are required to report gifts on their personal financial statements unless they fall under certain exceptions. +Dixon said the legal trust wasn't a gift to a public official and was "established for him personally by his friends, family, people that know him that don't think that he should be recalled." +Texas Attorney General Ken Paxton raised a half-million dollars to fight indictments At least one elected official has reached a different interpretation. Texas Attorney General Ken Paxton, who was indicted in Collin County in 2015 on fraud charges unrelated to his office, has reported collecting more than $500,000 for his legal defense from family friends. His drawn-out legal battle still has no trial date. +His personal financial statements filed with the Texas Ethics Commission list the donors, their addresses and the amount given. They also include a note identifying the funds as a "gift for legal defense from family friend who meets the independent relationship exception." +Plano resident Sumesh Chopra, who has taken an interest in city issues and signed the recall petition, believes Harrison should be held to the same reporting standard with his Legal Expense Trust. +"Without this money, Tom Harrison wouldn't have been able to fight the recall," he said. +And Chopra doesn't understand why the names need to be kept private anyway. +"I don't think it's a big deal to report who your donors are. Everyone does it," Chopra said. "He should be open and honest about it. \ No newline at end of file diff --git a/input/test/Test4368.txt b/input/test/Test4368.txt new file mode 100644 index 0000000..3ba6568 --- /dev/null +++ b/input/test/Test4368.txt @@ -0,0 +1 @@ +Vente à distance ou remise en main propre Très bon état Une des plus célèbre carte son firewire avec 8 entrées combo-xlr en façade. Compatible Mac Sierra et Windows 7 (drivers à jours) (Fonctionne parfaitement sur Logic X ou Garage Band) Spécifications: Windows® 7x 64/x86 SP1 or Windows 8/8.1 x64/x86 or Windows 10 x64/x86 Intel® Core™ 2 processor (Intel Core i3 processor or better recommended) 4 GB RAM (8 GB or more RAM recommended) Mac® OS X 10.6.8 or later Intel Core Duo processor (Intel Core 2 Duo or Intel Core i3 or better recommended) 2 GB RAM (4 GB or more recommended) FireWire (IEEE 1394) Speed 400 Mbps ADC Dynamic Range (A-wtd, 48 kHz sample rate) 114 dB DAC Dynamic Range (A-wtd, 48 kHz sample rate) 114 dB Bit Depth 24 Reference Level for 0dBFS +10 dBu Internal Sample Frequency Selections 44.1, 48, 88.2, 96 kHz External Sample Frequency Input S/PDIF Clock Jitter 60dB; 1 ns in, approx.1 ps out Power Input Voltage Range 90 to 230 VA \ No newline at end of file diff --git a/input/test/Test4369.txt b/input/test/Test4369.txt new file mode 100644 index 0000000..d7c9e04 --- /dev/null +++ b/input/test/Test4369.txt @@ -0,0 +1,2 @@ +Data Entry Interactive Excel on Web +We need someone who is able to program excel to render interactive spreadsheets on a website. We will need an explanation of how you plan to do it, and the tools you plan to use. If you know how to do it, please contact us. Offer to work on this job now! Bidding closes in 6 days Open - 6 days left Your bid for this job AUD Set your budget and timeframe Outline your proposal Get paid for your work It's free to sign up and bid on jobs 17 freelancers are bidding on average $2142 for this job schoudhary1553 Hello Sir, I am the expert freelancer here. I am on the 6th position through out the world to deliver the quality job. I have deliver here more than 385 + projects with 100% client satisfaction. I have more than 5 More $1500 AUD in 15 days (291 Reviews) Hello, I can do it for sure. ., Can we discuss more detail of your Excel spread into web solution? More $2500 AUD in 1 day (50 Reviews) vijaybdholariya We have a 4 years of experience. pull data from excel and retrieve data in excel sheet, Please ping me so that i can assist you further. We have professional team of developers. we have completed many website and m More $1722 AUD in 20 days (23 Reviews) Hello , I suggest a web application with Django (a framework based on python ) , python is very suitable for data manipulation , i plan on make the web app read the excel files (Read,write). please message me for mo More $1500 AUD in 30 days (38 Reviews) satyaowlok Hi Dear, Hope you are doing well... Thank you so much for offering me the job opportunity of "Interactive excel on web". I appreciate the time you took to interview me, and I am very glad to become a part of your p More $2500 AUD in 30 days (17 Reviews) Hi, Experienced Data Analyst and Macro Developer. I have read your instructions carefully. I can connect excel to web and mysql database. Program can retrieve data from mysql and store data to mysql database More $2500 AUD in 30 days (55 Reviews) Hello, I have reviewed your requirements for your preconceived project. All of your requirements are crystal clear to me so please hit me up with the message so that we can discuss the project in more detail. More $1500 AUD in 14 days (5 Reviews) bytelogic5 hi i have my own site wher there are so many clients to hire you ..Are u willing its same as freelancer newly starterd website before 3months we got 500 + Clients but sitt waiting for more freelancers [login to view URL] $2500 AUD in 30 days (4 Reviews) Hello Sir, My slogan is "Ensure BEST QUALITY, Always Keep DEADLINE, Accept PROPER PRICE according to a Client". I have more than 9 years experience in web development, so I am very familiar with Excel to Web Data. I More $1500 AUD in 20 days (3 Reviews) Dear sir, I'm sure that I can complete your project 'Interactive Excel on Web' as soon as possible. I am senior software developer and always provide fast service. I promise a high quality and punctual work. Please try More $2500 AUD in 17 days (2 Reviews) aqeeqabbas Hello, How are you? We are a team and we have understood about your work what you exactly want. We just saw your project description carefully. We are very interested in your project. We have rich experience in web, ap More $2722 AUD in 30 days (1 Review) itsparx Hi, Thank you for giving me a chance to bid on your project. i am a serious bidder here and i have already worked on a similar project before and can deliver as u have mentioned I have got Rich experience in Jooml More $2500 AUD in 30 days (0 Reviews \ No newline at end of file diff --git a/input/test/Test437.txt b/input/test/Test437.txt new file mode 100644 index 0000000..f70c78f --- /dev/null +++ b/input/test/Test437.txt @@ -0,0 +1,2 @@ +The Defense Department says the Veterans Day military parade ordered up by President Donald Trump won't happen in 2018. Col. Rob Manning, a Pentagon spokesman, said Thursday that the military and the White House "have now agreed to explore opportunities in 2019." The announcement came several hours after The Associated Press reported that the parade would cost about $92 million. That's according to U.S. officials citing preliminary estimates more than three times the price first suggested by the White House. According to the officials, roughly $50 million would cover Pentagon costs for aircraft, equipment, personnel and other support for the November parade in Washington. The remainder would be borne by other agencies and largely involve security costs. +(Copyright redistributed. \ No newline at end of file diff --git a/input/test/Test4370.txt b/input/test/Test4370.txt new file mode 100644 index 0000000..ddb3865 --- /dev/null +++ b/input/test/Test4370.txt @@ -0,0 +1,30 @@ +by Amir Vahdat, The Associated Press Posted Aug 17, 2018 4:16 am ADT Last Updated Aug 17, 2018 at 4:40 am ADT +TEHRAN, Iran – The band gathers in a small carpentry shop on the outskirts of Iran's capital, with sawdust still in the air but the buzzing of the jigsaws now exchanged for the soft feedback of an amplifier. +A drummer strikes his snare four times and Hakim Ebrahimi opens with the first dreamy notes of "Afghanistan," the sound of their Metallica-inspired rock ballad filling the air. The four rockers that make up the band, known as Arikayn, are Afghan refugees, and their struggles mirror those of millions of other Afghans who have fled to Iran during decades of war. +They once had to sneak through a Taliban checkpoint to pay a gig in their home country, and they face discrimination in Iran, but they say that hasn't stopped them from playing the music they love. +"This is very hard for all of us, but when we play a song, we become the person that we want to be," bassist Mohammad Rezai said. +Iran is home to one of the world's largest and most-protracted refugee crises. More than 3 million Afghans, including over 1 million who entered without legal permission, live in the Islamic Republic, according to United Nations estimates. +Afghan refugees began arriving in Iran in 1978, following their country's Communist military coup and the subsequent Soviet occupation. The occupation ended in 1989, giving way to years of civil war and ultimately a Taliban-controlled government. Then came the Sept. 11, 2001 terror attacks on New York and Washington, and the subsequent U.S.-led invasion targeting al-Qaida leader Osama bin Laden, whom the Taliban harboured. +Three of the band's four original members were born in Iran, including female guitarist and vocalist Soraya Hosseini, drummer Akbar Bakhtiary and Rezai. Ebrahimi came to Iran as a child. +They formed the band Arikayn, which is Dari for "Lantern," in 2013. +"When I was a child, we used Arikayn to find our way in dirt alleyways at night," Ebrahimi said during a recent practice session at the carpentry studio. +Arikayn's music recalls Metallica, not the speed-metal shredding of "Master of Puppets" but rather the introspective ballad of "Nothing Else Matters." Ebrahimi, who said his icon is Metallica frontman James Hetfield, evokes his guitar work in the band's song "Afghanistan." +"Here is Afghanistan, human's life is cheap; the way to heaven is from here, killing a human is easy here," he sings. +By day, Ebrahimi works in the carpentry shop to support himself. Other band members have day jobs as well, though Hosseini relies on help from her mother. Like other Afghans, they face challenges in finding work in a country that had high unemployment even before President Donald Trump withdrew from the 2015 nuclear deal and began restoring sanctions. +Afghans also face discrimination in Iran. The band says they were turned away from a once-popular Tehran concert series because they were immigrants. +Like others in Iran's vibrant arts scene, they must contend with hard-liners who view Western culture as corrupt and object to women performing in public. At one of only two Tehran concerts the band gave, at Tehran University, Hosseini said she was not allowed to play her guitar on stage, and was only able to sing background vocals. +"They did not tell me directly that I cannot play the guitar on stage, but they made me understand," she said. "I felt strange because it was my first time on stage. I was stressed out that I might ruin it." +That stress only multiplied when the band decided to play a show at a July 2015 music festival in Bamyan, Afghanistan, where Ebrahimi lived until age 10. They had looked forward to performing beneath the ruins of the great Buddha statues of Bamyan, a UNESCO World Heritage Site destroyed by the Taliban in March 2001. +To get to the area, some 130 kilometres (80 miles) west of Kabul, however, the band had to cross through Taliban-held territory. +They described passing through various Taliban checkpoints, keeping their eyes down. But at one, an accompanying Afghan documentary filmmaker's errant glance caught the attention of a Taliban fighter. +"At the checkpoint, we were shocked, and I lost my mind," director Hassan Noori said. "I directly looked into (the gunman's) eyes, but when he saw Soraya in the car, he let us to go." +They made it safely to the concert. +"It was wonderful, and words cannot describe our feelings when we performed in a large plain in front of the statues of Buddha and more than 2,000 Afghans," Hosseini said. +In the time since, however, reality has come crashing down on the group. Some Afghans in Iran are beginning to leave the country over its economic problems. +Bakhtiary, the band's drummer, left Iran along with other Afghan migrants hoping to reach Europe. After a time in Turkey, he made it to Italy, where he is now jobless. +Rezai, the band's bassist, prefers his work at a nearby tailor shop to practicing. +"I need this money so that my family and I can have an easier life," he said. +For now, Arikayn's only audience is those who work in Ebrahimi's carpentry shop. On a recent night, the band tore into its song "Stand Up," which challenges the Taliban. +"Stand up and don't let the city be full of burqa-wearing women again," Ebrahimi sang. "And stop the sky from turning black from being full of lead." +___ +Associated Press writers Mehdi Fattahi and Ebrahim Noroozi in Tehran, Iran, and Jon Gambrell in Dubai, United Arab Emirates, contributed to this report \ No newline at end of file diff --git a/input/test/Test4371.txt b/input/test/Test4371.txt new file mode 100644 index 0000000..8a6de6a --- /dev/null +++ b/input/test/Test4371.txt @@ -0,0 +1,2 @@ +Reuters: IT as driving force behind Serbia's development 17/08/2018 Author Snezana Bjelotomic Reuters writes today about the accelerated development of the Serbian IT sector and its contribution to the growth of the country's gross domestic product, stating that Serbia, although a small IT player in the world, as well as in Western Europe, now generates 10 percent of its GDP from information technology. Serbia, a country that considers Nikola Tesla one of its famous sons, sees technology as a means of help to emerge from a decades-long economic stagnation in which Serbia fell into after the wars in the Balkans in the 1990s. Finance Minister Sinisa Mali says technology export has generated for the country one billion euro ($1.2 billion) in 2018 so far, compared to about 900 million euro in 2017, which puts IT among the top three export sectors, in addition to the automotive industry and agriculture, reads the Reuters article. +Want to open a company in Serbia? Click here! "Serbian companies are producing software for industries ranging from agriculture to medicine as well as Uber-type trucking and cloud applications, online games and testing. They are also running call centers and customer hot lines", Reuters goes on to say. Also, under the leadership of the Serbian Prime Minister, Ana Brnabic, Serbia is providing more support for the start-up scene and wooing international companies to set up operations in Serbia. "Information and high-end technologies and the digital agenda are the future of our economy," Serbian President Aleksandar Vucic told Reuters. "Serbia's IT sector is the product of our own intelligence…we have to continue to train as many people as possible to work in this sector," he added. Reuters goes on to say that the leading global technology companies, including Microsoft, IBM and Intel have already established development centres in Serbia or have licensed outsourcing services to local firms, offering three times higher salaries than an average monthly salary of 420 euro, but these high salaries continue to be lower than those that would be paid out in the European Union countries for the same jobs. "Google is supporting Serbia's growing startup scene by teaming up its Google Developers Launchpad, designed to help developer communities and startups grow, with Belgrade-based tech community organization Startit. But, in an e-mailed note, PricewaterhouseCoopers warned the country must tackle the departure of its brightest young people, spur innovation and improve its regulatory framework, digital skills and outdated education system", Reuters reports. There were over 2,000 firms in Serbia's tech sector in 2017, according to an analysis published this year by the government's Commission for Protection of Competition, up from 700 in 2006, with revenues doubling to 1.5 billion euro. "Serbia's net export of all services to the EU has grown at an annual rate of 23.2 percent in the first half of 2018, driven by information and communication technologies and services sector," Reuters writes, remarking that according to the Central Bank's estimates, Serbia's economy will grow by four percent this year from last year's 2 percent. (SeeBiz, 16.08.2018 \ No newline at end of file diff --git a/input/test/Test4372.txt b/input/test/Test4372.txt new file mode 100644 index 0000000..7c6264f --- /dev/null +++ b/input/test/Test4372.txt @@ -0,0 +1,6 @@ +Over the weekend President Cyril Ramaphosa announced a stimulus package amounting to R48bn, intended to boost the economy. But on Monday the National Treasury said there is actually no stimulus package, but rather measures to reprioritise funds. This sounds similar to when former finance minister Malusi Gigaba announced his 14-point plan, only to correct journalists a few weeks later by saying it was not a 14-point plan but economic boosting measures. Over the same weekend, it came to light that there will be a R59bn bail-out package for state-owned enterprises. And again on Monday it came to light that the National Treasury is denying that a R59bn package has been agreed. +This sounds like a repeat of 2017, when planned bail-outs were denied but then came to light in a secret cabinet memo. +This situation raises a number of questions. Is there really a plan to address SA's massive unemployment problem? If there is a plan, why is it so secretive? Is there a rift between the finance minister and Ramaphosa? +The one certainty this situation is providing is that there is no "new dawn" — this is a story that has played out in SA many times before, and is again on repeat. +Anthony Willemse +Charl \ No newline at end of file diff --git a/input/test/Test4373.txt b/input/test/Test4373.txt new file mode 100644 index 0000000..10fb64f --- /dev/null +++ b/input/test/Test4373.txt @@ -0,0 +1,8 @@ + John. R. Edwardson on Aug 17th, 2018 // No Comments +Lumentum (NASDAQ:LITE) was upgraded by research analysts at BidaskClub from a "hold" rating to a "buy" rating in a research note issued on Friday. +Several other research firms have also commented on LITE. JPMorgan Chase & Co. raised their price target on shares of Lumentum from $74.00 to $78.00 and gave the company a "hold" rating in a research report on Wednesday, May 23rd. Zacks Investment Research lowered shares of Lumentum from a "buy" rating to a "hold" rating in a research report on Tuesday, May 8th. TheStreet lowered shares of Lumentum from a "b+" rating to a "c" rating in a research report on Friday, May 4th. Rosenblatt Securities restated a "buy" rating and set a $80.00 price target on shares of Lumentum in a research report on Tuesday, June 5th. Finally, Cascend Securities assumed coverage on shares of Lumentum in a research report on Tuesday, July 17th. They set a "buy" rating and a $70.00 price target on the stock. Four equities research analysts have rated the stock with a hold rating and seventeen have issued a buy rating to the stock. Lumentum currently has an average rating of "Buy" and an average price target of $79.42. Get Lumentum alerts: +LITE stock opened at $60.30 on Friday. The firm has a market cap of $3.67 billion, a P/E ratio of 18.61, a PEG ratio of 0.96 and a beta of -0.06. The company has a current ratio of 5.27, a quick ratio of 4.55 and a debt-to-equity ratio of 0.36. Lumentum has a one year low of $41.95 and a one year high of $74.40. Lumentum (NASDAQ:LITE) last released its quarterly earnings results on Wednesday, August 8th. The technology company reported $0.95 EPS for the quarter, beating the Thomson Reuters' consensus estimate of $0.65 by $0.30. The company had revenue of $301.10 million for the quarter, compared to analyst estimates of $288.56 million. Lumentum had a net margin of 19.86% and a return on equity of 25.10%. The firm's revenue was up 35.2% on a year-over-year basis. During the same quarter last year, the business earned $0.39 earnings per share. research analysts predict that Lumentum will post 3.41 earnings per share for the current year. +In other Lumentum news, CEO Alan S. Lowe sold 11,672 shares of the stock in a transaction on Monday, May 21st. The shares were sold at an average price of $63.02, for a total transaction of $735,569.44. Following the transaction, the chief executive officer now directly owns 208,062 shares of the company's stock, valued at $13,112,067.24. The transaction was disclosed in a legal filing with the SEC, which is accessible through the SEC website . Also, insider Matthew Joseph Sepe sold 1,466 shares of the stock in a transaction on Monday, July 16th. The shares were sold at an average price of $58.38, for a total transaction of $85,585.08. Following the transaction, the insider now directly owns 17,898 shares in the company, valued at $1,044,885.24. The disclosure for this sale can be found here . Over the last ninety days, insiders have sold 14,451 shares of company stock worth $898,425. Insiders own 0.76% of the company's stock. +A number of institutional investors and hedge funds have recently bought and sold shares of the business. Thrivent Financial for Lutherans lifted its stake in shares of Lumentum by 10.9% in the first quarter. Thrivent Financial for Lutherans now owns 41,998 shares of the technology company's stock worth $2,679,000 after buying an additional 4,142 shares in the last quarter. Fortaleza Asset Management Inc. purchased a new position in shares of Lumentum in the second quarter worth about $110,000. Millennium Management LLC lifted its stake in shares of Lumentum by 109.2% in the first quarter. Millennium Management LLC now owns 56,100 shares of the technology company's stock worth $3,579,000 after buying an additional 29,283 shares in the last quarter. Prudential Financial Inc. lifted its stake in shares of Lumentum by 18.1% in the first quarter. Prudential Financial Inc. now owns 120,878 shares of the technology company's stock worth $7,712,000 after buying an additional 18,514 shares in the last quarter. Finally, Suntrust Banks Inc. lifted its stake in shares of Lumentum by 94.6% in the first quarter. Suntrust Banks Inc. now owns 9,574 shares of the technology company's stock worth $610,000 after buying an additional 4,655 shares in the last quarter. +Lumentum Company Profile +Lumentum Holdings Inc manufactures and sells optical and photonic products in the Americas, the Asia-Pacific, Europe, the Middle East, and Africa. It operates through two segments, Optical Communications and Commercial Lasers. The Optical Communications segment offers components, modules, and subsystems that enable the transmission and transport of video, audio, and text data over high-capacity fiber optic cables \ No newline at end of file diff --git a/input/test/Test4374.txt b/input/test/Test4374.txt new file mode 100644 index 0000000..7981484 --- /dev/null +++ b/input/test/Test4374.txt @@ -0,0 +1 @@ +Test Your Cold/Flu Knowledge - Answer These 7 Questions There are many misconceptions about the cold and flu. Take our short quiz and see if you can answer these questions. Answer true or false for these questions: 1. Getting wet in the rain will make you sick. False There is no evidence that damp cold weather and the risk of getting a cold are related. Modern science does not support a connection between being cold and getting a cold or flu. However, we've all had that time where we got chilled and whamo! We got sick! So what gives? Your immune system was already compromised by being exposed to a virus earlier. Then your body had to work hard on keeping your temperature regulated when you got wet and then chilled. This took away from the special fighting forces making you vulnerable to the virus taking over. While getting chilled didn't "make" you sick, it helped to contribute to it by lowering your immune defenses. So you will want to prevent getting wet and chilled if possible, and if you do get caught out in the elements, take the necessary steps to get dry, get warm and then consume healthy food and supplements that will build up your immune system. 2. Flu is a virus, cold is a bacteria. False Both cold and flu are viruses. There are well over 200 different strains of the cold virus (rhinovirus being the most common) and flu viruses mutate and change every year. However, both the flu and a cold can transform into a bacterial infection. See your doctor if symptoms worsen or last longer than 7-10 days. 3. Antibiotics are no help for cold or flu. True Both the common cold and flu are the result of a virus, and antibiotics cannot help reduce the severity or duration of a cold. Do not go into your doctor's office at the beginning of a cold or flu and demand an antibiotic. It won't help you any. Antibiotics kill all the bacteria in your gut, including the good guys responsible for helping to defend your body against viruses and bacteria, so taking an antibiotic is counter intuitive. Doing so could actually set you up for a worse infection. Besides, a good doctor knows better than to prescribe an antibiotic for an obvious viral infection and you will have wasted your co-pay for nothing. Doctors do occasionally prescribe antibiotics to people with colds and flu to help treat secondary bacterial infections such as sinusitis, ear infections, bronchitis, and other infections. Again, see your doctor if symptoms worsen or last longer than 7-10 days. At that point the virus may be gone, but a bacterial infection may have developed and you will want to be sure to get proper treatment for that. 4. Once you have the flu, you won't have it again that season. The answer to this one is both false and true. You won't get the same cold or flu strain once you have had it, but that doesn't mean you cannot get another strain. There are often multiple types of cold and flu circulating at the same time; it is very possible to have one and then have another. This is also the reason why the flu shot is not 100 percent effective: the flu shot is effective against one strain and there is always the possibility of another strain infecting you. Plus the flu strain is constantly evolving, mutating into a different strain than the original flu shot was developed for. Your best bet is to build up your immune system so it can be ready to defend you no matter the strain of viruses invading. 5. The flu is harmless. False The flu is far from harmless. According to the CDC, in a normal year somewhere between 3,000 and 49,000 people die from the flu (depending on the severity, the spread, and the type of flu virus). In 1918, approximately 675,000 people died in the United States from the Spanish flu. On the other hand, the common cold is rarely harmful—unless it leads to other infections. This is why it is so important to make sure your immune system is healthy - by exercising, eating healthy foods and supplementing with extra immune boosting supplements, especially during the cold & flu season. 6. You are only contagious when you have symptoms. False You can actually be contagious before you even feel any symptoms. This is why colds and flu can spread so quickly. We can be in close contact with people who aren't even showing any signs of sickness. You are most likely to spread the flu five to seven days from when you first feel bad. When you have a cold, you are the most contagious during the first three days of getting that cold (during that sore throat phase). You can transmit either virus to other people by touching your nose or mouth and then touching another surface they touch (doorknobs, phones, etc.) or by coughing or sneezing. That is why washing your hands often and avoiding touching your face is clearly one of the most effective ways to prevent getting sick. 7. Kids get more colds and flu. True According to the CDC, adults have an average of 2 to 3 colds per year, and young children may get as many as 8 to 10 each year before the age of two. Children's immune systems, especially the very young are still developing. This makes them more susceptible to what's going around - their immune systems are still learning and identifying the bad guys. Help the kiddos stay healthy by limiting sugar filled foods and drinks, keeping them hydrated with mostly water, feeding them healthy foods with lots of clean fruits and vegetables, and providing them with immune boosting supplements as well. Another tip is to have them play outside often. Staying cooped up indoors is not healthy for anyone. Kids need outdoor time for both a healthy mind and body. Dress them in layers appropriate for the weather and let them run around and be kids. It will do you good to join them, too! Did you notice a theme on how to boost your immune system? It was exercise, eat healthy foods and add good immune boosting supplements. What are healthy foods? Try fresh fruits and vegetables, lean protein and plenty of filtered water. Avoid high sugar, processed foods and drinks. Some immune boosting supplements would be a complete & balanced Multi-Vitamin, Vitamin C, Garlic, Zinc, Probiotics, etc. So how did you do? Did you get most of them right? It's OK if you didn't. Knowledge is power and the more you know, the better you can be at protecting yourself and your family from the battles that are coming - the cold & flu battles. Arm yourself today with the knowledge of what it takes to keep healthy BEFORE the season gets here. Visit our website for the best immune building supplements - Fill out our contact form up top and make an appointment today with one of our consultants to get a free, personalized plan based on your individual needs. Some supplements are better suited depending on age, gender and medical needs. A consultant can help you choose what's best for you based on your needs, thereby giving you the best supplement program and save you money all at the same time. Want to learn what supplements are best for you on your own? Then take our free online health assessment - HealthPrint It only takes 5 minutes to answer 20 questions. Get a comprehensive review of what your health looks like today and get personalized health recommendations from leading doctors and scientists. Receive health information sourced from publications by leading authorities, including the Mayo Clinic, American Heart Association & World Health Organization. Try it now, it's free! HealthPrint We hope you gained some knowledge to help you enter the battle of the cold & flu season better armed and ready to conquer those bad guys. Our wish is for You To Be Healthy \ No newline at end of file diff --git a/input/test/Test4375.txt b/input/test/Test4375.txt new file mode 100644 index 0000000..20e7427 --- /dev/null +++ b/input/test/Test4375.txt @@ -0,0 +1,9 @@ +Heritage Commerce (HTBK) Stock Rating Upgraded by BidaskClub Paula Ricardo | Aug 17th, 2018 +Heritage Commerce (NASDAQ:HTBK) was upgraded by BidaskClub from a "strong sell" rating to a "sell" rating in a research note issued to investors on Friday. +Several other brokerages also recently commented on HTBK. Brean Capital reaffirmed a "buy" rating on shares of Heritage Commerce in a research report on Thursday, August 2nd. ValuEngine raised Heritage Commerce from a "hold" rating to a "buy" rating in a research report on Tuesday, July 24th. Raymond James started coverage on Heritage Commerce in a research report on Wednesday, July 18th. They issued an "outperform" rating and a $19.00 price target on the stock. Zacks Investment Research downgraded Heritage Commerce from a "hold" rating to a "sell" rating in a research report on Friday, July 20th. Finally, DA Davidson lifted their price target on Heritage Commerce from $17.50 to $19.00 and gave the stock a "buy" rating in a research report on Monday, April 30th. Two research analysts have rated the stock with a sell rating, one has assigned a hold rating and four have issued a buy rating to the company. Heritage Commerce currently has an average rating of "Hold" and an average target price of $18.88. Get Heritage Commerce alerts: +HTBK opened at $15.41 on Friday. Heritage Commerce has a twelve month low of $12.76 and a twelve month high of $18.10. The company has a debt-to-equity ratio of 0.11, a current ratio of 0.74 and a quick ratio of 0.74. The company has a market capitalization of $635.80 million, a P/E ratio of 19.26, a P/E/G ratio of 1.53 and a beta of 0.53. +Heritage Commerce (NASDAQ:HTBK) last posted its earnings results on Thursday, July 26th. The financial services provider reported $0.02 earnings per share for the quarter, missing the Thomson Reuters' consensus estimate of $0.26 by ($0.24). Heritage Commerce had a return on equity of 11.98% and a net margin of 15.63%. equities analysts expect that Heritage Commerce will post 0.96 earnings per share for the current year. +In other Heritage Commerce news, Director Jason Philip Dinapoli purchased 5,000 shares of the company's stock in a transaction on Monday, August 6th. The shares were bought at an average cost of $14.82 per share, with a total value of $74,100.00. Following the transaction, the director now directly owns 20,000 shares in the company, valued at approximately $296,400. The purchase was disclosed in a document filed with the SEC, which is available at this hyperlink . Also, EVP Michael Eugene Benito sold 6,000 shares of Heritage Commerce stock in a transaction that occurred on Thursday, May 24th. The stock was sold at an average price of $17.00, for a total value of $102,000.00. Following the completion of the transaction, the executive vice president now directly owns 41,600 shares in the company, valued at $707,200. The disclosure for this sale can be found here . Insiders own 5.40% of the company's stock. +Institutional investors and hedge funds have recently added to or reduced their stakes in the company. Swiss National Bank increased its position in shares of Heritage Commerce by 5.3% during the first quarter. Swiss National Bank now owns 63,200 shares of the financial services provider's stock valued at $1,042,000 after purchasing an additional 3,200 shares during the period. Prudential Financial Inc. increased its position in shares of Heritage Commerce by 39.5% during the first quarter. Prudential Financial Inc. now owns 51,178 shares of the financial services provider's stock valued at $843,000 after purchasing an additional 14,500 shares during the period. BlackRock Inc. increased its position in shares of Heritage Commerce by 3.6% during the first quarter. BlackRock Inc. now owns 3,002,983 shares of the financial services provider's stock valued at $49,490,000 after purchasing an additional 104,434 shares during the period. Security National Bank increased its position in shares of Heritage Commerce by 2.2% during the second quarter. Security National Bank now owns 176,357 shares of the financial services provider's stock valued at $2,996,000 after purchasing an additional 3,831 shares during the period. Finally, Hillsdale Investment Management Inc. bought a new stake in shares of Heritage Commerce during the first quarter valued at approximately $1,335,000. Institutional investors and hedge funds own 69.71% of the company's stock. +Heritage Commerce Company Profile +Heritage Commerce Corp operates as the bank holding company for Heritage Bank of Commerce that provides various commercial and personal banking services to residents and the business/professional community in California. It offers a range of deposit products for business banking and retail markets, including interest and non-interest bearing demand, savings accounts, certificate of deposit, money market accounts, and time deposits. Heritage Commerce Heritage Commerc \ No newline at end of file diff --git a/input/test/Test4376.txt b/input/test/Test4376.txt new file mode 100644 index 0000000..94ed77e --- /dev/null +++ b/input/test/Test4376.txt @@ -0,0 +1,19 @@ +home / hiv center / hiv a-z list / new drug of last resort tackles resistant hiv article New Drug of Last Resort Tackles Resistant HIV By Serena Gordon +THURSDAY, Aug. 16, 2018 (HealthDay News) -- HIV , the virus that causes AIDS , is typically a manageable infection, but medications that keep the virus at bay don't work for everyone. Now, researchers have developed a new medication to help them. +The U.S. Food and Drug Administration approved the drug -- ibalizumab (Trogarzo) -- in March. Phase 3 trial results were published in the Aug. 16 issue of the New England Journal of Medicine . +"For those who have exhausted their current [drug] regimen, we now have another hope," the study's senior author, Dr. Stanley Lewis, said of the new drug. He's chief medical officer for TaiMed Biologics , maker of the drug and sponsor of the trial. +" HIV is probably the most dynamic pathogen in medicine. It's been a challenge to stay one step ahead of it," Lewis said. +The new drug is called a monoclonal antibody. It works by binding to receptors on CD4 cells. (CD4 is a type of immune system cell also known as T cells.) This blocks the virus from entering CD4 cells. +In an editorial accompanying the study, the FDA's Dr. Virginia Sheikh and colleagues wrote that "patients with multidrug-resistant HIV infection are at risk for illness and death because of their limited remaining treatment options." +Because of these serious risks, the FDA allowed a streamlined clinical trial of ibalizumab. +The study included 40 adults with multidrug-resistant HIV-1 infection. More than half had been treated unsuccessfully with a median of 10 drugs . +The researchers observed for a week how well the study participants' current treatment regimens were working. Then they added ibalizumab. Eighty-three percent saw a reduction in the amount of HIV in their body (called "viral load"), the findings showed. +After the first week of ibalizumab, participants were given the drug once every two weeks for 25 weeks. Their drug regimens also were optimized to ensure they were getting at least one drug that the virus was sensitive to, according to Lewis. +At week 25, the drug successfully reduced patients' overall viral load. In fact, almost half had viral loads that were considered undetectable. +However, the drug did have side effects -- some serious. +More than 5 percent of patients reported having diarrhea , dizziness , nausea and rash , Sheikh said. +One patient had "immune reconstitution inflammatory syndrome," or IRIS , which Lewis described as an immune system overreaction. HIV hampers the body's ability to respond to infections. With IRIS, that immune system response is out of balance and causes inflammation, he said. This side effect is temporary. +Four patients in the trial died; their deaths were believed to be related to the underlying HIV infection. +Sheikh said the FDA will continue to monitor side effects, and update safety information on drug labels as needed. +Both Lewis and Sheikh said it's possible that HIV will eventually develop resistance to ibalizumab, too. +Lewis said he doesn't know what the drug costs, but said it was expected to be in line with other monoclonal antibodies. He added that it would likely be cheaper than some other drugs in that class. SOURCES: Stanley Lewis, M.D., chief medical officer, TaiMed Biologics, Irvine, Calif.; Virginia Sheikh, M.D., medical officer, Center for Drug Evaluation and Research, U.S. Food and Drug Administration; Aug. 16, 2018, New England Journal of Medicin \ No newline at end of file diff --git a/input/test/Test4377.txt b/input/test/Test4377.txt new file mode 100644 index 0000000..2d0fd4b --- /dev/null +++ b/input/test/Test4377.txt @@ -0,0 +1,11 @@ +IGNOU admission for July session extended upto August 31 IGNOU admission for July session extended upto August 31 IGNOU admission 2018: The candidates can check the details of the academic programmes through the official website, onlineadmission.ignou.ac.in/admission By: Education Desk | New Delhi | Published: August 17, 2018 4:12:46 pm IGNOU admission 2018: The candidates can check the details of the academic programmes through the official website, onlineadmission.ignou.ac.in/admission +IGNOU admission 2018: The Indira Gandhi National Open University (IGNOU) has extended the last date of submission of online and offline fresh admission of all Masters/ Bachelor/ Diplomas programmes till August 31, 2018 for the July session, which was earlier scheduled to close on July 15. The candidates can check the details of the academic programmes through the official website, onlineadmission.ignou.ac.in/admission . +The scheme of fee exemption to the SC/ST students would also be effective in July 2018 admission cycle for all academic programmes at Certificate level (advanced, under-graduate and post graduate; all academic programmes at Diploma level (advanced, under-graduate and post graduate) which are not part of undergraduate and master levels academic programme; Bachelor Preparatory Programmes (BPP); freshly registered in BDP (B.A.,B.Com,B.Sc.); freshly registered in BSW;BTS;BLIS and BCA. +Programmes offered +Master's degrees +MA (Philosophy); MA (Gandhi & Peace Studies); MA (Development Studies); MA (Anthropology); MA (Gender & Development Studies); Master of Social Work (MSW); Master of Social Work(Counseling); MA (Distance Education); MA (Economics); MA (English); MA (Hindi); MA (History); MA (Political Science); MA (Psychology); MA (Public Administration); MA (Rural Development); MA (Sociology); Master of Tourism and Travel Management(MTTM); Master of Commerce (MCom); Master of Computer Applications (MCA); Master of Library and Information Science (MLIS); MSc (Dietetics and Food Services Management); MA (Translation Studies); MSc (Counselling and Family Therapy); MA (Adult Education); MA (Women's and Gender Studies). +Bachelor's degrees +Bachelor of Science (BSc); Bachelor of Arts (BA); BA (Tourism Studies); Bachelor of Commerce (BCom); Bachelor of Computer Applications (BCA); Bachelor of Library & Information Science (BLIS); and Bachelor of Social Work (BSW). +PG Diplomas +PG Diploma in Library Automation and Networking; Analytical Chemistry; Audio Programme Production; Criminal Justice; Disaster Management; Educational Management & Administration; Educational Technology; Environment and Sustainable Development; Folklore & Culture Studies; Gandhi & Peace Studies; Higher Education; Information Security; Intellectual Property Rights; International Business Operation; Journalism & Mass Communication; Pharmaceutical Sales Management; Pre-Primary Education; Rural Development; School Leadership and Management; Translation; Urban Planning & Development; Applied Statistics; Social Work (Counselling), Sustainability Science; Counselling & Family Therapy; Adult Education; Food Safety and Quality Management; Plantation Management; Book Publishing; Women's & Gender Studies; Mental Health; Human Resource Management, Financial Management; Operations Management; Marketing Management; Financial Markets Practice, Diploma in Aquaculture; BPO Finance & Accounting; Creative Writing in English; Early Childhood Care and Education; HIV and Family Education; Nutrition & Health Education; Panchayat Level Administration & Development; Para-legal Practice; Tourism Studies; Urdu; Women Empowerment & Development; Value Added Products from Fruits and Vegetables; Dairy Technology; Meat Technology; Production of Value Added Products from Cereals, Pulses and Oilseeds; Fish Products Technology; Watershed Management; Retailing; Event Management +First time applicants are advised to click the available programme tab on the homepage of the Online Admission System and select the desired programme and carefully read the details of programme including eligibility criteria, fee details, duration, etc. Must Watc \ No newline at end of file diff --git a/input/test/Test4378.txt b/input/test/Test4378.txt new file mode 100644 index 0000000..574a4db --- /dev/null +++ b/input/test/Test4378.txt @@ -0,0 +1,9 @@ +Advanced PowerPoint, Excel and MS Word competency +Skills: Excellent communication skills and flexibility. Ability to adapt quickly to changes. Well organized individual with positive attitude. Ability to multitask in a variety of areas. A strong level of professionalism and confidentiality. Must be composed, resilient and possess an exceptional attention to details. +Application Deadline 21st August, 2018. +Job Title: Social Media Manager Location: Lagos +Job Description : We are seeking to hire a social media manager who will work in partnership with the marketing and creative teams to bring our story to life and continuously build our social media community. Your primary focus will be to post on Twitter, Facebook, Instagram & Snapchat and grow an engaged community of followers/friends. +Requirements: 3+ years of experience in online content writing (ideally including social media) Very strong communication skills Sound experience in writing/editing social posts in a fast paced environment. +Skills: Must be a good story teller at heart Must be excellent at writing captivating content that will be engaging and fun +Application Deadline 23rd August, 2018. +How to Appl \ No newline at end of file diff --git a/input/test/Test4379.txt b/input/test/Test4379.txt new file mode 100644 index 0000000..74b7194 --- /dev/null +++ b/input/test/Test4379.txt @@ -0,0 +1 @@ +WarezSerbia » Ebooks » Advanced Java Using Eclipse IDE Learn JavaFX & Databases Advanced Java Using Eclipse IDE Learn JavaFX & Databases Advanced Java Using Eclipse IDE: Learn JavaFX & Databases MP4 | Video: h264, 1280x720 | Audio: AAC, 44.1 KHz, 2 Ch | Duration: 7h 10m | 4.90 GBGenre: eLearning | Language: English | + Exercise Files ====Learn by doing - Advanced Java Using Eclipse IDE: Learn JavaFX, Databases, Multi Threading, Exception Handling, and moreWhat Will I Learn?Become proficient with intermediate to advanced concepts in JavaUnderstand how JavaFX works and be able to create basic JavaFX programs using JavaIntegrate MySQL databases using Java programmingUnderstand Multo Threading and Object CloningLearn Java File Handling & Exception HandlingWrapper classes & Binary literalsYou need to have basic to intermediate knowledge of Java programming languageNeed to be familiar with Eclipse IDEMust have basic knowledge of Object Oriented Programming conceptsTech savvyLearn Advanced Java Using Eclipse IDE: Learn JavaFX & Databases step-by-step, complete hands-on Java Programming For Intermediate to Advanced students.Course DescriptionAre you a Java Programmer and want to gain intermediate and advanced skills and enjoy a fascinating high paying career?Or maybe you just want to learn additional tips and techniques taking to a whole new level?Welcome to Advanced Java Using Eclipse IDE: Learn JavaFX & Databases - A one of its kind course!It is not only a comprehensive course, you are will not find a course similar to this. The course gradually builds upon core concepts and then practical application by means of hand-on tutorials With over 7 hours of instruction.It's our most current, in-depth and exciting coding course-to date.In this advanced course, you'll learn and practice essential Java advanced concepts using the Java programming language. You'll learn about Javafx and working with databases along with wrapper classes, exception handling techniques, various operators, and much more... You'll put your new Java programming skills to the test by solving real-world problems faced by software engineers.We've built this course with our Team ClayDesk of industry recognized developers and consultants to bring you the best of everything!So, if you would like to:- become an in-demand and reach new heights as Java programmer and developer for software companies- start your freelancing career, setting your own schedule and rates- sharpen your core programming skills to reach the advanced level- gain marketable skills as an advanced Java programmer and developer...this complete Java developer course is exactly what you need, and more. (You'll even get a certification of completion)We've left no stone unturned.We walk you through the basics and gradually build your knowledge with real world application!See what our students say "It is such a comprehensive course that I don't need to take any other course but this one to learn all the skills to become advanced Java programmer, and I would without a doubt recommend it to anyone looking for a complete Java course." -Mike Purnell"This is such an awesome course. I loved every bit of it - Awesome learning experience!" Kamran Kiyani.Join thousands of other students and share valuable experienceGet started today and join thousands of our happy students, many of whom have changed careers, created second incomes or added critical new skills to their tool kits. Our students have become successful Java programmers and developers managing applications and are earning six figure salaries. Some are freelancing and earning even more with high scaled projects.Enroll now in Advanced Java Using Eclipse IDE: Learn JavaFX & Databases today and revolutionize your learning. Start building powerful Java programs and cash-earning programs today-and enjoy bigger, brighter opportunities.Ready to open new doors and become a smart, in-demand Java advanced programmer or even Java Enterprise Architect? You do need to put effort though!Why take this course?If you're currently thinking of advancing your skills and career into the world of programming? This is the right course for you. If you wish to get an advanced flavor of what Java is all about and how does JavaFX work and create programs using Java graphics, this is the right course for you. If you wish to gain additional experience, this is the right course for you. If you want to get a high paying job or advance your existing skillet in programming, this is the right course for you!Enroll now, and I will see you in class.Who is the target audience?Java programmers who have basic knowledge of Java programming and want to enhance their skillsJava programmers who wish to learn JavaFX and working with databasesWeb developers working in JavaJava Enterprise Architect \ No newline at end of file diff --git a/input/test/Test438.txt b/input/test/Test438.txt new file mode 100644 index 0000000..3515414 --- /dev/null +++ b/input/test/Test438.txt @@ -0,0 +1,21 @@ +Yoga The Common Myths About MS: Busted! +Multiple sclerosis is a fairly misunderstood disease. For many people, this name is affiliated with scary things like permanent disability, and wheelchairs and walkers. However, according to healthcentral.com's MS expert, Lisa Emrich, the truth about MS is that it is actually a fairly manageable disease. Many people who are suffering from this disease are able to have control over it and they are able to live active, and fulfilling lives. Over the years there have been many rumors and myths that have surface across the internet about this disease. So here are some of the myths, debunked! First Things First, What is MS? +Multiple sclerosis, known as MS, is a long-lasting disease that can affect your brain, spinal cord, and the optic nerves within your eyes. It can result in problems with vision, balance, muscle control, and other basic bodily functions. The effects differ from everyone who has the disease, while some may not need treatment, others will have trouble doing daily tasks or getting around. When Does MS Happen? +MS Occurs when your immune system attacks a fatty material called myelin, which wraps around your nerve fibers to protect them. Without this outer shell, your nerves become damaged and scar tissue forms. The damage means that your brain is unable to send signals through your body correctly. Your nerves also don't work in the order they should in order to help you move and feel things. Your Immune System Goes Awry +MS is an auto-immune condition. Doctors are unsure as to why, but there is something within your immune system that says to attack your body. You might be more likely to get MS if you have other autoimmune conditions like inflammatory bowel disease, thyroid disease, or type 1 diabetes. ADVERTISEMENT Diagnosed +People are often diagnosed with MS between the ages of 20 and 40. After being diagnoses, the symptoms tend to get better, but then they often come back. The symptoms may come and go for others, but some may linger. No two cases of MS are the same. Some people may only have a single symptom, and then go months or years without any others. One small problem can occur just once and then go away, and never return. For others, however, the symptoms get worse within the coming weeks and months. Early Signs of MS +For many people, the first brush of MS occurs with CIS (or clinically isolated syndrome). This is an episode of neurological symptoms that onlyy occurs for 24 hours. There are two types of CIS, monofocal episode, which is when you have only one symptom, and multifocal episode, when you have more than one symptom. The Myths: Multiple Sclerosis is a Fatal Disease +MS is really not considered a fatal disease. Statistics have shown that many people who suffer from MS have a very normal life span. The deaths that are associated with the disease are the cause of complications in advanced, progressive stages of MS. The goal of early treatment is to slow down the disease progression and help prevent complications. However, very severe cases of the disease can indeed shorten a patient's life. There is No Treatment for MS +This is actually wrong. While there is no cure for MS, there are many treatments available that assist patients in managing the disease and the symptoms that it causes. In November 2016, it was announced that there are fourteen FDA-approved medications that have been shown to change or slow down the course of the disease. These medications consist of three oral drugs, three infusion therapies, and eight injectables. ADVERTISEMENT Everyone with MS Ends Up in a Wheelchair +This is not true at all. Many people living with MS are able to walk without assistance, and it is a very small number of sufferers that end up needing walking assistance. Only 25 percent of people with MS use a wheelchair or stay in bed because they are unable to walk. This statistic was also discovered before the new disease-modifying drugs were available. MS isn't a Physically Painful Condition +Often times people assume that sufferers of the disease experience numbness and mobility issues, but that doesn't mean that they don't feel physical pain as well. One study claims that up to 55 percent of MS patients experienced clinically significant pain, whether acute or chronic, at some point during their experience. People Diagnosed with MS Must Go On Disability +There really isn't any scientific evidence that states that the normal stress of working has any effect on people with MS. However the symptoms, that include fatigue, may need to be managed while working on the job. 30 percent of people with MS are working full time after 20 years with the disease. People with MS Shouldn't Have Children +Pregnancy and childbirth have been proven to have no long-term effect on MS. In fact, many women have said that their symptoms diminish while pregnant, which is why estriol is being studied as a potential MS treatment. However, the risk of an MS relapse increases in the six months after delivery. Yet, there's no reason why women with MS can't give birth or be a fantastic parent to their children. ADVERTISEMENT Multiple Sclerosis Only Affects White People +Although it is true that sufferers of MS in the United States are predominantly white, that doesn't mean it only affects Caucasians. According to a study supported by the National MS Society, African Americans with the condition are more likely to experience an aggressive course of the disease. MS is Caused By Heavy Metals or Diet +Although scientists have yet to identify one single cause for MS, they have concluded that it's not the result of a poor diet, negative attitude, or heavy metal poisoning from dental fillings or other environmental sources. Data suggests that MS is caused by a combination of environmental and genetic factors, and some studies say that hormones and certain viruses pay a role as well. Natural Treatments are 'Safer' and More Effective Than Prescriptions +There's much controversy surrounding alternative approaches to treating MS. Advocates of alternative forms of medication say that the conventional ways are ignoring or suppressing treatments that can ease symptoms or even cure some diseases. Opponents want patients to stick to treatments proven to be both safe and effective. MS is Easy To Diagnose +It isn't really. Actually it can take anything from months to years for an accurate diagnosis to be made. The current diagnostic criteria makes it easier to catch symptoms, but it still requires that evidence of demyelination is seen at two points in time and in different locations within the central nervous system. This can take some time. ADVERTISEMENT "No One Will Love Me Now That I Have MS" +Actually, confronting the challenges of MS may make many couples closer than ever. Talking about the problems and developing solutions together can deepen both partners' sense of intimacy. With situations of MS, sexuality does not have to disappear from the lives of couples when a partner has MS. No One Can Possibly Understand What I'm Going Through About 400,000 Americans acknowledge having and suffering from MS, and every week over 200 people are diagnosed. Worldwide, MS may affect 2.5 million individuals. Scientists Aren't Making Much Progress in the Fight Against MS +This is extremely false. The nationalMSSociety.org claims, "There has never been a more exciting time in MS research. Until 1993 there were no medicines that could alter the underlying disease, and now there are six approved drugs for different forms of MS. The National MS Society is spending $ 40 million every year to fight MS, including funding more than 3 50 in-depth investigations into virtually every aspect of this disease." ADVERTISEMENT Treatment Isn't Needed For Milder Cases +Although it's not completely necessary, people with milder symptoms should still consider treatment. A study published in December 2013 in the journal Acta Neuropathologica Communications agreed with early treatment for the prevention of long-term nerve cell damage. MS Relapses Don't Affect Cognitive Dysfunction +An MS relapse can actually interfere with your ability to think clearly or find the right words. About half of all people with MS have chronic short-term memory loss or multi-tasking problems. Occupational therapy, workplace accommodations, and organizational skills can help you cope \ No newline at end of file diff --git a/input/test/Test4380.txt b/input/test/Test4380.txt new file mode 100644 index 0000000..7b87a3b --- /dev/null +++ b/input/test/Test4380.txt @@ -0,0 +1 @@ +Physicists reveal oldest galaxies Astronomy - Aug 17 Some of the faintest satellite galaxies orbiting our own Milky Way galaxy are amongst the very first that formed in our Universe, physicists have found. Physics - Aug 16 To tame chaos in powerful semiconductor lasers, which causes instabilities, scientists have introduced another kind of chaos. Medicine - Aug 15 Death rates from stroke declining across Europe New research, published in the European Heart Journal has shown deaths from conditions that affect the blood supply to the brain, such as stroke, are declining overall in Europe but that in some countries the decline is levelling off or death rates are even increasing. Environment - Aug 16 Coral bleaching across Australia's Great Barrier Reef has been occurring since the late 18 th century, new research shows. Mathematics - Aug 15 Universities must seek a deeper understanding of the drivers of inequality in job roles and academic ranks if they are to achieve change. Categor \ No newline at end of file diff --git a/input/test/Test4381.txt b/input/test/Test4381.txt new file mode 100644 index 0000000..0efaca0 --- /dev/null +++ b/input/test/Test4381.txt @@ -0,0 +1 @@ +Search for: Tags Amit Shah (5) Apple Inc. (4) assam (5) Atal Bihari Vajpayee (14) Atal Bihari Vajpayee news (5) bharatiya janata party (6) Bihar (6) bitcoin (5) BJP (8) Chennai latest news (5) Chennai news (5) Chennai news live (5) Chennai news today (5) China (6) Congress (12) Cricket (5) delhi (5) donald trump (7) Football (6) health (9) idukki dam (6) independence day (14) India (17) india news (8) indian express (10) Kerala (8) kerala floods (13) Kerala rains (7) lok sabha (10) mahatma gandhi (5) narendra modi (23) Pakistan (6) Politics (12) Prime Minister of India (12) Rahul Gandhi (14) rajasthan (7) rbi (5) Reuters (9) Sports (8) Supreme Court (9) tamil nadu (8) Today news Chennai (5) us (7) virat kohli (5) World news (5) Categorie \ No newline at end of file diff --git a/input/test/Test4382.txt b/input/test/Test4382.txt new file mode 100644 index 0000000..cfc9dac --- /dev/null +++ b/input/test/Test4382.txt @@ -0,0 +1,7 @@ +Chipotle to retrain workers after Ohio illnesses Associated Press 6:14 AM, Aug 17, 2018 Share Article Copyright 2017 Scripps Media, Inc. All rights reserved. This material may not be published, broadcast, rewritten, or redistributed. Show Caption Previous Next +Chipotle says it will retrain all restaurant employees on food safety procedures after Ohio heath officials said tests tied to one store came back positive for an illness that occurs when food is left at unsafe temperatures. +The company had closed the Powell, Ohio, store last month for cleaning when it became aware of reported illnesses. That store reopened the next day, and health officials were awaiting tests to determine the source. +The Delaware General Health District said Thursday that food samples from the store tested negative for clostridium perfringens, but stool samples came back positive for the toxin it forms. Traci Whittaker of the health district says five of six stool samples came back positive. The health district says no specific food has been identified as the source. +Chipotle CEO Brian Niccol said the retraining will start next week and the daily routine will be augmented. The company has been working to recover from food scares in late 2015 that sent sales plunging. +Shares of Chipotle were down 3 percent Thursday afternoon. +Copyright 2018 The Associated Press. All rights reserved. This material may not be published, broadcast, rewritten or redistributed \ No newline at end of file diff --git a/input/test/Test4383.txt b/input/test/Test4383.txt new file mode 100644 index 0000000..bca2d36 --- /dev/null +++ b/input/test/Test4383.txt @@ -0,0 +1,5 @@ +Manchester City expect Kevin De Bruyne to return from his knee injury within three months after the Belgium midfielder travelled to Barcelona on Thursday for treatment. +After sustaining the injury in training on Wednesday, De Bruyne appeared at the premiere of All or Nothing, a documentary about last season's champions to be aired on Amazon Prime, on crutches and with his right knee in a brace. The 27-year-old flew to see renowned doctor Ramon Cugat the following morning, with further tests revealing that he does not require surgery on his damaged lateral ligament. +Chelsea v Arsenal, La Liga and Serie A kick off: football countdown – live! Read more +A statement from City on Friday confirmed that De Bruyne suffered a lateral collateral ligament (LCL) lesion in his right knee. "No surgery is required, and the midfielder is expected to be out for around three months," read the statement. +However, it is understood that the club remains hopeful he could be back in action sooner, meaning De Bruyne – who was voted as City's player of the season as they won the title with a record number of points – would return before the end of October. That would see him miss crucial fixtures against Liverpool, Tottenham and Manchester United, as well as the first two rounds of fixtures in the Champions League \ No newline at end of file diff --git a/input/test/Test4384.txt b/input/test/Test4384.txt new file mode 100644 index 0000000..a9b3b42 --- /dev/null +++ b/input/test/Test4384.txt @@ -0,0 +1,3 @@ +Election Websites, Back-End Systems Most at Risk of Cyberattack in Midterms By - August 15, 2018 +Both adult and kid hackers demonstrated at DEF CON how the hackable voting machine may be the least of our worries in the 2018 elections. Archives Tags attacker awareness backdoor biometrics bitcoin Brazil Breach BYOD Canada china Cisco cloud crime crypto D-Link dos facebook firewall Google hacker intelligence IoT korea Lavabit malware Microsoft military mobile NSA password payment privacy ransomware security Snowden social spam Threat Intelligence Trump twitter USA vulnerability Yahoo Terms of Use The views expressed on this site are those of the author alone and do not necessarily reflect the views of any other other entity. By using this site you agree to our Terms of Use and Privacy Policy. ABOUT US Security news, views, and resources. FOLLOW US © Copyright 2013-2018 SecurityShelf.com. All Rights Reserved. +This site uses cookies and Google Analytics. By using this site you agree to our Privacy Policy . Privacy Preference \ No newline at end of file diff --git a/input/test/Test4385.txt b/input/test/Test4385.txt new file mode 100644 index 0000000..7567e5c --- /dev/null +++ b/input/test/Test4385.txt @@ -0,0 +1,24 @@ +5 Tips for Incorporating Video into Your Social Media Strategy Author share +With people watching more video than ever online, it makes sense for brands to consider how they too can incorporate video into their messaging, and align with broader consumption trends. +Videos can be a great way to show off your product, highlight your personality and connect with your audience. If you've been thinking about creating videos for your social media strategy, here are a handful of my top tips on how to do it. 1. Consider Your Purpose +Before you get started with video, take a step back and think about the purpose behind your approach. +Do you want to showcase your product? Provide entertainment? Do you want to help your audience get to know you and build a better brand relationship? +Being intentional and clear about what your goal is will help you create video content that resonates with your audience. 2. Where Will Your Video Be Posted? +My second tip for integrating videos for your social media strategy is to think about where your audience is online and where you'll be posting videos. +There are so many options - you can post videos on Facebook, YouTube, or Instagram's recently launched IGTV platform. +Knowing where you want to post your video before you create it is key to not wasting time on a format that won't work on it's intended channel. Each platform has different time limitations, different display formats, creative options, etc. +Also, with a rising num b er of people now viewing videos on mobile, creating vertical video content is becoming a bigger consideration . Vertical videos are the preferred format on IGTV and Snapchat, while they're also increasingly supported on other platforms (including YouTube ). 3. Add Value +When creating videos for your social media strategy, you need to always be adding value. +But value isn't always an educational moment - value can be a laugh, a moment of reflection, a look into a new or existing product, etc. The point here is that you shouldn't be posting videos which aren't relevant to your brand. +Re-posting a popular video, or a video of your dog, might get you likes, but if it doesn't relate to your brand proposition, it's not adding to your overall presence. 4. Live Videos Don't Have to Look Super Polished +Here's a tip to take a little pressure off of creating live videos for your social media channels – they don't need to be super polished. +I would even say that your regular videos don't need to be cinematic masterpieces at all - if you can afford to hire someone to help you with your videos that's amazing, but if you can't, don't fret. +With live videos for social media, people expect a less than perfect stream – it's part of the appeal of the in the moment format. Just make sure you have a good connection to avoid laggy videos. ​5. Use Video Editing Apps +Video editing apps will make your life a lot easier when creating videos for your social media channels. +There are a ton of them out there – try a few different options out and discover which ones make sense for you. +Recently, I've been playing about with VideoShop and of course there's always iMovie . +The more you use these apps and programs the better you'll get at using them - I personally used to overthink creating videos for my social media channels, but I'm proud to say that I quickly got over that and now I hold a weekly Instagram Live session I call #CoffeeWithDhari . Every Friday morning at 9 AM I take some time to chat about current happenings in social media and take questions from my followers. It's a lot of fun and as the weeks have gone on the easier it's gotten, while also generating improving results. +The next step is to take my live sessions and turn them into videos for my IGTV channel . +I challenge you to dip a toe into video content for your social media channels. Tell your brand story, show off new ways to use your product, or just take your audience behind the scenes. +A version of this post was first published on Dhariana Lozano's blog . +Follow Dhariana Lozano on Twitte \ No newline at end of file diff --git a/input/test/Test4386.txt b/input/test/Test4386.txt new file mode 100644 index 0000000..28b41a2 --- /dev/null +++ b/input/test/Test4386.txt @@ -0,0 +1,12 @@ +by John Aldred 3 Comments +I've not quite decided yet whether the Chroma Chrono is genius or a gimmick. It's an interesting idea, a programmable RGB camera flash capable of putting out, apparently, 16 million colours. But is it really all that useful or practical? +Possibly not surprisingly, the Chroma Chrono is currently being funded through Kickstarter . I can see it either becoming wildly successful, or it'll be another one of those items you buy, use once, and then forget about in a drawer. +That's not to say that the Chroma Chrono is a bad idea. There are potentially some pretty interesting uses for such a flash. I mean, we use gels with speedlights all the time. So, why not, right? Colour's colour. But usually, we don't need the kind of variety in our gels that the 8Bit colour spectrum offers. Unless we're going for effects, it's typically a CTO or a CTB, and taping one of those over a flash head isn't a big deal. +For effects, it's a different matter entirely. With effects gels, we see all kinds of crazy colours being used by photographers, and this is where the Chroma Chrono looks like it may fit. Especially when you consider this has a huge advantage over a gelled speedlight. Well, aside from not having to carry a stack of gels around with you. +Using a mobile app, you can key in specific colours, define the duration for which they're on, and then set an interval for how long they're off. This way, you can programme a sequence of colours, timed to perfection. Great for long exposure experiments. You're not going to be able to swap out gels on a speedlight quite as efficiently. +The Chroma Chrono uses an LED as its light source. Like most recent LED flashes, it works on the principle of essentially overcharging the LED. Sending more current through it than it can normally accept. It can get away with this because it's doing it for such a short amount of time. The components, in theory, are never on for long enough to do any real permanent damage. +But, just in case you do kill it, spare LEDs are available, and they're user replaceable. As you can see in this prototype unit, the design is pretty simple. Batteries and LED are both easily replaceable when needed. +It is a very specific niche product, I think. I can't see it being widely adopted, but that does not mean to say that this isn't the way speedlight flash technology may go in the future. LEDs are getting more advanced on a daily basis. Their colour's getting better, they're more efficient, they can handle more power input and light output. So, one day, all speedlights might become super-efficient LEDs. +For now, though, they're in their infancy. They have limited power and uses. But even if LEDs aren't the future of flash, the idea of the Chroma Chrono is rather cool. I couldn't see myself fitting it into my regular shoot workflow, but I can see it having very specific use cases that no other device can solve – unless you try to build your own from scratch. +It's a bit like the MIOPS Splash , in that respect. It serves a function, and seemingly does it rather well. But it's not something that most photographers are going to use regularly. It'll go in a drawer and come out occasionally when you fancy having a play with it or a genuine need occurs. And you get the control and consistency that a microprocessor and a mobile app offer. +If you want to get a Chrono Chroma of your own, they're currently available through Kickstarter for £120. There's 5 left at that price, after which they'll go up to £140. Shipping is expected in February 2019 \ No newline at end of file diff --git a/input/test/Test4387.txt b/input/test/Test4387.txt new file mode 100644 index 0000000..4a7792e --- /dev/null +++ b/input/test/Test4387.txt @@ -0,0 +1,22 @@ +by The Associated Press Posted Aug 17, 2018 7:31 am ADT +Your daily look at late-breaking news, upcoming events and the stories that will be talked about today: +1. WHO INSPIRED WOMEN TO GET "RESPECT" +Aretha Franklin didn't see herself as a feminist heroine, but many women felt empowered by the message in some of her most famous anthems. +2. WHO IS REBUKING TRUMP FOR YANKING SECURITY CLEARANCES +Former U.S. security officials issued scathing rebukes to President Donald Trump, admonishing him for yanking a top former spy chief's security clearance in what they cast as an act of political vengeance. +3. THE HOLY SEE ADDRESSES THE ABUSES IN PENNSYLVANIA +The Vatican is expressing "shame and sorrow" over a scathing Pennsylvania grand jury report about clergy who raped and molested children in that state. +4. WHICH MILITARY VETERANS SEEK CHANGE IN CONGRESS +Female veterans are campaigning to change Congress, where those with military experience account for just 1 in 5 lawmakers. +5. SLAIN COLORADO MOM PAINTED PORTRAIT OF HAPPY MARRIED LIFE +Shanann Watts painted a rosy picture of family life which grimly jars after her husband was arrested on suspicion of killing her and their two daughters. +6. IS DEADLY NEW FRONT IN PAKISTAN'S TERROR WAR +Karachi's counterterrorism department chief says the Islamic State group is the newest and deadliest front in Pakistan's decades-old war on terror. +7. WHO IS FORGING A BOND FOR MIDTERMS +As the Senate convened for a rare August work period, the late-summer session serves as a reminder of how much has changed in the partnership between Senate Majority Leader Mitch McConnell and President Donald Trump. +8. MATTIS SAYS FURTHER TALIBAN ASSAULTS LIKELY +U.S. Defence Secretary Jim Mattis says the Taliban's deadly assault on the Afghan city of Ghazni is the kind of violence the insurgents are likely to repeat in the run up to parliamentary elections. +9. MEN CHARGED IN WAREHOUSE FIRE DEATHS TO APPEAR IN COURT +The two men charged in the deaths of 36 people in an Oakland warehouse fire are scheduled to appear in court for the first time since a judge scuttled their plea deal. +10. AFGHAN ROCK BAND STRUGGLES IN IRAN +Four rockers that make up the band, known as Arikayn, are Afghan refugees, and their struggles mirror those of millions of other Afghans who have fled to Iran during decades of war \ No newline at end of file diff --git a/input/test/Test4388.txt b/input/test/Test4388.txt new file mode 100644 index 0000000..ecc31ac --- /dev/null +++ b/input/test/Test4388.txt @@ -0,0 +1,10 @@ +Insider Selling: CA, Inc. (CA) Insider Sells $1,497,917.08 in Stock Paula Ricardo | Aug 17th, 2018 +CA, Inc. (NASDAQ:CA) insider Ayman Sayed sold 34,562 shares of the company's stock in a transaction dated Monday, August 13th. The shares were sold at an average price of $43.34, for a total transaction of $1,497,917.08. Following the sale, the insider now owns 89,514 shares of the company's stock, valued at $3,879,536.76. The transaction was disclosed in a filing with the Securities & Exchange Commission, which can be accessed through the SEC website . +Ayman Sayed also recently made the following trade(s): Get CA alerts: On Friday, August 10th, Ayman Sayed sold 18,693 shares of CA stock. The shares were sold at an average price of $43.27, for a total transaction of $808,846.11. On Thursday, July 12th, Ayman Sayed sold 13,858 shares of CA stock. The shares were sold at an average price of $43.89, for a total transaction of $608,227.62. On Wednesday, May 16th, Ayman Sayed sold 83,703 shares of CA stock. The shares were sold at an average price of $34.87, for a total transaction of $2,918,723.61. +Shares of NASDAQ:CA opened at $43.61 on Friday. The stock has a market cap of $18.14 billion, a PE ratio of 18.80, a PEG ratio of 5.06 and a beta of 0.84. The company has a quick ratio of 2.21, a current ratio of 2.21 and a debt-to-equity ratio of 0.32. CA, Inc. has a 12 month low of $31.45 and a 12 month high of $44.25. +CA (NASDAQ:CA) last issued its quarterly earnings data on Monday, August 6th. The technology company reported $0.54 EPS for the quarter, missing the consensus estimate of $0.68 by ($0.14). The firm had revenue of $938.00 million for the quarter, compared to the consensus estimate of $1.05 billion. CA had a net margin of 11.19% and a return on equity of 15.11%. The business's revenue was down 8.5% on a year-over-year basis. During the same period last year, the company posted $0.61 earnings per share. equities analysts anticipate that CA, Inc. will post 2.57 earnings per share for the current year. +The company also recently disclosed a quarterly dividend, which will be paid on Tuesday, September 11th. Stockholders of record on Thursday, August 23rd will be paid a dividend of $0.255 per share. This represents a $1.02 annualized dividend and a dividend yield of 2.34%. The ex-dividend date of this dividend is Wednesday, August 22nd. CA's dividend payout ratio (DPR) is 43.97%. +Several large investors have recently modified their holdings of the company. First Mercantile Trust Co. bought a new position in CA in the second quarter worth about $113,000. Captrust Financial Advisors raised its stake in CA by 53.5% in the second quarter. Captrust Financial Advisors now owns 4,458 shares of the technology company's stock worth $159,000 after buying an additional 1,553 shares in the last quarter. Intact Investment Management Inc. bought a new position in CA in the second quarter worth about $214,000. Zeke Capital Advisors LLC bought a new position in CA in the first quarter worth about $237,000. Finally, Hikari Power Ltd raised its stake in CA by 22.2% in the second quarter. Hikari Power Ltd now owns 7,490 shares of the technology company's stock worth $267,000 after buying an additional 1,360 shares in the last quarter. 68.06% of the stock is owned by hedge funds and other institutional investors. +Several analysts have issued reports on CA shares. Zacks Investment Research lowered shares of CA from a "hold" rating to a "sell" rating in a research report on Friday, May 11th. ValuEngine lowered shares of CA from a "buy" rating to a "hold" rating in a research report on Wednesday, May 2nd. Wells Fargo & Co upgraded shares of CA from an "underperform" rating to a "market perform" rating and upped their price target for the company from $30.00 to $45.00 in a research report on Thursday, July 12th. Sanford C. Bernstein upgraded shares of CA from an "underperform" rating to a "market perform" rating and set a $19.00 price target for the company in a research report on Thursday, July 12th. Finally, Evercore ISI upgraded shares of CA from an "underperform" rating to an "in-line" rating and set a $44.50 price target for the company in a research report on Thursday, July 12th. Ten research analysts have rated the stock with a hold rating and three have issued a buy rating to the company. The company currently has an average rating of "Hold" and a consensus price target of $38.07. +CA Company Profile +CA, Inc, together with its subsidiaries, develops, markets, delivers, and licenses software products and services in the United States and internationally. It operates through three segments: Mainframe Solutions, Enterprise Solutions, and Services. The Mainframe Solutions segment offers solutions for the IBM z Systems platform, which runs various mission critical business applications. CA C \ No newline at end of file diff --git a/input/test/Test4389.txt b/input/test/Test4389.txt new file mode 100644 index 0000000..4acb3d6 --- /dev/null +++ b/input/test/Test4389.txt @@ -0,0 +1 @@ +According to the new market research report ' Cargo Inspection Market by Industry (Oil , Gas , & Petrochemicals, Metals & Mining, and Agriculture), and Region ( North America , Europe , Asia Pacific , and Rest of the World ( South America and Middle East & Africa ) - Global Forecast to 2023', the cargo inspection market i \ No newline at end of file diff --git a/input/test/Test439.txt b/input/test/Test439.txt new file mode 100644 index 0000000..c617d04 --- /dev/null +++ b/input/test/Test439.txt @@ -0,0 +1 @@ +Blocked Unblock Follow Following Socialist, traveller, urbanist. I write critically about the role of technology in cities, and curate the Radical Urbanist newsletter: http://bit.ly/radurbanist Aug 9 The Future of Mobility Belongs to People, Not Self-Driving Cars Shared streets were our past, but they're also our future Photo by Jack Finnigan on Unsplash For the past several years, Silicon Valley's tech titans have been telling the world that autonomous vehicles would be the future of urban mobility. No longer would we have to drive personal vehicles or even walk the "last mile" from transit stops to our final destinations — pods piloted by computers would whisk us wherever we wanted to go at minimal cost. The most ambitious technologists even claimed that transit was outdated — it was dirty, scary , and didn't get you to your final destination — but autonomous vehicles would would make "individualized" transportation accessible to all — space limitations of dense urban cores be damned! Can you seriously see us trying to cram all the people on the sidewalks of New York City, or almost any major city around the world, into autonomous pods without creating the worst gridlock we've ever seen? It's a hilarious proposal that some technologists really believe in — remember that Elon Musk wants to build a ton of tunnels below Los Angeles for this exact reason. Of course, autonomous vehicles will not dominate the streets of the future. The blind fantasies of tech boosters whose visions are limited by their elite lifestyles and ignorant belief that their knowledge can translate to any field they choose are finally being revealed for being based on a technical foundation that may never achieve the capabilities they promised. And while the reality of being sold a lie leaves some discouraged, a much more exciting proposition for the future of mobility is emerging. Instead of streets that are hostile to anyone not in a metal box weighing a ton or two, the prospect of reclaiming streets for people — not cars — could be within reach. Waking up to autonomous limitations It's hard to understate the significance of the impact that the pedestrian death in Tempe, Arizona had on the industry in the months after March 2018. Ambitious visions were replaced with cautious statements about the capabilities and prospects for autonomous vehicles, and for once it seemed that industry leaders were coming to terms with the realities of the technology that they'd lost touch with after several years of building hype. Counter to previous industry claims, there's no reliable data backing the notion that autonomous vehicles are safer than human drivers, and we're still far from having the necessary data to derive such statistics . Indeed, it's even possible that by ignoring the technology's limitations, companies have placed autonomous vehicles in situations they weren't equipped to handle, making them far more dangerous than if they took a more cautious approach. Some of the industry's biggest boosters are even starting to admit that their imagined futures where autonomous vehicles dominate the streets wouldn't simply rely on achieving a level of artificial intelligence that could take a lot longer to develop than they initially thought — possibly several decades — but will also require pedestrians to change their behavior to accomodate AI drivers. Andrew Ng, a former director of Google Brain and Baidu executive, told The Verge that instead of designing AI that can deal with edge cases, "we should partner with the government to ask people to be lawful and considerate. Safety isn't just about the quality of the AI technology." Or, as Verge writer Russell Brandom put it, the boosters of autonomous driving want to "make roads safe for the cars instead of the other way around" — certainly not the goal we should be striving toward. The futures enabled by autonomous vehicles that prominent technologists have laid out are pure fantasy. If we buy into them, we may discover, in a decade or so, that instead of the emancipatory "individualized" transportation we were promised, we instead entrenched the worse aspects of automobility: longer commutes, more traffic jams, negative health outcomes from a lack of physical activity, and a further decline in the quality of mass transit. At a time when an increasing number of people accept that the suburban, auto-dependent lifestyle we were sold in the post-war period isn't as liberating as we were led to believe, doubling down on that very path of development would be foolish. We stand at a decisive point in determining the future of how we move in urban space. And honestly, not only can we do better, but we deserve better. Flourishing of new mobility options The enthusiasm of those who were once major backers of autonomous vehicles may have faded, but it hasn't disappeared; for some, it's been redirected to a suite of mobility services that are finding their way to streets and sidewalks the world over. But not without controversy. Docked bike-share services have been around for a while, with central stations where riders can rent or return a bike by interacting with a digital interface. In contrast, the new range of services that have gained attention in the past year scatter dockless bikes and scooters around the city which can then be activated through the respective company's app. However, it isn't uncommon for people to abandon their dockless bikes and scooters on the sidewalk, potentially blocking it for pedestrians and people in wheelchairs, and prompting a backlash from those groups. This is part of the problem with the rollout of new mobility services by private companies which don't first consult with the local government, and is precisely why many US cities quickly stepped up to regulate the new services. Putting aside some of the initial hiccups, there's a bigger question that must be asked: could these new services encourage more people to move away from cars and embrace more active forms of mobility? There's little data to form a conclusive answer yet, but there are some positive signs. A new study from Populus , a research group co-founded by leading shared-mobility analyst Regina Clewlow, suggests that electric scooters are seeing rapid adoption in the US cities where they're currently available. The residents of those cities tend to have a positive view of the services and the scooters seem to promote greater equity than docked bikes: women are more likely to use them and low-income groups are more supportive of them. Additional research showed that dockless bikes in Washington, DC were well-received and were more likely to be used in the city's black neighborhoods. However, the number of rides per dockless bike tend to be much lower than for docked systems, and it's still far from clear whether dockless services can actually be profitable — a necessity given they're operated by private companies. A recent piece in The Information suggested that may be difficult, as there's likely to be little brand loyalty for users of electric scooters. The reality is that many of the initial issues with these companies could be rather easily addressed with regulations on where the dockless scooters and bikes should be stored, the number that could be on the streets at a given time, and making the companies responsible when issues aren't addressed. When Lime rolled out in Paris, they first consulted with the local government, and as a result they hired a team to pick up and charge the scooters, and move them if they were in places they shouldn't be — very different from how they approached their entry into California's major cities. The issues with these new active transportation services do point to a larger issue present in many cities: there's a far greater percentage of street space allocated to vehicles than the percentage of people who use that mode of transportation. These services may have issues, but if they successfully entice more people to use them, they could help make the case for a more significant transformation of our streets. Reclaiming streets for people Think about the current layout of a street. Typically there's a wide paved space for cars — usually two to four lanes, depending on the area of the city — then a narrow elevated strip on either side for pedestrians. Some streets may have lines painted on the pavement near the sidewalks for bikes, while a much rarer layout will actually have a barrier to give bikes their own space protected from automobiles. However, as more people walk and switch to active mobility services, the pressure is growing for them to be allocated more of the limited street space, which is illustrated by some of the backlash to the proliferation of dockless bikes and scooters: pedestrians didn't like having their limited space further encroached upon. Out of nowhere, these new mobility options emerged, and it seems more people are at least giving them a try, placing more demand on the area that pedestrians, cyclists, and people using scooters are largely expected to share, while people sitting alone in massive SUVs get a ton of space to themselves, block buses from getting to their stops on time, and get angry if a bike goes anywhere near them. The status quo is not a sustainable street configuration, and these new services could help to change it. Tech startups are able to exert a disproportionate amount of pressure on local governments — just look at how well Airbnb and Uber have avoid stricter regulations. Lyft and Bird have already proposed helping to fund protected bike lanes, and while having private companies pay for public infrastructure is not the path forward, their influence, combined with the voices of those already demanding such changes, could finally force local governments to take action and reinforce a positive cycle of growth in active transportation. People in urbanist circles are familiar with the concept of induced demand, which essentially states that when more of something becomes available, people are more likely to consume or use it. In the context of transportation, that means that if a government builds more roads, we're likely to get more drivers — which is why so many projects to relieve congestion rarely work as more drivers fill the new roads — but if governments build wider sidewalks and bike lanes, we'll get more people walking and cycling. Beyond making transportation for more efficient, both environmentally and spatially, a greater share of active transportation would also have enormous health benefits and would save governments a ton of money . From that perspective, investing in bike lanes could have pretty significant returns. This isn't to say that there aren't real issues that will need to be addressed with the new dockless services and other forms of micro-mobility taking over our streets. It may be that these private services are not in the public interest, and some alternative run by the local transit agency will be a better option. Further, as bike and scooters are electrified, governments will need to determine the speeds and types of electrification that will be appropriate for their specific urban contexts. However, even with those considerations, the short-term ability of these services to introduce people to and encourage them to use bikes and scooters to navigate the urban environment are simply a preview of how mobility is changing and will force a renegotiation of street space to accommodate the growing number of people who are eschewing vehicles for other means of getting around the city. The future is coming, and it doesn't care whether technologists think they can profit off autonomous vehicles. People, carriages, and streetcars sharing the streets of Herald Square, NYC in 1884. Source: Internet Archiv \ No newline at end of file diff --git a/input/test/Test4390.txt b/input/test/Test4390.txt new file mode 100644 index 0000000..237115e --- /dev/null +++ b/input/test/Test4390.txt @@ -0,0 +1,11 @@ +Panther Metals PLC - Appointment of Non-Executive Chairman PR Newswire ("Panther Metals" or the "Company") APPOINTMENT OF NON-EXECUTIVE CHAIRMAN +Panther Metals PLC (NEX:PALM), is pleased to announce that Dr. Ahmet Kerim Sener has been appointed as Non-Executive Chairman of the Company with immediate effect. +Mitchell Smith , Executive Officer of Panther Metals commented : +"I am extremely pleased to announce the appointment of Kerim to the board of Panther Metals as Non-Executive Chairman. Kerim brings considerable management and operational experience to the Company, and we have followed his work as Managing Director of Ariana Resources where he has successfully taken an exploration project all the way through to commercial gold production. +It is rare to find a professional geologist with the breadth of experience Kerim holds, alongside his extensive network across the natural resource sector from which we anticipate a number of additional new opportunities may arise. +The board welcomes Kerim and looks forward to working with him to advance Panther Metals into a great natural resource focused company." +As at the date of this announcement, Dr. Sener does not have an interest in any ordinary shares of the Company. +Kerim graduated from the University of Southampton with a first-class BSc (Hons) degree in Geology in 1997 and from the Royal School of Mines, Imperial College, with an MSc in Mineral Exploration in 1998. After working in gold exploration and mining in Zimbabwe , he completed a PhD at the University of Western Australia in 2004 and worked on a variety of projects in Western Australia and the Northern Territory. Since then he has been responsible for the discovery of over 3.8Moz of gold in Eastern Europe and has been instrumental in the development of an active gold mine in Turkey . +He is a Fellow of The Geological Society of London , Member of The Institute of Materials, Minerals and Mining, Member of the Chamber of Geological Engineers in Turkey and a member of the Society of Economic Geologists. +Kerim is a director of a number of companies including Ariana Resources plc, the AIM quoted exploration and development company and Matrix Exploration Pty. Ltd., a mineral exploration consultancy. He is also an Adjunct Research Associate at the Centre for Exploration Targeting, University of Western Australia . +Kerim has been a director or partner of the following companies/partnerships in the last five years: Current Directorships and Partnership \ No newline at end of file diff --git a/input/test/Test4391.txt b/input/test/Test4391.txt new file mode 100644 index 0000000..0d9e9f0 --- /dev/null +++ b/input/test/Test4391.txt @@ -0,0 +1,19 @@ +The "Smart Cities - Global Strategic Business Report" report has been added to ResearchAndMarkets.com's offering. +The report provides separate comprehensive analytics for the US, Canada, Japan, Europe, Asia-Pacific, Middle East & Africa, and Latin America. Annual estimates and forecasts are provided for the period 2015 through 2024. +This report analyzes the worldwide markets in US$ Million by the following End-Use Segments: +Industry Automation Power Supply Security Education Buildings & Homes Others The report profiles 88 companies including many key and niche players such as: +ABB Ltd. (Switzerland) AGT International (Switzerland) Cisco Systems, Inc. (USA) Current (USA) Engie (France) Ericsson (Sweden) Hitachi, Ltd. (Japan) Honeywell International, Inc. (USA) Huawei Technologies Co., Ltd (China) IBM Corporation (USA) Intel Corporation (USA) Itron, Inc. (USA) Johnson Controls International plc (Ireland) Libelium Comunicaciones Distribuidas S.L (Spain) Microsoft Corporation (USA) Nokia Corporation (Finland) Oracle Corporation (USA) Panasonic Corporation (Japan) Schneider Electric SA (France) Siemens AG (Germany) Spatial Labs, Inc. (USA) Telensa Limited (UK) Urbiotica (Spain) Verizon Communications, Inc. (USA) Worldsensing SL (Spain) Key Topics Covered +1. Introduction, Methodology & Product Definitions +2. Industry Overview +3. Market Trends & Issues +Growing Environmental Footprint of Cities Shifts Focus onto Smart Cities Funding Support: Vital for Smart Cities Initiatives Shift Towards Open Governance Model Fuels Interest in Smart Cities A Review of ICT Technologies Enabling Smart Cities Geographic Information System (GIS) IoT Lies at the Heart of the Connected Self-Aware Environment Epitomized by Smart Cities IoT Implementations in Smart Homes & Buildings Growing Prominence of Sensor Technology in Smart Cities Rising Significance of Smart City as a Service Edge and Fog Computing Facilitate Real-time Analytics with Low Bandwidth Consumption Advances in Technology and Innovative Financing Solutions Facilitate Development of Smart City Initiatives Communication Networks Hold Significance for Smart Connected Cities Open Data to Provide Long-Term Business Opportunities +4. Going From Idea to Reality: A Peek Into How Cities are Getting Smarter +5. Smart Cities - A Conceptual Overview +6. Competitive Landscape +6.1 Focus on Select Players +6.2 Product/Service Innovations/Introductions +6.3 Recent Industry Activity +7. Global Market Perspective +Total Companies Profiled: 88 (including Divisions/Subsidiaries - 96) +The United States (38) Canada (2) Japan (2) Europe (38) France (7) Germany (5) The United Kingdom (3) Italy (1) Spain (6) Rest of Europe (16) Asia-Pacific (Excluding Japan) (13) Middle East (3) For more information about this report visit https://www.researchandmarkets.com/research/6b54kj/global_smart?w=4 +View source version on businesswire.com: https://www.businesswire.com/news/home/20180817005124/en \ No newline at end of file diff --git a/input/test/Test4392.txt b/input/test/Test4392.txt new file mode 100644 index 0000000..7d5ae57 --- /dev/null +++ b/input/test/Test4392.txt @@ -0,0 +1 @@ +NAFCU's Long on FOX News radio: Wage growth reflects productivity Curt Long, NAFCU Chief Economist and Vice President of Research NAFCU Chief Economist and Vice President of Research Curt Long joined the FOX News Rundown radio program Thursday to offer insight on the lack of wage growth as host Jessica Rosenthal explored strong and weak aspects of the U.S. economy. In response to a question from Rosenthal on why wage growth has been stagnant, Long described it as "a bit of a mystery." "The mechanics of wage growth are something that aren't that well understood, but the one real clear connection that we do have is with productivity," Long said. "Productivity has been quite low during the recovery." Long add that recent figures from the Commerce Department, which indicated strong productivity in the second quarter, could lead to wage growth in the coming months. However, Long acknowledged that it's difficult to measure the productivity of some industries that aren't necessarily making products. "As our economy has focused more and more on the service industry, there may be some measurement bias in there," Long said. "That could be a factor, but I think the wage growth figure is indicative that the labor productivity is low." The full program is available here ; Long's interview starts around the 9-minute mark. Share Thi \ No newline at end of file diff --git a/input/test/Test4393.txt b/input/test/Test4393.txt new file mode 100644 index 0000000..4096200 --- /dev/null +++ b/input/test/Test4393.txt @@ -0,0 +1,12 @@ +Website Design from existing iPad app (PSD or Sketch) -- 2 +Hi, +I am developing website from existing iPad app. I need website designer to make PSD or Sketch. +- Charge Savvy +[login to view URL] +This is the iPad app that I have developed. You can check it in your iPad. I need desktop web site version. +modern look & feel and responsive design. I need to pass test at first step. +So you can build first page and send me JPEG. If it's great, I will process continously. +Of course, I will pay you for first page. After payment is completed, please send me PSD or Sketch. +I need to complete this project shortly. Also I have donzen projects in future. So I am finding long term relationship designer. +Also I like Chinese designer (because of communication). But other location is fine.. +Happy Bidding \ No newline at end of file diff --git a/input/test/Test4394.txt b/input/test/Test4394.txt new file mode 100644 index 0000000..1e713de --- /dev/null +++ b/input/test/Test4394.txt @@ -0,0 +1,7 @@ +Amazon Web Services AWS SNS message integration into MySQL database +I currently have a custom real estate transaction system and I need to integrate AWS SNS messages from a third party into that system. Given the AWS access key information, I need someone to setup the SNS subscriptions and configure my application to receive the data and populate that data into an existing database. Basically; +- setup the AWS integration +- subscribe to a set of SNS messages +- create a table in the database to receive the messages +- confirm that everything is working +Please see the attached file for all the details. Looking to complete this soon. ( 13 reviews ) Wake Forest, United States Project ID: #17591283 Offer to work on this job now! Bidding closes in 6 days Open - 6 days left Your bid for this job USD Set your budget and timeframe Outline your proposal Get paid for your work It's free to sign up and bid on jobs 12 freelancers are bidding on average $220 for this job schoudhary1553 Hello Sir, I am the expert freelancer here. I am on the 6th position through out the world to deliver the quality job. I have deliver here more than 385 + projects with 100% client satisfaction. I have more than 5 More $250 USD in 4 days (48 Reviews) humrobo Hi, hope you doing well sir i read your message in given below i make sure you that i can help you to AWS SNS message integration into MySQL database as well better for you well i make sure you one thing that i More $155 USD in 3 days (30 Reviews \ No newline at end of file diff --git a/input/test/Test4395.txt b/input/test/Test4395.txt new file mode 100644 index 0000000..9cf0877 --- /dev/null +++ b/input/test/Test4395.txt @@ -0,0 +1,8 @@ +#HighTrends Seven Steps To Better Thinking -- Boost hormones Power +Try to help keep a positive outlook: Every day life is a challenge for sure, but bargain for better outlook will encourage neural chemistry to find solutions for any problems. +You are Smart Drug proper yourself, just? You're a smart man. You exercise. You've got engineered a sensible career. Everyone tells you what a terrific guy you would be for any lady. Thus, consider! Ladies will smell weakness like we are inclined Cognigenx Clarity Ingredients to can smell barbecue cooking. Ever walked down the road and seen an incredible woman a great "average guy" and assume "how did he get her?" I'm betting that he or she had confidence and wasn't afraid to approach the girls! +Mindfulness - This connected with meditation has been supported by research permitting the brain to focus better; impede busy-brain; stimulate brain cell growth; reduce stress; and increase EQ (even IQ per some reports), creativity, concentration, immune system function, and on and located on. Why aren't they teaching this in schools? +Several nootropics act like a vasodilator. Vasodilators are medications or additional factors that will open inside the blood blood vessels. This can raise the flow of oxygen on the brain. An insufficient associated with oxygen for the brain could be the beginning of this problem of concentration mistake. +If searching to learn better in school, you are able to consider Nootropic. The growing system help you remember the dates for the Battle from the Bulge, focus on that annoying Cognigenx Clarity Reviews Algebra problem, and remember French Vocab. +Start taking Zinc - Zinc is really a mineral assists Brain Pill functionality and aids in skin want. specifically the protection against scars. You'll find it keeps the dermis layer of the skin healthy. This layer of this skin plays a vital role within skins flexibility. You can find a zinc supplement for several dollars to your local boutique. +Peanut Butter: Did you ever wonder why peanut butter is so common in sack lunches? Dr. Mom probably recognized that had been an important brain eating. Having a PB&J before homework is usually Cognigenx your best bets for getting an A on your favorite assignment \ No newline at end of file diff --git a/input/test/Test4396.txt b/input/test/Test4396.txt new file mode 100644 index 0000000..3b4c738 --- /dev/null +++ b/input/test/Test4396.txt @@ -0,0 +1,2 @@ +Author: Yahoo News +Tsunamis will become more common and more ferocious with global warming, scientists have warned after a study found that global sea level rises will increase the risk of coastal cities being wiped out. Smaller earthquakes that currently pose no serious tsunami threat could unleash waves capable of inundating coastal cities, researchers found in a study focusing on the city of Macau in China. Currently it is considered safe from tsunamis, despite lying within a major earthquake zone. At today's sea level, it would take a very powerful earthquake tipping past magnitude 8.8 to cause widespread tsunami flooding in Macau. But a half-metre rise in sea level – predicted to occur in the region by 2060 – could more than double the chances of a huge tsunami swamping the territory, according to the research. A three-foot sea level rise, expected by 2100, would increase the risk up to 4.7 times. The source of the earthquake danger is the Manila Trench, a massive crack in the floor of the South China Sea formed by the collision of two tectonic plates. It has generated numerous earthquakes, though none larger than magnitude 7.8 since the 1560s. A modest rise in sea levels would greatly amplify the tsunami threat from smaller earthquakes, the computer simulation study showed. Cities most prone to natural disaster Lead researcher Dr Robert Weiss, from Virginia Polytechnic Institute and State University (Virginia Tech) in the US, said: "Our research shows that sea-level rise can significantly increase the tsunami hazard, which means that smaller tsunamis in the future can have the same adverse impacts as big tsunamis would today. "The South China Sea is an excellent starting point for such a study because it is an ocean with rapid sea-level rise and also the location of many mega cities with significant worldwide consequences if impacted." The team's findings are reported in the journal Science Advances \ No newline at end of file diff --git a/input/test/Test4397.txt b/input/test/Test4397.txt new file mode 100644 index 0000000..c3152aa --- /dev/null +++ b/input/test/Test4397.txt @@ -0,0 +1,34 @@ +Enter a search query Rating Descriptions +5 Stars - This was an amazing book. I want to read this story again and again and again +4 Stars - I really liked the story and will probably read it again +3 Stars - It was a good story and I'm not sorry I read it, but probably won't read it again. +No books will be posted with a rating below 3 stars. If you care to see books I didn't like and why, you can view my profile on Goodreads Interview with Melanie Cellier – Author of the Four Kingdom Series Posted August 17, 2018 by Phyllis Helton in Author Introductions / 0 Comments +I am so glad to have author Melanie Cellier with me here today for an interview. I adore her books and have read almost every one. She is one of the authors that I will purchase a book from when it comes out without even reading what it is about. +Melanie, thank you so much for being here today. What is your favorite hot drink and dessert? +Ooh, that's an interesting question! Generally I drink rooibos tea, but my absolute favourite is probably white choc chai which I discovered at a local chocolate shop. So delicious! As for dessert, that seems far too difficult, haha. I have so many favorites Pumpkin pie, caramel slice, lemon meringue pie, cheesecake, and all sorts of delicious combinations of mint and chocolate would all be on the list. In terms of the fanciest (and most amazing) dessert I've ever made myself, it would probably be an incredible raspberry cheesecake brownie I once made. And now I'm thinking I need to make it again… +Those brownies sound amazing! +What is your all-time favorite fairy tale and why? +I actually don't have a favourite fairy tale. But as a kid I absolutely loved a real-life movie version of The Twelve Dancing Princesses that my mum would borrow from the library. My sister and I would watch it every day until it was due back! +Wow, I didn't even realize there was a real-life movie version of that. I'll have to see if we can find it. +When you write your stories, is there generally a specific version of the fairly tale you select to use as your guideline? If so, which one? +I don't use a specific version of the fairy tale. Instead I start with the central elements that are found in all (or most versions). Then I try to add in smaller elements, often from multiple different versions. An example is in A Tale of Beauty and Beast where Sophie's ball dress is described as being made with gold and silver thread and looking like sunshine and moonbeams. This is a nod to a more obscure Brothers Grimm version of Beauty and the Beast, called The Singing, Springing Lark, where Beauty has to go on a quest to save the beast. She's helped in her quest by the sun and the moon, with the sun giving her a dress that's described as being "as brilliant as the sun itself". +I knew this was going to be a fun interview! I bet you have fun finding all these stories. +How do you research for your books? +Since I write fantasy, I don't have to do as much research as some other genres. However, I still do some research, usually around words/phrases (checking when they came into common usage to ensure they're not too modern—and sometimes I'm really surprised by the results!) and specific, more technical, story elements. I generally do this research as I go, and the internet is my first stop. Sometimes it's hard to find the info I need, though, in which case I turn to experts where possible. (Eg a doctor for a medical issue.) Often the issue is that I'm researching how something would go wrong, and all the information is about how to prevent the problem happening. (Probably a good thing really, haha.) An example of this is when I was researching a particular type of boat sinking, and all the articles were about how to prevent your boat sinking. Or I was researching a horse spooking, and all the articles were on how to train your horse not to spook. +Somehow I'm not surprised that you do so much research. It really shows. +Do you base your fantasy worlds on "real" places? +I don't purposely set out to base my worlds on any specific place, but my kingdoms definitely have a more European flavor. This is largely a case of writing what you know since I'm more familiar with European/western culture and history. +And are your characters based on people you know? +I've never based a character on a specific person, although my first heroine, Alyssa, has several elements of myself. (Mainly that I'm also super sensitive and could never convince my brothers that it really did hurt me when they poked and prodded me, haha.) +I imagine most authors end up having their characters resemble themselves at least a little. +Do you have an outline in your head for the entire series so you know where each fairy tale is going to fit in, or is the overall story developed book by book? +Generally speaking I'm a "pantser" rather than an outliner (meaning I write by the seat of my pants, letting the story develop as I go). For my first series, I wrote the first book and only then decided to turn it into a series. (Too many of the secondary characters needed their own stories!) However, doing it that way did limit the fairy tales I could adapt for future stories, since I had already established elements like appearance, family backgrounds, etc, for the other heroines. So, for my second series, I did take the time from the beginning to plan out the royal families of each of the kingdoms and how they would fit into the fairy tales I wanted to retell. +I would have been shocked to find out you didn't do at least that much planning. The world you have created is so intricate and detailed! +What is your ideal place to work (location, environment, ambiance)? +I love the idea of working at a library or cafe, but unfortunately the reality of long hours at a keyboard is that you need an ergonomic set up. +I've written some of my books in less than ideal places (e.g. on a laptop on the sofa) and my body definitely made some protests about it! So, these days, my ideal work environment is my sit-stand desk at home with my ergonomic keyboard and mouse. And hopefully left in quiet and peace to get into the flow without disruption! Of course, life doesn't always cooperate, but that's how I try to work. (And typing all that I now feel far too old and sensible, haha.) +Thank you so much for being here with us today. About Melanie Cellier +Melanie Cellier grew up on a staple diet of books, books and more books. And although she got older, she never stopped loving children's and young adult novels. +She always wanted to write one herself, but it took three careers and three different continents before she actually managed it. +She now feels incredibly fortunate to spend her time writing from her home in Adelaide, Australia where she keeps an eye out for koalas in her backyard. Her staple diet hasn't changed much, although she's added choc mint Rooibos tea and Chicken Crimpies to the list. +Her young adult Four Kingdoms and Beyond the Four Kingdoms series are made up of linked stand-alone stories that retell classic fairy tales. Click on any of the books below for a preview The Princess Companion: A Retelling of The Princess and the Pea (Four Kingdoms #1) The Princess Fugitive: A Reimagining of Little Red Riding Hood (Four Kingdoms #2) Happily Ever Afters: A Reimagining of Snow White and Rose Red (Four Kingdoms Novella) The Princess Pact: A Twist on Rumpelstiltskin (Four Kingdoms #3) A Midwinter's Wedding: A Retelling of The Frog Prince (Four Kingdoms Novella) The Princess Game: A Reimagining of Sleeping Beauty (Four Kingdoms #4) The Princess Search: A Retelling of The Ugly Duckling (Four Kingdoms #5) A Dance of Silver and Shadow: A Retelling of The Twelve Dancing Princesses (Beyond the Four Kingdoms #1) A Tale of Beauty and Beast: A Retelling of Beauty and the Beast (Beyond the Four Kingdoms #2) An Inconvenient Princess (Entwined Tales \ No newline at end of file diff --git a/input/test/Test4398.txt b/input/test/Test4398.txt new file mode 100644 index 0000000..8cd7fe5 --- /dev/null +++ b/input/test/Test4398.txt @@ -0,0 +1,10 @@ + Stanley Muller on Aug 17th, 2018 // No Comments +Dynamic Advisor Solutions LLC acquired a new stake in Synchrony Financial (NYSE:SYF) during the second quarter, according to its most recent Form 13F filing with the SEC. The institutional investor acquired 6,337 shares of the financial services provider's stock, valued at approximately $212,000. +Several other large investors have also recently made changes to their positions in SYF. First Mercantile Trust Co. purchased a new position in shares of Synchrony Financial in the 2nd quarter valued at $120,000. Summit Trail Advisors LLC grew its position in shares of Synchrony Financial by 3,393.6% in the 1st quarter. Summit Trail Advisors LLC now owns 126,118 shares of the financial services provider's stock valued at $126,000 after buying an additional 122,508 shares during the last quarter. Bedel Financial Consulting Inc. purchased a new position in shares of Synchrony Financial in the 1st quarter valued at $142,000. Assetmark Inc. grew its position in shares of Synchrony Financial by 98.1% in the 2nd quarter. Assetmark Inc. now owns 4,327 shares of the financial services provider's stock valued at $144,000 after buying an additional 2,143 shares during the last quarter. Finally, AdvisorNet Financial Inc grew its position in shares of Synchrony Financial by 111.6% in the 2nd quarter. AdvisorNet Financial Inc now owns 5,202 shares of the financial services provider's stock valued at $174,000 after buying an additional 2,744 shares during the last quarter. 86.24% of the stock is currently owned by institutional investors. Get Synchrony Financial alerts: +A number of research analysts recently commented on the stock. Stephens reaffirmed a "hold" rating and issued a $32.00 target price on shares of Synchrony Financial in a research report on Friday, July 27th. Oppenheimer reaffirmed a "hold" rating on shares of Synchrony Financial in a research report on Sunday, April 22nd. Morgan Stanley dropped their target price on shares of Synchrony Financial from $41.00 to $38.00 and set an "equal weight" rating on the stock in a research report on Monday, April 30th. JPMorgan Chase& Co. dropped their target price on shares of Synchrony Financial from $41.00 to $39.00 and set an "overweight" rating on the stock in a research report on Friday, July 27th. Finally, ValuEngine downgraded shares of Synchrony Financial from a "sell" rating to a "strong sell" rating in a research report on Wednesday, August 1st. One equities research analyst has rated the stock with a sell rating, ten have issued a hold rating and eleven have assigned a buy rating to the company's stock. Synchrony Financial currently has a consensus rating of "Hold" and an average target price of $38.44. +Shares of NYSE:SYF opened at $30.43 on Friday. The firm has a market cap of $21.78 billion, a P/E ratio of 11.61, a price-to-earnings-growth ratio of 0.84 and a beta of 1.01. Synchrony Financial has a 1-year low of $28.33 and a 1-year high of $40.59. +Synchrony Financial (NYSE:SYF) last issued its quarterly earnings results on Friday, July 27th. The financial services provider reported $0.92 earnings per share for the quarter, topping the Zacks' consensus estimate of $0.82 by $0.10. The firm had revenue of $3.74 billion during the quarter, compared to analysts' expectations of $3.82 billion. Synchrony Financial had a net margin of 13.39% and a return on equity of 16.96%. During the same quarter in the prior year, the business earned $0.61 EPS. analysts forecast that Synchrony Financial will post 3.41 earnings per share for the current year. +The firm also recently declared a quarterly dividend, which was paid on Thursday, August 16th. Investors of record on Monday, August 6th were paid a dividend of $0.21 per share. The ex-dividend date was Friday, August 3rd. This represents a $0.84 dividend on an annualized basis and a yield of 2.76%. This is a boost from Synchrony Financial's previous quarterly dividend of $0.15. Synchrony Financial's dividend payout ratio is currently 32.06%. +In related news, insider David P. Melito sold 2,094 shares of the stock in a transaction on Monday, May 21st. The shares were sold at an average price of $35.60, for a total transaction of $74,546.40. The sale was disclosed in a legal filing with the Securities & Exchange Commission, which is accessible through this link . Also, Director Roy A. Guthrie purchased 10,000 shares of the firm's stock in a transaction that occurred on Monday, July 30th. The shares were acquired at an average price of $29.53 per share, with a total value of $295,300.00. Following the purchase, the director now owns 47,997 shares in the company, valued at $1,417,351.41. The disclosure for this purchase can be found here . 0.07% of the stock is owned by corporate insiders. +Synchrony Financial Company Profile +Synchrony Financial operates as a consumer financial services company in the United States. The company offers private label credit cards, dual cards, general purpose co-branded credit cards, and small and medium-sized business credit products; and promotional financing for consumer purchases, such as private label credit cards and installment loans. Receive News & Ratings for Synchrony Financial Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Synchrony Financial and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test4399.txt b/input/test/Test4399.txt new file mode 100644 index 0000000..1b5d894 --- /dev/null +++ b/input/test/Test4399.txt @@ -0,0 +1,2 @@ +Qravity ICO Presale Is Live – Entertainment Production and Distribution Platform Offers 30% Bonus 投稿日 2018年8月17日 18:06:34 (ニュース) +This is a submitted sponsored story. CCN urges readers to conduct their own research with due diligence into the company, product or service mentioned in the content below. August 17, 2018 – VIENNA – Qravity, a media production and distribution platform that offers decentralized creative teams royalties for making movies, video games, music, and other form \ No newline at end of file diff --git a/input/test/Test44.txt b/input/test/Test44.txt new file mode 100644 index 0000000..e9f6f33 --- /dev/null +++ b/input/test/Test44.txt @@ -0,0 +1,6 @@ +August 17, 2018 6 +Little more than two months after the Patanjali messaging app 'Kimbho' was taken down just after its release the company is relaunching it with new features and plans to re-launch in this month. +The Patanjali Ayurved Managing Director Acharya Balkrishna tweeted on 15th August that "Kimbho app is now ready with new and advanced features" T-1 स�वतंत�रता दिवस की हार�दिक श�भकामना�ं आप के विश�वास के लि� पतंजलि परिवार आपके प�रति कृतज�ञ है,आप स�वतंत�रता दिवस के पावन उत�सव के साथ डिजिटल आजादी का जश�न "किम�भो:" के नये और �डवांस फीचर�स के साथ मनाइये| किम�भो: �ैप में क�छ सूक�ष�म न�यूनता�� हो सकती है, उनके continues in T-2 pic.twitter.com/bWLk6x6x3Q +— Acharya Balkrishna (@Ach_Balkrishna) August 15, 2018 +The Haridwar-based firm has now put Kimbho's trial version on Google Play Store for downloads and plans to launch the app officially on August 27. It will also be available on Apple App store shortly. +Patanjali spokesperson S K Tijarawala told PTI : "We have put the trial version of Kimbho on the google play store, so that we come to know about the shortcoming. We are open for any amendments for any errors and we have invited feedback from the people also". According to him, this will be a "safe, secure and swadeshi" messaging platform. The company has also claimed that Kimbho had witnessed around 1.5 lakh downloads in the first three hours when its trial version was earlier put on Google Play Store and App Store for a day only \ No newline at end of file diff --git a/input/test/Test440.txt b/input/test/Test440.txt new file mode 100644 index 0000000..e854b81 --- /dev/null +++ b/input/test/Test440.txt @@ -0,0 +1,3 @@ +In recent trading, shares of Clorox have crossed above the average analyst 12-month target price of $124.00, changing hands for $124.14/share. When a stock reaches the target an analyst has set, the analyst logically has two ways to react: downgrade on valuation, or, re-adjust their target price to a higher level. Analyst reaction may also depend on the fundamental business developments that may be responsible for driving the stock price higher — if things are looking up for the company, perhaps it is time for that target price to be raised. There are 8 different analyst targets contributing to that average for Clorox Co , but the average is just that — a mathematical average. There are analysts with lower targets than the average, including one looking for a price of $113.00. And then on the other side of the spectrum one analyst has a target as high as $131.00. The standard deviation is $5.756. +But the whole reason to look at the average CLX price target in the first place is to tap into a "wisdom of crowds" effort, putting together the contributions of all the individual minds who contributed to the ultimate number, as opposed to what just one particular expert believes. And so with CLX crossing above that average target price of $124.00/share, investors in CLX have been given a good signal to spend fresh time assessing the company and deciding for themselves: is $124.00 just one stop on the way to an even higher target, or has the valuation gotten stretched to the point where it is time to think about taking some chips off the table? Below is a table showing the current thinking of the analysts that cover Clorox Co : +Recent CLX Analyst Ratings Breakdown Current 1 Month Ago 2 Month Ago 3 Month Ago Strong buy ratings: 1 1 1 1 Buy ratings: 0 0 0 0 Hold ratings: 9 8 10 10 Sell ratings: 0 0 0 0 Strong sell ratings: 1 1 0 0 Average rating: 2.94 2.93 2.82 2.82 The average rating presented in the last row of the above table above is from 1 to 5 where 1 is Strong Buy and 5 is Strong Sell. Click here to find out 10 ETFs With Most Upside To Analyst Targets  \ No newline at end of file diff --git a/input/test/Test4400.txt b/input/test/Test4400.txt new file mode 100644 index 0000000..0b1db32 --- /dev/null +++ b/input/test/Test4400.txt @@ -0,0 +1 @@ +Carbon and Energy Software Market 2018 Explosive Growth by Top Companies 2023 - CA Technologies, IBM, Schneider Electric, SAP, Verisae, Enviance, Enablon, Carbon Clear, ACCUVIO Press release from: ReportsWeb Carbon and Energy Software Carbon and energy management software is the tool that helps organizations plan and implement their stratagems. These tools help organizations precisely measure their carbon footprints and reduce it to achieve government strategies. Carbon management is correlated to an extensive variety of business activities, products, and services. The market can differ depending on the size and objective of the business and its industry sector.The report begins from overview of Industry Chain structure, and describes industry environment, then analyses market size and forecast of Carbon and Energy Software by product, region and application, in addition, this report introduces market competition situation among the vendors and company profile, besides, market price analysis and value chain features are covered in this report.Request sample report at: www.reportsweb.com/inquiry&RW00012190235/sample Product Type Coverage (Market Size & Forecast, Major Company of Product Type etc.) : On-premiseCompany Coverage (Sales Revenue, Price, Gross Margin, Main Products etc.) : CA Technologies, IBM, Schneider Electric, SAP, Verisae, Enviance, Enablon, Carbon Clear, ACCUVIOApplication Coverage (Market Size & Forecast, Different Demand Market by Region, Main Consumer Profile etc.) : Power & utilitie \ No newline at end of file diff --git a/input/test/Test4401.txt b/input/test/Test4401.txt new file mode 100644 index 0000000..4ea75c4 --- /dev/null +++ b/input/test/Test4401.txt @@ -0,0 +1,18 @@ +Brexit World Home +Jeremy Hunt has insisted that Britain would survive and prosper" after a no-deal Brexit, the day after describing such an exit from the EU as a "mistake we would regret for generations". +The British Foreign Secretary said that failure to hammer out a deal with the UK would be "a big mistake for Europe". +He insisted the UK Government would only sign up to a deal that respected the result of the 2016 election. +"Important not to misrepresent my words: Britain WOULD survive and prosper without a deal… but it would be a big mistake for Europe because of inevitable impact on long term partnership with UK. +"We will only sign up to deal that respects referendum result." +Speaking earlier to ITV Mr Hunt had discussed the risks of no proper negotiated deal, saying: "It would be a mistake we would regret for generations, if we had a messy, ugly divorce, and would inevitably change British attitudes towards Europe." +When asked whether he was presenting the Government's Brexit plan as "take it or leave it", Mr Hunt answered: "No, but it is a framework on which I believe the ultimate deal will be based and I've been to several countries and met seven foreign ministers and am meeting more in the weeks ahead and I'm getting a strong sense that not just in Holland but in many of the places I've visited that they do want to engage seriously to try and find a way through to try and get a pragmatic outcome." "What we are seeking from these negotiations is a deep and special partnership"Foreign Secretary Jeremy Hunt discusses #Brexit during a three-day visit to Finland, Latvia, Denmark and the Netherlands pic.twitter.com/snRWdhlJS2 — Foreign Office (@foreignoffice) August 16, 2018 +Fellow Tory Conor Burns told the Telegraph that "the thing that we want to avoid for 'generations to come' is being locked into a permanent orbit around the EU where we end up with a deal but don't have a seat around the table". +The Danish finance minister on Friday echoed warnings that there is an even chance of the UK crashing out of the European Union without a deal. +Kristian Jensen said time is running out to strike a deal that is positive for both Britain and the EU, after Latvia's foreign minister claimed the chance of a no-deal Brexit is "50-50". +"very considerable risk" of a no-deal scenario but stressed he remained optimistic an agreement with Britain on its withdrawal from the European Union could be reached. +Mr Jensen, appearing on BBC Radio 4's Today programme, was asked about Mr Rinkevics' remarks. +He said: "I also believe that 50-50 is a very good assessment because time is running out and we need to move really fast if we've got to strike a deal that is positive both for the UK and EU. +"Every forces who wants there to be a good deal needs to put in some effort in the months to come otherwise I'm afraid that time will run out." +He went on to describe Theresa May's Chequers plan as a "realistic proposal for good negotiations". +"We need to go into a lot of details but I think it's a very positive step forward and a necessary step," he told the programme. +- Press Associatio \ No newline at end of file diff --git a/input/test/Test4402.txt b/input/test/Test4402.txt new file mode 100644 index 0000000..6a967f0 --- /dev/null +++ b/input/test/Test4402.txt @@ -0,0 +1,21 @@ +UK can survive and prosper after no-deal Brexit – Jeremy Hunt Menu UK can survive and prosper after no-deal Brexit – Jeremy Hunt 0 comments Jeremy Hunt has insisted that Britain would "survive and prosper" after a no-deal Brexit, the day after describing such an exit from the EU as a "mistake we would regret for generations". +The Foreign Secretary said that failure to hammer out a deal with the UK would be "a big mistake for Europe". +He insisted the Government would only sign up to a deal that respected the result of the 2016 election. +Mr Hunt had been criticised by Brexiteer MPs after an interview with ITV News on Thursday in which he appeared to play up the risks of leaving the EU in March without a deal. +In a tweet sent on Friday morning Mr Hunt said: "Important not to misrepresent my words: Britain WOULD survive and prosper without a deal… but it would be a big mistake for Europe because of inevitable impact on long term partnership with UK. +"We will only sign up to deal that respects referendum result." +Speaking earlier to ITV Mr Hunt had discussed the risks of no proper negotiated deal, saying: "It would be a mistake we would regret for generations, if we had a messy, ugly divorce, and would inevitably change British attitudes towards Europe." +When asked whether he was presenting the Government's Brexit plan as"take it or leave it", Mr Hunt answered: "No, but it is a framework on which I believe the ultimate deal will be based and I've been to several countries and met seven foreign ministers and am meeting more in the weeks ahead and I'm getting a strong sense that not just in Holland but in many of the places I've visited that they do want to engage seriously to try and find a way through to try and get a pragmatic outcome." +"What we are seeking from these negotiations is a deep and special partnership" +Foreign Secretary Jeremy Hunt discusses #Brexit during a three-day visit to Finland, Latvia, Denmark and the Netherlands pic.twitter.com/snRWdhlJS2 +— Foreign Office  (@foreignoffice) August 16, 2018 +He also revealed that the Government would consider EU proposals that demanded accepting European environmental and social legislation, in order to facilitate a free trade agreement. +Fellow Tory Conor Burns told the Telegraph that "the thing that we want to avoid for 'generations to come' is being locked into a permanent orbit around the EU where we end up with a deal but don't have a seat around the table". +The Danish finance minister on Friday echoed warnings that there is an even chance of the UK crashing out of the European Union without a deal. +Kristian Jensen said time is running out to strike a deal that is positive for both Britain and the EU, after Latvia's foreign minister claimed the chance of a no-deal Brexit is "50-50". +Earlier this week, Edgars Rinkevics said there was a "very considerable risk" of a no-deal scenario but stressed he remained optimistic an agreement with Britain on its withdrawal from the European Union could be reached. +Mr Jensen, appearing on BBC Radio 4's Today programme, was asked about Mr Rinkevics' remarks. +He said: "I also believe that 50-50 is a very good assessment because time is running out and we need to move really fast if we've got to strike a deal that is positive both for the UK and EU. +"Every forces who wants there to be a good deal needs to put in some effort in the months to come otherwise I'm afraid that time will run out." +He went on to describe Theresa May's Chequers plan as a "realistic proposal for good negotiations". +"We need to go into a lot of details but I think it's a very positive step forward and a necessary step," he told the programme \ No newline at end of file diff --git a/input/test/Test4403.txt b/input/test/Test4403.txt new file mode 100644 index 0000000..4efc0b5 --- /dev/null +++ b/input/test/Test4403.txt @@ -0,0 +1,11 @@ +Tweet +Wall Street brokerages forecast that Biohaven Pharmaceutical Holding Co Ltd (NYSE:BHVN) will announce earnings per share (EPS) of ($1.79) for the current fiscal quarter, Zacks reports. Zero analysts have provided estimates for Biohaven Pharmaceutical's earnings, with the lowest EPS estimate coming in at ($2.48) and the highest estimate coming in at ($1.09). Biohaven Pharmaceutical reported earnings of ($1.19) per share during the same quarter last year, which would suggest a negative year-over-year growth rate of 50.4%. The business is scheduled to report its next quarterly earnings results on Tuesday, November 13th. +On average, analysts expect that Biohaven Pharmaceutical will report full-year earnings of ($6.72) per share for the current fiscal year, with EPS estimates ranging from ($9.48) to ($5.04). For the next fiscal year, analysts anticipate that the business will post earnings of ($5.93) per share, with EPS estimates ranging from ($8.97) to ($4.15). Zacks Investment Research's earnings per share averages are an average based on a survey of analysts that that provide coverage for Biohaven Pharmaceutical. Get Biohaven Pharmaceutical alerts: +Biohaven Pharmaceutical (NYSE:BHVN) last posted its quarterly earnings data on Tuesday, May 15th. The company reported ($2.32) EPS for the quarter, missing the consensus estimate of ($1.12) by ($1.20). Several equities research analysts have recently commented on the company. Barclays upped their price objective on Biohaven Pharmaceutical to $40.00 and gave the stock an "equal weight" rating in a research note on Tuesday, June 19th. Morgan Stanley upped their price objective on Biohaven Pharmaceutical from $39.00 to $44.00 and gave the stock an "overweight" rating in a research note on Friday, July 13th. Cantor Fitzgerald restated an "overweight" rating on shares of Biohaven Pharmaceutical in a research note on Thursday, June 14th. Canaccord Genuity set a $40.00 price objective on Biohaven Pharmaceutical and gave the stock a "buy" rating in a research note on Sunday, July 1st. Finally, Needham & Company LLC upped their price objective on Biohaven Pharmaceutical from $36.00 to $48.00 and gave the stock a "buy" rating in a research note on Monday, July 2nd. Two analysts have rated the stock with a sell rating, one has given a hold rating and seven have assigned a buy rating to the stock. The stock currently has an average rating of "Buy" and an average target price of $43.29. +In other Biohaven Pharmaceutical news, CFO James Engelhart sold 5,000 shares of the stock in a transaction on Wednesday, May 30th. The stock was sold at an average price of $35.00, for a total value of $175,000.00. Following the completion of the sale, the chief financial officer now owns 5,000 shares in the company, valued at approximately $175,000. The sale was disclosed in a document filed with the Securities & Exchange Commission, which is available at this link . Also, Director Declan Doogan sold 110,784 shares of the stock in a transaction on Friday, June 1st. The stock was sold at an average price of $35.03, for a total value of $3,880,763.52. Following the completion of the sale, the director now owns 463,913 shares of the company's stock, valued at approximately $16,250,872.39. The disclosure for this sale can be found here . Insiders sold a total of 406,245 shares of company stock valued at $14,479,071 over the last 90 days. 34.20% of the stock is currently owned by company insiders. +A number of hedge funds have recently modified their holdings of BHVN. Geode Capital Management LLC increased its stake in Biohaven Pharmaceutical by 13.8% in the 4th quarter. Geode Capital Management LLC now owns 172,108 shares of the company's stock worth $4,643,000 after buying an additional 20,908 shares in the last quarter. Deutsche Bank AG increased its stake in Biohaven Pharmaceutical by 28.6% in the 4th quarter. Deutsche Bank AG now owns 23,580 shares of the company's stock worth $635,000 after buying an additional 5,248 shares in the last quarter. Goldman Sachs Group Inc. purchased a new stake in Biohaven Pharmaceutical in the 4th quarter worth $802,000. Wells Fargo & Company MN increased its stake in Biohaven Pharmaceutical by 38.2% in the 1st quarter. Wells Fargo & Company MN now owns 41,184 shares of the company's stock worth $1,060,000 after buying an additional 11,373 shares in the last quarter. Finally, Rhumbline Advisers increased its stake in Biohaven Pharmaceutical by 218.4% in the 1st quarter. Rhumbline Advisers now owns 27,933 shares of the company's stock worth $720,000 after buying an additional 19,160 shares in the last quarter. Institutional investors and hedge funds own 77.44% of the company's stock. +NYSE:BHVN opened at $35.10 on Tuesday. The firm has a market capitalization of $1.31 billion, a PE ratio of -7.02 and a beta of 1.35. Biohaven Pharmaceutical has a one year low of $16.50 and a one year high of $44.28. +Biohaven Pharmaceutical Company Profile +Biohaven Pharmaceutical Holding Company Ltd., a clinical-stage biopharmaceutical company, develops product candidates to treat neurological diseases, including rare disorders. Its lead product candidate is rimegepant, which is in Phase III clinical trials for the acute treatment of migraine. The company also develops trigriluzole, which is in a Phase II/III clinical trial used for the treatment of ataxias with an initial focus on spinocerebellar ataxia; and Phase II/III clinical trial for the treatment of obsessive compulsive disorders, as well as for the treatment of Alzheimer's diseases. +Get a free copy of the Zacks research report on Biohaven Pharmaceutical (BHVN) +For more information about research offerings from Zacks Investment Research, visit Zacks.com Receive News & Ratings for Biohaven Pharmaceutical Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Biohaven Pharmaceutical and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4404.txt b/input/test/Test4404.txt new file mode 100644 index 0000000..fa8c996 --- /dev/null +++ b/input/test/Test4404.txt @@ -0,0 +1,12 @@ +By Katharine Schwab 3 minute Read When she was in college, data researcher and Mozilla Foundation fellow Rebecca Ricks began getting Facebook ads related to pregnancy–even though she hadn't clicked on anything that would indicate interest in having a baby. Was it because she was a young woman? Was it because classmates of hers were getting married? Or had Facebook somehow decided that she was at the right age to get pregnant? +advertisement advertisement Ricks still doesn't know exactly why Facebook was targeting her–but it sparked her curiosity about what generalizations Facebook allows advertisers to make based on things like gender identity, race, or sexuality. Facebook has been under fire for years for letting advertisers discriminate against legally protected groups such as African Americans and elderly people through advertising for housing and jobs, as ProPublica has reported again and again. But as Ricks experienced, targeting can also impact users in more subtle ways. And though the social media platform does offer the ability to control how companies target you, those settings are difficult to find and time-consuming to manually clear out. +That's why Ricks teamed up with two other fellows at the Mozilla Foundation, Joana Varon and Hang Do Thi Duc, to create an easy way for people to clean out their ad preferences and prevent targeting from happening in the first place. Their Firefox and Chrome extension, called Fuzzify, streamlines and simplifies the process down to a few clicks–and then reminds you to keep cleaning your ad preferences out every week. +Joana Varon, who directs the technology and human rights-focused group Coding Rights , has experimented widely with how Facebook targets users with ads. In a recent research paper , she highlighted the implications of ad targeting for women and nonbinary people when they are subjected to stereotypes around gender through a series of tests on Facebook's ad platform. +In one experiment, Varon bought highly targeted Facebook ads, and then revealed what the targeting categories were to the people who saw it. For instance, one ad announced that it was targeting women who were interested in teleportation and had just returned from a trip; another directly targeted women in long-distance relationships who were interested in motorcycles. Based on the reactions to the posts, the targeting was incredibly accurate–and creepy. +These might be light examples, but Ricks has separately conducted interviews with women who've had more unsettling interactions with Facebook ads. One person received targeted ads asking her to "sell your Asian eggs," while others received baby-related ads when they were struggling with infertility. "Those are moments when there's nothing overtly discriminatory happening, but it's one moment where advertisers are using sensitive information to target you and it's having real harm," Ricks says. "We don't have the tools or policies to talk about it." +advertisement [Screenshot: courtesy Hang Do Thi Duc/Rebecca Ricks/Joana Varon] That's where the trio hope Fuzzify can help. Part of the extension sits right on top of Facebook's privacy controls, including an entire section dedicated to advertisers that have uploaded contact lists of customers to the ad platform so they can reach those people on Facebook. As well as letting you easily delete this information, the extension also includes a page that gathers all the ads you see and lists out the reasons why Facebook served them to you. +"By building this browser on top of existing transparency tools, we're really relying on Facebook being honest about what it's collecting and what it's not collecting," Ricks says. "We wanted to expand beyond a privacy tool and use it as a tool for research and accountability. You can run your own experiment to see how effective Facebook's transparency tools actually are." +Duc also focuses on privacy in her other work. Her project Data Selfie mimicked the way Facebook tracks you so you could get a sense of the kind of psychological profile the company has created based on your clicks, likes, and shares. Most recently, she created a data visualization of all the public data on Venmo , similarly urging users to be more proactive about managing their privacy settings. +From her personal habit of clearing out her Facebook ad preferences every week, Ricks has noticed that there's a group of companies that upload their information about her to Facebook's ad platform again and again, no matter how many times she deletes it. And when she does clear out the categories Facebook targets her by, she finds that instead of getting random ads, she mostly just gets ads based on what her friends like. +Ricks finds this kind of knowledge empowering. "There's an inherent power asymmetry on a platform like Facebook. Users have all this data collected about them, but no insight into how it's being used," she says. "You as a Facebook user taking action to [deny] advertisers access to information is a political move." +You can download Fuzzify here \ No newline at end of file diff --git a/input/test/Test4405.txt b/input/test/Test4405.txt new file mode 100644 index 0000000..96fdd69 --- /dev/null +++ b/input/test/Test4405.txt @@ -0,0 +1 @@ +Market Segment by Applications, can be divided into:Diagnostics CBM and Adaptive ControlGet Direct Copy of this Report @ www.orianresearch.com/checkout/132843 .This report focuses on the Aircraft Health Monitoring System (AHMS) in Global market, especially in North America, Europe and Asia-Pacific, South America, Middle East and Africa. This report categorizes the market based on manufacturers, regions, type and application.There are 15 Chapters to deeply display the Global Aircraft Health Monitoring System (AHMS) Market -Chapter 1, to describe Aircraft Health Monitoring System (AHMS) Introduction, product scope, market overview, market opportunities, market risk, market driving force;Chapter 2, to analyze the top manufacturers of Aircraft Health Monitoring System (AHMS), with sales, revenue, and price of Aircraft Health Monitoring System (AHMS), in 2016 and 2017;Chapter 3, to display the competitive situation among the top manufacturers, with sales, revenue and market share in 2016 and 2017;Chapter 4, to show the global market by regions, with sales, revenue and market share of Aircraft Health Monitoring System (AHMS), for each region, from 2013 to 2018;Chapter 5, 6, 7, 8 and 9, to analyze the market by countries, by type, by application and by manufacturers, with sales, revenue and market share by key countries in these regions;Chapter 10 and 11, to show the market by type and application, with sales market share and growth rate by type, application, from 2013 to 2018;Chapter 12, Aircraft Health Monitoring System (AHMS) market forecast, by regions, type and application, with sales and revenue, from 2018 to 2023;Chapter 13, 14 and 15, to describe Aircraft Health Monitoring System (AHMS) sales channel, distributors, traders, dealers, Research Findings and Conclusion, appendix and data sourceAbout Us Orian Research is one of the most comprehensive collections of market intelligence reports on the World Wide Web. Our reports repository boasts of over 5 + industry and country research reports from over 100 top publishers. We continuously update our repository so as to provide our clients easy access to the world's most complete and current database of expert insights on global industries, companies, and products. We also specialize in custom research in situations where our syndicate research offerings do not meet the specific requirements of our esteemed clients.Contact Us:Vice President â Global Sales & Partner RelationsOrian Research ConsultantsUS: +1 (832) 380-8827 | UK: +44 0161-818-8027Email: Follow Us on LinkedIn: www.linkedin.com/company-beta/13281002/ This release was published on openPR. News-ID: 1185453 • Views: 98 Permanent link to this press release: Please set a link in the press area of your homepage to this press release on openPR. openPR disclaims liability for any content contained in this release. (0) You can edit or delete your press release here: More Releases from Orian Researc \ No newline at end of file diff --git a/input/test/Test4406.txt b/input/test/Test4406.txt new file mode 100644 index 0000000..ce18b66 --- /dev/null +++ b/input/test/Test4406.txt @@ -0,0 +1,31 @@ +As Bifacial Solar Modules Inch Toward the Mainstream, Equipment Makers Prepare +Manufacturers are getting more excited about solar panels that generate electricity on both sides. +Staff writer Greentech Media Emma is a staff writer at Greentech Media. She previously covered environmental policy, politics, and climate change at Grist and the New Republic. Emma studied Environmental Analysis at Pomona College. Array Technologies is among several industry players looking to back bifacial's promise with more data. Photo Credit: Array Technologies 0 +Bifacial solar PV technology has long been a novelty. +But pilots announced this summer — including a new Soltec bifacial tracker test center in California, and a partnership between Array Technologies and a national lab in New Mexico — suggest bifacial is edging toward the mainstream. But manufacturers still need to dial in costs. +Before bifacial modules are ready for widespread adoption, manufacturers say the industry has a year or two of data collection to determine how they compete in both efficiency and cost, and what applications they're most effective for. +"Once everyone understands the costs and the implications and can understand the problems, well, the problems get simplified," said Array founder Ron Corio. "We're in that simplification process right now." +The company recently installed two rows of bifacial modules — from manufacturers Longi, JA Solar, Trina, Jolywood, Hanwha Q Cells and Canadian Solar — at a New Mexico national laboratory to test the modules with its trackers and create simulation models from the test rows. +Because bifacial modules collect sun from both the top and the bottom of the panel, they present unique challenges in siting and installation. +"That's the thing about bifacial," said Corio. "It's a big bucket of variables." +At its new installation, Array is testing variables like how mounting offsets impact irradiance. In bifacial installations, developers must consider factors including ground albedo, ground cover, irradiance and system design, like trackers , to maximize output. +Those variables add up to one of the technology's greatest challenges: quantifying power output. +"People understand the variables that make a difference, but they don't understand how to calculate the actual difference based on those variables," said Tyler Stewart, vice president of sales and business development at bifacial module company Prism. "If you don't understand what the backside performance is on the module, then the height, the tilt, or whether it's on green grass or white snow is kind of a moot point. If your back only produces half as much power as the next guy, and you don't know that difference, it's hard to calculate how it'll actually perform." +"I think truly the biggest hurdle to that is there's not a standard," he added. +Stewart projects the next couple years will change that. The International Electrotechnical Commission, along with testing agencies such as the National Renewable Energy Laboratory and Sandia National Laboratories, has been working on a uniform standard and released a proposed measurement standard . Stewart expects it to be finalized soon. +For now Prism tests the front and back of its modules separately against a black backsheet. Testing against a white sheet can inflate the Standard Test Conditions rating, according to Stewart. +Though the standard hasn't been finalized, Dr. Hongbin Fang, director of technical marketing at Longi Solar , said a module's backside production can increase energy yield by 25 percent and possibly more, depending on where a bifacial module is installed. +That's brought attention from large manufacturers, as well as smaller companies like Prism. +Longi contributed 20 megawatts to a 71-megawatt bifacial project in China — which the firm said was the world's largest bifacial solar project — connected in January. And Fang said demand is growing. +"Right now, I think bifacial is a very small portion of overall product mix in the overall industry," said Fang. "Probably in the next one or two years, once you have this bankability established, the backside gain on the bifacial system established in the market, we believe most of the customers will switch to bifacial." +While Prism has a several-year pipeline of a couple hundred megawatts, Longi said it shipped about 100 megawatts of bifacial last year and it currently has hundreds of megawatts of orders. +"We're at this point where there's a lot of leading suppliers who have scaled bifacial capacity and there's a whole bunch of suppliers doing pilot projects in China and the U.S. and Europe," said Jade Jones, a senior solar analyst at Wood Mackenzie Power & Renewables. "The barrier that's happening right now is figuring out how to standardize power estimates for these products across the board." +Once the standard is in place, it will be easier for the industry to assess the benefits of bifacial modules against their cost. Monofacial and bifacial modules are moving closer to cost parity. Bifacial requires few manufacturing tweaks, like replacing the traditional backsheet with glass, from monofacial production. +"I think it's similar to single-axis tracker adoption. You have a little bit of a higher cost, but you deliver a higher energy yield. This is an LCOE solution," said Fang. "This will take a little bit of time, as I said one to two years for the technology to establish some credit with customers and by tracking real performance data. Once that is realized, that switch to bifacial, we think that will take off very quickly." +Kimberly Weaver, Array's lead engineer of bifacial, said manufacturing costs have come down enough to make bifacial prices comparable to monofacial. "That's where this high visibility on bifacial is coming into play," she said. +But a dearth of actual field installations means more data is needed. Until that rolls in, barriers to adoption remain. +"People still don't quite understand how to utilize them, therefore the manufacturers don't see the cost-benefit of making them in volume yet," said Stewart. "In my eyes it's a no-brainer, but I'm a little biased." +Jones, too, said deploying bifacial becomes a "no-brainer" when the economics are right. +"As long as pricing is within buyers' range, and it makes sense in terms of the economics, bifacial is such an easy win," she said. +Array will start collecting data on its newly-installed panels next week. The tracker company said it should have enough data by November to come to some conclusions about the technology. +"I think the utility markets are just starting to get a better understanding of its capability," said Stewart. "It's only a matter of time before it catches on in that space. \ No newline at end of file diff --git a/input/test/Test4407.txt b/input/test/Test4407.txt new file mode 100644 index 0000000..7b87ad4 --- /dev/null +++ b/input/test/Test4407.txt @@ -0,0 +1,7 @@ +Tweet +Dynamic Advisor Solutions LLC acquired a new position in shares of Invesco S&P SmallCap 600 Pure Growth ETF (NYSEARCA:RZG) during the 2nd quarter, according to the company in its most recent 13F filing with the Securities and Exchange Commission. The fund acquired 1,905 shares of the company's stock, valued at approximately $242,000. +A number of other hedge funds and other institutional investors also recently bought and sold shares of the business. Well Done LLC acquired a new position in shares of Invesco S&P SmallCap 600 Pure Growth ETF in the 2nd quarter valued at about $3,988,000. Balasa Dinverno & Foltz LLC acquired a new position in shares of Invesco S&P SmallCap 600 Pure Growth ETF in the 2nd quarter valued at about $289,000. Raymond James Financial Services Advisors Inc. acquired a new position in shares of Invesco S&P SmallCap 600 Pure Growth ETF in the 2nd quarter valued at about $7,720,000. Financial Advisory Service Inc. acquired a new position in shares of Invesco S&P SmallCap 600 Pure Growth ETF in the 2nd quarter valued at about $645,000. Finally, Santori & Peters Inc. acquired a new position in shares of Invesco S&P SmallCap 600 Pure Growth ETF in the 2nd quarter valued at about $507,000. Get Invesco S&P SmallCap 600 Pure Growth ETF alerts: +Shares of RZG opened at $133.52 on Friday. Invesco S&P SmallCap 600 Pure Growth ETF has a fifty-two week low of $100.31 and a fifty-two week high of $135.12. Invesco S&P SmallCap 600 Pure Growth ETF Company Profile +Guggenheim S&P SmallCap 600 Pure Growth ETF (the Fund) seeks to replicate as the performance of the S&P SmallCap 600 Pure Growth Index (the Index). The Fund invests in sectors, such as energy, consumer staples, industrials, financials, materials, healthcare, consumer discretionary, information technology and telecommunication services. +Featured Story: Using the New Google Finance Tool +Want to see what other hedge funds are holding RZG? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Invesco S&P SmallCap 600 Pure Growth ETF (NYSEARCA:RZG). Receive News & Ratings for Invesco S&P SmallCap 600 Pure Growth ETF Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Invesco S&P SmallCap 600 Pure Growth ETF and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4408.txt b/input/test/Test4408.txt new file mode 100644 index 0000000..135608a --- /dev/null +++ b/input/test/Test4408.txt @@ -0,0 +1,9 @@ +Last Slide Next Slide Buy Photo Mizea McDowell and other incoming University of Tennessee freshmen make bags for homeless people on Tuesday, Aug. 14, 2018. (Photo: Michael Patrick/News Sentinel) Buy Photo CONNECT COMMENT EMAIL MORE The University of Tennessee, Knoxville will be bustling as the school brings in its largest freshman class in history — a total of more than 5,150 students. Many of them already call the Volunteer State home. CLOSE UTK freshmen do service projects on campus Michael Patrick/News Sentinel "We expect more students from right here in Tennessee in this class," said Fabrizio D'Aloisio, assistant vice provost for enrollment management and director of undergraduate admissions at UT Knoxville. He attributes the influx of in-state students to the university's amped-up communication efforts with more emails, more print materials and more travel to Tennessee high schools. Students were expected to start the great migration to campus on Saturday, Aug. 18, to settle in before starting classes Wednesday, Aug. 22. Buy Photo +Jerry McCrary and Ashton Patton are incoming freshman at at the University of Tennessee and are signed up for a 3-week Math Camp through the university. The two discuss their work during class on Thursday, August 9, 2018. (Photo: Saul Young/News Sentinel) Precise enrollment numbers are still changing, D'Aloisio said, as the university continues to receive applications and some students decide to pursue studies elsewhere. Total enrollment for the coming year will get an official count recorded on the 14th day into the semester. A ripple of leadership transitions The growth in first-year students comes at a time of major transition for UT Knoxville as interim Chancellor Wayne Davis guides the university through a period of uncertainty following the firing of former Chancellor Beverly Davenport in May . CLOSE A day after University of Tennessee President Joe DiPietro terminated University of Tennessee Chancellor Beverly Davenport, he announced that Wayne Davis will serve as interim chancellor. Angela M Gosnell, USA TODAY NETWORK - Tennessee A new board of trustees has also taken over leadership of the university system, with eight trustees committed to beginning a search for a more permanent chief. Further into the future, the board will also have to find a successor for UT System President Joe DiPietro, whose contract extends through June 2019, though he hasn't confirmed when exactly he plans to retire. Other leadership questions revolve around who will fill the role of vice chancellor for communications after Ryan Robinson left the post on the heels of Davenport's exit, as well as who will become UT's vice chancellor for research following the quick departure of Victor McCrary . Buy Photo +UTK students took part in team-building exercises such as painting flowerpots to be given to senior living residents and filling backpacks for students Tuesday, August 14, 2018. The team-building exercise was for the freshman class, which is slated to be the biggest in the university's history. (Photo: Michael Patrick/News Sentinel) One top leadership job already assumed by a permanent figure is provost, a role manned by David Manderscheid , who moved to the university this summer from Ohio State University, where he served as executive dean of the College of Arts and Sciences and vice provost for arts and sciences. Flat tuition, record donors UT Knoxville students returning from last year won't face a higher tab with their tuition as the UT System in June announced a plan to hold tuition flat at UT Knoxville and Chattanooga. UT Martin students will pay 3 percent more. In-state tuition and fees at UT Knoxville are hovering at $12,970, with out-of-state tuition and fees staying at $31,390. Buy Photo +Incoming University of Tennessee freshmen painted flowerpots to be given to senior living residents and filled backpacks for students Tuesday, August 14, 2018. The team-building exercise was for the freshman class which is slated to be the biggest in the university's history. (Photo: Michael Patrick/News Sentinel) Neither UT Knoxville nor Chattanooga has seen tuition remain level from year to year for the past 34 years. While pumping the brakes on tuition increases, UT Knoxville also hit a record fundraising total during the last school year, collecting more than $235 million and racking up more than 46,000 donors, according to a news release from the university. The school is nearing its $1.1 billion campaign goal with $1.025 billion already in its pocket, the release said. A head start Some members of this year's freshman class hit the college books early as 69 incoming students descended upon campus for three weeks to brush up on formulas and equations during Math Camp. The camp, stretching from July into August, targeted students whose ACT or SAT math score was below what they needed to earn enrollment into their required math course. It culminated in a placement exam that could reroute students into the necessary class if they succeeded with a high enough score. Buy Photo +Incoming UTK freshman Gabriela Serrano along with 250 other freshmen and student leaders paint flowerpots to be given to senior living residents and filled backpacks for students Tuesday, August 14, 2018. The team building exercise was for the freshman class which is slated to be the biggest freshman class in the university's history. (Photo: Michael Patrick/News Sentinel) Buy Photo +Incoming University of Tennessee freshman, from left, Carlyleigh Travis, Jennifer Martinez, Savannah Allen, and Breanna Jones attend a UT Math Camp class at Ayres Hall on Thursday, August 9, 2018. (Photo: Saul Young/News Sentinel) "A lot of times math is what stops people," said Karen Pringle, a senior lecturer at UT Knoxville and a recitation leader for the camp, which works to help students break through the concepts they might not understand. Professors instructing the campers try to teach them different approaches to math concepts, "so they get maybe a broader perspective of what they're trying to learn," said Pringle, who's been involved with Math Camp all five years it has been in place. The professor devoted part of her last recitation with students to an interactive lesson through which they stood up and waved one hand through the air as she instructed them to make motions that corresponded with math functions. All together, the motions created a smiley face. "Math is fun," Pringle said as her students erupted in laughter and headed on their way for final preparations before their exam. Buy Photo +Zoe Edge attends Math Camp class at Ayres Hall on Thursday, August 9, 2018. Math Camp is an optional 3-week summer program designed for students needing to meet prerequisites for math-intensive majors. Completion of the camp also serves as a placement exam that can cover two semesters worth of math classes. (Photo: Saul Young/News Sentinel) But the learning experience adds up to much more for participants, who Pringle sees evolve over the few short weeks in which she crunches numbers with them. "They kind of come to us as high school students and they leave us as college students," she said. Eighteen-year-old Jerry McCrary, of Chattanooga, found value in the camp as it helped him get a sense of UT Knoxville's layout and where he'll take classes this fall. Camp counselors shepherded the incoming students around campus to help them run through their schedule and pinpoint where their classes are located, he said. Buy Photo +Incoming University of Tennessee students participate in a Math Camp class on Thursday, August 9, 2018. Math Camp is an optional 3-week summer program designed for students needing to meet prerequisites for math-intensive majors. Completion of the camp also serves as a placement exam that can cover two semesters worth of math classes. (Photo: Saul Young/News Sentinel) McCrary, a geology major, is most looking forward to "getting the college experience" and meeting new people as he becomes a resident of campus. But he's also feeling nervous in anticipation of more study time that may not jibe with his tendency to procrastinate. However, making his mother proud gives him plenty of motivation. "She's still working her fingers to the bone to make sure me and my brother get through college, and I'd hate for all that work to go out the window," Jerry said. Another nearly 500 freshmen, transfer students and veterans showed up to campus last week for the Ignite orientation program and devoted much of Tuesday to giving back through a community service project. While some painted flowerpots for the Sherrill Hills Retirement Resort and the Ronald McDonald House, others made dog toys for animals waiting to be adopted. Yet others prepared to-go bags for the homeless. The event teaches students what the university has to offer both on campus and off, said Madison Murphy, student director for the Center for Leadership and Service and a lead organizer of the day. "Our mascot is the Volunteer," Murphy said. "We should actually be out in the community and volunteering and doing service for organizations." Buy Photo +UTK freshman Chandler Nalls was one of 250 incoming freshmen and student leaders who painted flower pots for a senior citizen's home during a team-building exercise on Aug. 14. (Photo: Michael Patrick/News Sentinel) And for freshman like Gabbi Martin, a third-generation Volunteer from Morristown, the chance to arrive early on campus helped her get a good feel for her new home, even if it's not far from where she grew up. Getting to the university a little bit earlier, she said, "makes it seem like not such a big scary place and gives you some friends right off the bat." Welcome back events As the academic year gets underway, UT Knoxville is hosting a variety of events for both new and returning students. Events include: Sunday, Aug. 19 Class photo at Neyland-Thompson Sports Complex at 5 p.m. New student picnic at Clarence Brown Theater Plaza from 6-8 p.m. The Local Concert Series at Humanities Amphitheatre from 6-9 p.m. Monday, Aug. 20 Torch Night and Rocky Top Rally at Neyland Stadium from 7-8:30 p.m. for new students Tuesday, Aug. 2 \ No newline at end of file diff --git a/input/test/Test4409.txt b/input/test/Test4409.txt new file mode 100644 index 0000000..188b6f2 --- /dev/null +++ b/input/test/Test4409.txt @@ -0,0 +1 @@ +Gracenote launches new Mobile Video Analytics platform 12:43 CET | News Gracenote, a Nielsen company, launched a new Mobile Video Analytics platform aimed at providing visibility into the quality and performance of the most popular mobile video streaming applications. The performance analytics platform will provide mobile operators, MVPDs, video streaming services and hardware manufacturers a means to better understand the ways in which mobile app performance impacts user behavior and attitudes as well as engagement with their platforms and those of their competitors \ No newline at end of file diff --git a/input/test/Test441.txt b/input/test/Test441.txt new file mode 100644 index 0000000..dcfb16d --- /dev/null +++ b/input/test/Test441.txt @@ -0,0 +1,6 @@ +Home » Uncategorized » More than 1,000 Google workers protest censored China search More than 1,000 Google workers protest censored China search +SAN FRANCISCO (AP) — More than a thousand Google employees have signed a letter protesting the company's secretive plan to build a search engine that would comply with Chinese censorship. +The letter calls on executives to review ethics and transparency at the company. +The letter's contents were confirmed by a Google employee who helped organize it but who requested anonymity because of the sensitive nature of the debate. +The letter says employees lack the information required "to make ethically informed decisions about our work" and complains that most employees only found out about the project — nicknamed Dragonfly — through media reports. +The letter is similar to one thousands of employees had signed in protest of Project Maven, a U.S. military contract that Google decided in June not to renew. Share this \ No newline at end of file diff --git a/input/test/Test4410.txt b/input/test/Test4410.txt new file mode 100644 index 0000000..1a4f664 --- /dev/null +++ b/input/test/Test4410.txt @@ -0,0 +1,2 @@ +CiteULike Abstract +Bayesian l 0 �regularized least squares is a variable selection technique for high�dimensional predictors. The challenge is optimizing a nonconvex objective function via search over model space consisting of all possible predictor combinations. Spike�and�slab (aka Bernoulli�Gaussian) priors are the gold standard for Bayesian variable selection, with a caveat of computational speed and scalability. Single best replacement (SBR) provides a fast scalable alternative. We provide a link between Bayesian regularization and proximal updating, which provides an equivalence between finding a posterior mode and a posterior mean with a different regularization prior. This allows us to use SBR to find the spike�and�slab estimator. To illustrate our methodology, we provide simulation evidence and a real data example on the statistical properties and computational efficiency of SBR versus direct posterior sampling using spike�and�slab priors. Finally, we conclude with directions for future research \ No newline at end of file diff --git a/input/test/Test4411.txt b/input/test/Test4411.txt new file mode 100644 index 0000000..e4fb044 --- /dev/null +++ b/input/test/Test4411.txt @@ -0,0 +1,7 @@ + Doug Madison on Aug 17th, 2018 // No Comments +vTv Therapeutics Inc (NASDAQ:VTVT) major shareholder Ronald O. Perelman bought 570,777 shares of the firm's stock in a transaction that occurred on Friday, August 10th. The shares were acquired at an average price of $4.38 per share, with a total value of $2,500,003.26. The acquisition was disclosed in a legal filing with the SEC, which is accessible through the SEC website . Large shareholders that own at least 10% of a company's shares are required to disclose their sales and purchases with the SEC. +VTVT stock opened at $1.10 on Friday. The company has a market cap of $43.51 million, a P/E ratio of -0.66 and a beta of 1.67. vTv Therapeutics Inc has a fifty-two week low of $0.65 and a fifty-two week high of $8.40. The company has a debt-to-equity ratio of -0.15, a current ratio of 0.19 and a quick ratio of 0.19. Get vTv Therapeutics alerts: +vTv Therapeutics (NASDAQ:VTVT) last posted its earnings results on Friday, August 3rd. The biotechnology company reported ($0.29) earnings per share for the quarter, missing the consensus estimate of ($0.25) by ($0.04). The company had revenue of $2.47 million during the quarter, compared to analysts' expectations of $2.46 million. sell-side analysts anticipate that vTv Therapeutics Inc will post -0.87 earnings per share for the current fiscal year. Hedge funds have recently bought and sold shares of the stock. Millennium Management LLC lifted its stake in vTv Therapeutics by 51.6% in the first quarter. Millennium Management LLC now owns 95,031 shares of the biotechnology company's stock valued at $387,000 after buying an additional 32,362 shares during the last quarter. JPMorgan Chase & Co. lifted its stake in vTv Therapeutics by 55.9% in the first quarter. JPMorgan Chase & Co. now owns 327,728 shares of the biotechnology company's stock valued at $1,333,000 after buying an additional 117,513 shares during the last quarter. Finally, C WorldWide Group Holding A S purchased a new stake in vTv Therapeutics in the first quarter valued at approximately $399,000. Hedge funds and other institutional investors own 13.42% of the company's stock. +Several research firms recently weighed in on VTVT. Zacks Investment Research upgraded vTv Therapeutics from a "hold" rating to a "buy" rating and set a $1.75 target price for the company in a research note on Thursday, May 24th. ValuEngine upgraded vTv Therapeutics from a "sell" rating to a "hold" rating in a research note on Wednesday, May 2nd. Seven equities research analysts have rated the stock with a hold rating and two have assigned a buy rating to the company's stock. The stock currently has a consensus rating of "Hold" and a consensus price target of $13.11. +About vTv Therapeutics +vTv Therapeutics Inc, a clinical-stage biopharmaceutical company, discovers, develops, and sells orally administered small molecule drug candidates worldwide. The company's drug candidates comprise azeliragon (TTP488), an orally administered, small molecule antagonist targeting the receptor for advanced glycation endproducts, which is in Phase III clinical trials for the treatment of Alzheimer's disease \ No newline at end of file diff --git a/input/test/Test4412.txt b/input/test/Test4412.txt new file mode 100644 index 0000000..c82f33d --- /dev/null +++ b/input/test/Test4412.txt @@ -0,0 +1,46 @@ +Aurora Cannabis Obtains Receipt of Australis Capital Final Prospectus and Provides Update With Respect to Australis Distribution to Aurora Shareholders Canada NewsWire +EDMONTON, Aug. 17, 2018 +Australis' Non-Brokered, Over-Subscribed Private Placement Raises $17 Million - Australis Expects to List on the CSE in September 2018 +TSX: ACB +EDMONTON , Aug. 17, 2018 /CNW/ - Further to its press release of June 20, 2018 , Aurora Cannabis Inc. ("Aurora" or the "Company") (TSX: ACB) (OTCQB: ACBFF) ( Frankfurt : 21P; WKN: A1C4WM) today announced, in connection with the spin-out of its subsidiary Australis Capital Inc. ("Australis"), Australis has received a receipt for its final prospectus dated August 14, 2018 (the "Final Prospectus"). The Final Prospectus was filed with the securities regulatory authorities in all provinces and territories of Canada and is available under Australis' SEDAR profile at www.sedar.com . Receipt of the Final Prospectus will permit Aurora's Board of Directors (the "Board") to set the Record date of the transaction, which the company expects the Board will announce within the coming days. Additionally, Australis received conditional approval to list its shares and warrants on the Canadian Securities Exchange ("CSE"), as well as completed an oversubscribed private placement for proceeds of $17 million . +Australis Capital +Australis will identify and invest in U.S. cannabis and real estate assets. Investments may include and are not limited to equity, debt or other securities of both public and private companies, financings in exchange for royalties or other distribution streams, and the possible acquisition of certain entities. Investments will be reviewed on an on-going basis to determine the appropriateness of their weighting within the greater portfolio, at least monthly and more often as required to provide optimal returns and grow shareholder value. Australis' stringent investment criteria for growth will maximize returns to shareholders, while focusing on significant near and mid-term opportunities with a commitment to governance and community. Australis' Board, Management and Advisory Committee have material experience with, and knowledge of, the U.S cannabis space and expect to execute successfully with accretive deals in the near term. +Management Commentary +"The spin-out of Australis delivers additional value to Aurora's shareholders, while creating a vehicle with considerable upside potential," said Terry Booth , CEO of Aurora. "Australis provides its shareholders with access to deal-flow in the U.S market, where many successful operators have struggled to access growth capital in an opportunity rich market. With a deeply networked and experienced management team, and a strong balance sheet, Australis is well positioned to capitalize in the U.S. by acquiring attractively priced cannabis assets with high growth potential. The non-brokered, substantially oversubscribed private placement that Australis recently completed to fuel its growth is a reflection of investor appetite for access to U.S. cannabis assets, while recognizing the Australis team's domain expertise and successful track record of operating in highly regulated and rapidly evolving industries. We look forward to providing additional updates shortly on our progress towards the distribution." +Capital distribution of Australis shares to Aurora shareholders +The spin-out of Australis will occur in the form of a distribution of units (the "Units") in Australis to Canadian resident holders of Aurora shares (the "Distribution"). Non-resident holders will receive cash instead of units pursuant to the spin-out, as explained below. +The Distribution will be paid on the basis of one Unit for every 34 Aurora shares outstanding on the record date, to be fixed by the board of directors of Aurora. Each Unit will consist of one common share ("Share") and one Share purchase warrant ("Warrant") of Australis. Each Warrant will entitle the holder thereof to acquire one Share at an exercise price of $0.25 per Australis share, on or prior to 4:00 p.m. (Eastern Time) on the date that is one year from the date of the Distribution. +Aurora shareholders are not required to pay for the Units they receive by way of the Distribution, to tender or surrender their Aurora shares, or to take any other action in connection with the Distribution, other than providing a declaration of residency. +Spin-out to Non-resident Holders +As described in further detail in the Final Prospectus, no Units will be issued to shareholders who are (or are deemed to be) non-residents of Canada . Rather, such Units will be delivered to a custodian for sale in the open market following the Distribution, and the net cash proceeds will be delivered to non-resident shareholders, net of any withholding taxes. Shareholders who fail to provide a declaration of Canadian residency in the form that will be provided following the record date will be deemed to be a non-resident for these purposes. Canadian shareholders who hold their shares in Aurora through a brokerage or other account are therefore urged to contact their brokers to avoid being deemed a non-resident. +Record Date +The Aurora Board anticipates announcing the record date within the coming days. +CSE Listing +Australis has received conditional approval to list its Shares and Warrants on the CSE and Australis anticipates completing the listing in September 2018 . Listing will be subject to Australis fulfilling all of the listing requirements of the CSE. Australis' ticker symbol once listed on the CSE is expected to be CSE: AUSA. +Private Placement +Australis completed an oversubscribed, non-brokered private placement (the "Private Placement") of 85,000,000 Shares at an offering price of $0.20 per Share for gross proceeds of $17 million . The Shares issued pursuant to the Private Placement are subject to a statutory four-month hold period, as applicable. Funds will be used to execute on Australis' investment strategy. +Certain Aurora insiders, including Directors and Officers participated in the private placement, and consequently have become shareholders of Australis. No insiders of Aurora will become insiders of Australis. +This news release does not constitute an offer to sell or the solicitation of an offer to buy securities in any jurisdiction. The Australis Shares to be distributed have not been approved or disapproved by any Canadian or U.S. regulatory authority nor has any such authority passed upon the accuracy or adequacy of the final prospectus. +The U.S. Cannabis Market +While 29 states have legalized medical cannabis and 9 states plus the District of Columbia have proceeded with consumer legalization, cannabis remains a Schedule I controlled substance at the federal level in the United States . Consequently, the U.S. cannabis market is fragmented in nature and includes many high-quality operations and technology innovators with limited access to capital. This has created a compelling opportunity for well-connected and capitalized companies to invest in U.S. assets, especially considering anticipated market growth, with over 50% of the U.S. population currently living in states with legal access. +Recent changes in U.S. federal positioning with respect to cannabis have positively impacted the perception of risk to invest in U.S. cannabis assets. This has further incentivized capital market participants to seek opportunities to fund U.S. based operations. Entering the U.S. market now, in compliance with regulatory requirements, represents a risk/reward balance attractive to well-connected and funded operators with an ability to execute delivering significant shareholder value. +Assets +Aurora has completed a series of intercorporate transactions in connection with the proposed Distribution, resulting in Australis holding the following investments: +a 100% interest in Australis Holdings LLP, a limited liability partnership organized under the laws of Washington State , which holds two parcels of land totaling 24.5 acres in Whatcom County, Washington ; SubTerra LLC ("SubTerra"), consisting of (a) a royalty of five percent (5%) of the gross revenues of SubTerra earned annually from the potential sale of cannabis and cannabis based products grown and/or processed at its facility during the period commencing June 1, 2018 and ending May 31, 2028 ; (b) a payment of $150,000 annually during the period commencing June 1, 2018 and ending May 31, 2028 ; and (c) a two-year option to purchase the White Pine land parcel for $3,000. SubTerra does not currently conduct any cannabis related activities, but has applied to the State of Michigan for a license for the production, research and processing of medical cannabis. +Furthermore, Australis raised $17 million through a non-brokered private placement, well-capitalizing the company to execute on opportunities. +Funding Agreement and Restricted Back-in Right +Aurora and Australis entered into the Funding Agreement on June 14, 2018 pursuant to which Aurora will advance $500,000 to Australis, in consideration for which Australis will issue to Aurora: (a) a warrant to purchase a number of Shares equal to 20% of the issued and outstanding Shares as of the date on which the Shares commence trading on the CSE, which will be exercisable for a period of ten years from the date of issue at an exercise price of $0.20 per Share, and (b) a warrant to purchase a number of Shares equal to 20% of the number of Shares issued and outstanding as of the date of exercise, which will be exercisable for a period of ten years from the date of issue at an exercise price equal to the five day volume weighted average trading price of the Shares on the CSE or such other stock exchange on which the Shares may then be listed at the time of exercise, or if the Shares are not then listed on a stock exchange at the fair market value of the Shares at the time of exercise (collectively, the "Restricted Back-in Right"). +Aurora will be prohibited from exercising the Restricted Back-in Right unless all of Australis' business operations in the United States are allowed under applicable federal and state laws and Aurora has received the consent of the Toronto Stock Exchange and any other stock exchange on which Aurora may be listed, as required. +About Aurora +Headquartered in Edmonton, Alberta, Canada with funded capacity in excess of 570,000 kg per year and sales and operations in 14 countries across five continents, Aurora is one of the world's largest and leading cannabis companies. Aurora is vertically integrated and horizontally diversified across every key segment of the value chain, from facility engineering and design to cannabis breeding and genetics research, cannabis and hemp production, derivatives, high value-add product development, home cultivation, wholesale and retail distribution. +Highly differentiated from its peers, Aurora has established a uniquely advanced, consistent and efficient production strategy, based on purpose-built facilities that integrate leading-edge technologies across all processes, defined by extensive automation and customization, resulting in the massive scale production of high quality product at ultra-low costs. Intended to be replicable and scalable globally, these production facilities are designed to produce cannabis of significant scale, with high quality, industry-leading yields, and ultra-low per gram production costs. Each of Aurora's facilities is built to meet European Union (EU) GMP standards, and both its first production facility and its wholly owned European medical cannabis distributor Pedanios have achieved this level of certification. +In addition to the Company's rapid organic growth and strong execution on strategic M&A, which to date includes 10 companies acquired – MedReleaf, CanvasRX, Peloton Pharmaceutical, Pedanios, H2 Biopharma, Urban Cultivator, BC Northern Lights, Larssen Greenhouses, CanniMed Therapeutics, and Anandia – Aurora is distinguished by its reputation as a partner of choice and employer of choice in the global cannabis sector, having invested in and established strategic partnerships with a range of leading innovators, including: The Green Organic Dutchman Holdings Ltd. (TSX: TGOD) , Radient Technologies Inc. (TSXV: RTI), Hempco Food and Fiber Inc. (TSXV: HEMP), Cann Group Ltd. (ASX: CAN), Micron Waste Technologies Inc. (CSE: MWM), Choom Holdings Inc. (CSE: CHOO), Namaste Technologies Inc. (TSXV: N) , Evio Beauty Group (private), Wagner Dimas (private), CTT Pharmaceuticals (OTCC: CTTH), and Alcanna Inc. (TSX: CLIQ) . +Aurora's Common Shares trade on the TSX under the symbol "ACB", and are a constituent of the S&P/TSX Composite Index. +For more information about Aurora, please visit our investor website, investor.auroramj.com , Twitter , Facebook or Instagram +Terry Booth , CEO +Aurora Cannabis Inc. +Forward looking statements +This news release includes statements containing certain "forward-looking information" within the meaning of applicable securities law ("forward-looking statements"). Forward-looking statements are frequently characterized by words such as "plan", "continue", "expect", "project", "intend", "believe", "anticipate", "estimate", "may", "will", "potential", "proposed" and other similar words, or statements that certain events or conditions "may" or "will" occur and include, but are not limited to: statements in respect of the timing and details of the Distribution, the financial prospects of Australis, the listing of Australis Shares and Warrants on the CSE and the terms of the Restricted Back-in Right. These statements are only predictions. Various assumptions were used in drawing the conclusions or making the projections contained in the forward-looking statements throughout this news release. Forward-looking statements are based on the opinions and estimates of management at the date the statements are made, and are subject to a variety of risks and uncertainties and other factors that could cause actual events or results to differ materially from those projected in the forward-looking statements. Investors should refer to the final prospectus filed by Australis in connection with the Distribution for more information, in particular the risk factors described therein under the heading "Risk Factors". The Company is under no obligation, and expressly disclaims any intention or obligation, to update or revise any forward-looking statements, whether as a result of new information, future events or otherwise, except as expressly required by applicable law. +Neither TSX nor its Regulation Services Provider (as that term is defined in the policies of Toronto Stock Exchange) accepts responsibility for the adequacy or accuracy of this release. +SOURCE Aurora Cannabis Inc. + : http://www.newswire.ca/en/releases/archive/August2018/17/c5799.htm \ No newline at end of file diff --git a/input/test/Test4413.txt b/input/test/Test4413.txt new file mode 100644 index 0000000..f237bc6 --- /dev/null +++ b/input/test/Test4413.txt @@ -0,0 +1,2 @@ +Share +Porchlight Hospitality, LLC, headed by Paul Lowden and Chris Lowden will produce the 2019 Newport Beach Jazz Party. Paul Lowden is the Chairman of Archon Corporation, parent of Porchlight Hospitality, LLC, and an accomplished jazz musician himself. Chris Lowden is the founder of Stoney's Rockin' Country, Las Vegas' ACM-nominated Nightclub of the Year. Going forward, the Porchlight Hospitality team will be producing and programming this prestigious long-standing event, while adding their inimitable reputation for artistic integrity and flair. "We are honored to continue this amazing tradition created 23 years and 32 parties ago, in 1995, by Joe Rothman & John McClure ," states Chris Lowden from his Las Vegas Porchlight Headquarters. The Newport Beach Jazz Party features the top artists in jazz today. The ongoing series has featured hundreds of marquee performers including: Jack Jones , Tom Scott , Jeff Hamilton, John Clayton, Cl ayton-Hamilton Jazz Orchestra, Shelly Berg, Tierney Sutton , Christian Jacob , Bill Cunliffe, Butch Miles, Terell Stafford, Akiko and Ken Peplowski Just to name a few. The J azz Party is a jazz festival combined with a looser, "party" atmosphere, and is in its 19th year and still going strong. Fans will see some of the greatest jazz musicians on the scene in intimate jam-session-style sets. Each set is curated by Artistic Director Ken Peplowski and is a one-of-a-kind matching of players, akin to the legendary Jazz at the Phil sets of yore. Most performers appear in multiple configurations, leading their own sets as well as playing on other leaders' sets. "The key word is fun, we'll have music, small groups, big bands, vocalists, etc., throughout the four nights and three days," says Ken Peplowski . For more information, search www.newportbeachjazzparty.com Porchlight Hospitality LLC, a subsidiary of Archon Corporation, is a full-service entertainment company with a heavy focus on Jazz and Country music. Porchlight's footprint in the jazz world is significant as managers, record and concert producers, bookers, talent buyers and social media marketing experts. The prestigious Newport Beach Jazz Party, a 23-year jazz festival in Newport Beach, CA, is a priority Porchlight property. The company also owns and operates the World-Famous Stoney's Rockin' Country venue in Las Vegas. In 2018 the storied nightclub was voted by the Las Vegas Review Journal as the #1 country club in Las Vegas and the venue was nominated for Nightclub of the Year at the Academy of Country Music's Honors Awards. Regarded as the west coast home of the country music industry, Stoney's Rockin' Country presents marquee national emerging country music acts annually. Porchlight buys talent and produces entertainment events for casinos, festivals and music venues across the nation in multiple formats. In addition, they provide social media marketing for special events across multiple casinos. Country AF Radio is Porchlight's internet radio station with loyal listeners worldwide. CAF Radio not only programs the top country artists but focuses on exposing emerging artists whose music you won't hear elsewhere. \ No newline at end of file diff --git a/input/test/Test4414.txt b/input/test/Test4414.txt new file mode 100644 index 0000000..91de450 --- /dev/null +++ b/input/test/Test4414.txt @@ -0,0 +1 @@ +Press release from: Orian Research Smart Card Market 2018-2025 A World smart card Market, a type of chip card, is a plastic card embedded with a computer chip that stores and transacts data between users. This data is associated with either value or information or both and is stored and processed within the cardâs chip, either a memory or microprocessor.The card data is transacted via a reader that is part of a computing system. Smart card-enhanced systems are in use today throughout several key applications, including healthcare, banking, entertainment and transportation. To various degrees, all applications can benefit from the added features and security that smart cards provide. Get Sample Copy of this Report @ www.orianresearch.com/request-sample/604820 .The Global Smart Card Industry based on geographic classification is studied for industry analysis, size, share, growth, trends, segment, top company analysis, outlook, manufacturing cost structure, capacity, supplier and forecast to 2025. Along with the reports on the global aspect, these reports cater regional aspects as well as global for the organizations.This report covers the global perspective of Smart Card industry with regional splits into North America, Europe, china, japan, Southeast Asia, India, apac and Middle East. Where these regions are further dug to the countries which are major contributors to the marketAlong with the reports on the global aspect, these reports cater regional aspects as well for the organizations that have their Smart Card gated audience in specific regions (countries) in the world.Complete report Smart Card Industry spreads across 107 pages profiling 12 companies and supported with tables and figures, Enquiry of this Report @ www.orianresearch.com/enquiry-before-buying/604820 .Analysis of Smart Card Market Key Companies:Gemalt \ No newline at end of file diff --git a/input/test/Test4415.txt b/input/test/Test4415.txt new file mode 100644 index 0000000..e43c61a --- /dev/null +++ b/input/test/Test4415.txt @@ -0,0 +1,11 @@ +on August 17, 2018 at 7:57 am T-Rex Meets R2D2 – Using Research and Digital Technology to Create Change in Mathematics and STEM +Mathematics is an essential building block of Science, Technology, Engineering and Mathematics (STEM) literacy. To support student participation and develop positive mathematics identity, the three aspects of learning in mathematics outlined below (exploring problems together, visualizing thinking and using spatial reasoning) can be enhanced by harnessing the affordances of technology in the classroom. The enduring outcome of STEM education is the students' ability to discover, create and use foundational knowledge in STEM in real life. Quality teaching and learning experiences in STEM education are founded in meaningful real-world challenges, informed by a global perspective, and integrated within community and culture. +Mathematics should be learnt through experiences in solving sufficiently challenging problems, using hands-on learning strategies for exploring, and with opportunity to share thinking. When designing and delivering lessons in mathematics, it is important to give students opportunity to explore problems to demonstrate multiplicity of ideas. Exploring involves discussion, but too often the social aspect of mathematics is lost in a myriad of worksheets and questions to be completed in a limited time. Instead, to develop STEM literacy, students should participate in investigations that are discussed together in order to strengthen ideas. For this to happen, students need to experience mathematics in groups and mathematics through problem-solving. STEM involves rigorous understanding along with collaboration to reach that understanding; being a problem solver is hard fun and involves working with a community of learners (Pound & Lee, 2015). +Students need flexible thinking if they are to be good problem solvers. To increase a student's capability to explore challenging problems, he should be able to provide visual proof of his thinking through ideas of make, say, do, and write , including drawing, modelling and explaining (Boaler, 2015). Participating in problem solving and improving mathematical thinking is more than manipulating abstract symbols systems; it requires sensory-motor action using patterning, abstracting, modelling and play in multimodal settings to support deep understanding (Mishra, 2012). +By exploring visual components of mathematics and explaining processes and reasoning, students develop understanding from another point of view, developing empathy for how people see mathematical problems and increasing curiosity – a key STEM practice. +Spatial reasoning improves the ability to visualize solutions and is a key contributor to STEM literacy, as it is concerned with understanding and working within the physical world (Lowrie, Downes & Leonard, 2017, p. 27). Using mental transformations, decomposing a pattern into component parts, using scale, estimations, mental imagery, comparison and sequencing are a few examples of elements of spatial reasoning that support student learning. The more opportunities that students have to show their thinking, to work in sense-making activities and discussion, the stronger their mathematical thinking, which supports problem solving in STEM education. +Digital technologies can play many roles in supporting student participation in STEM education, including games for exploring problems and understanding thinking, and digital tools for sharing and explaining thinking. +Harnessing the requirement for students to undertake challenging mathematics problems, it is important to select games that are not based on drill and speed. Instead, select activities that give opportunity to fail fast, for repeated effort, to reconsider problems and collaborative effort. Mathematics is not a lower order thinking task and memorisation is less useful when problems become more difficult. Instead, innovative learning with technology uses higher order thinking. Digital tools that allow for thinking give students the opportunity to ponder without asking for help, without an expectation to finish a number of math problems in a short period of time, where failure is not about failing to get stuff done, but not yet finding a way to understand the problem being presented, while applying the capability to persist using different possibilities. To develop persistence and reflection, use tools that help students visualize their thinking, live drawing, video capable and utilizes feedback. +In our two workshops at the Leading a Digital School Conference, Dinosaurs to Star Wars and Up and Over the Wall , we will expand on how digital technologies have been used in our context to support teachers to deliver outcomes in mathematics and contribute to STEM literacy through hands-on activities and discussion. +For a full list of references, email admin@interactivemediasolutions.com.au +By Lora Bance and Keith Roberts The following two tabs change content below \ No newline at end of file diff --git a/input/test/Test4416.txt b/input/test/Test4416.txt new file mode 100644 index 0000000..0b3409f --- /dev/null +++ b/input/test/Test4416.txt @@ -0,0 +1,3 @@ +Hyderabad: Hyderabad's Cybercrime police arrested a youngster from Karnataka on charges of uploading intimate videos of a couple on porn sites, here on Thursday. +According to the police, recently a man lodged a complaint stating that he had recorded some intimate moments with his wife while on a video chat. He had those videos saved in his mobile phone, which he had lost. Later, he happened to find those videos in some porn sites. +The Cybercrime police said the suspect whose name was not disclosed used to watch porn on various sites. While browsing, he also downloaded some videos which he again uploaded in other popular sites with his login, in order to earn easy money \ No newline at end of file diff --git a/input/test/Test4417.txt b/input/test/Test4417.txt new file mode 100644 index 0000000..0ee166e --- /dev/null +++ b/input/test/Test4417.txt @@ -0,0 +1,28 @@ +Share 29 Shares +For all the time we obsess over food, cookbooks, and dining out, I think it's high time beverages got their share of attention! Let's start chronologically, as in, the liquid that's going to do you the most good in the morning when you have to drag your butt out of bed! I could wax poetic about coffee brands until the cows come home (which is not a bad idea if you take yours with cream!) but since I'm also kind of a gadget girl, let's talk about new ways to brew! +This Brass Pour Over Coffee Dripper from World Market has a cool, vintage science lab look about it that I absolutely love! If you enjoy the taste of pour over and prefer a hands-on approach to making coffee, this is a fun apparatus that looks great on the countertop (way better than that awful plastic filter holder and carafe you've probably got going!). +Crate and Barrel, the boss of kitchen stores, has every kind of coffee press imaginable including this pretty Brass Coffee Press from Bodum. If you like robust flavor, and always feel like drip coffee just isn't strong enough for you, immersion style brewing may be the process you need. +Can't decide if you should switch to pour-over or press? The Clever Dripper device might look like a pour over, but it's actually a combination of filter and immersion. With a valve at the bottom, you immerse the coffee grinds in water completely so that extraction can take place. Then, when you're ready, you open the valve and the coffee filters out. You get the best of both worlds and a consistent cup of coffee each time! Flavored Coffee & Italian Soda Syrups +Plain coffee too boring for you?! You can be a badass barista at home, making flavored coffee like a pro with Torani Syrups . They have, like, 30 different flavors plus seasonal options. Once you start looking at all of the varieties, you'll notice quite a few fruity options that you can make Italian soda with simply by adding a pump to your club soda! A Different Kind Of Brew! +Well, it doesn't seem like the microbrew beer trend is ending anytime soon. I like that restaurants now have the option of promoting beers from neighborhood breweries as opposed to serving only big international brands. Don't get me wrong, I love the cute Clydesdale commercials from Budweiser, but OMG, it's a snoozefest drinking those old-time ubiquitous brands when there are so many new beers that have really unique flavors! Plus, I kinda like the idea of promoting brew dudes (are there any dudettes?!) in my own city because shorter deliveries to bars and restaurants not only help the environment, but they also support local businesses. +Packaging is another thing that's changing! As more and more breweries opt for cans over bottles, there is some really cool can art that's emerging, like these here from Lamplighter Brewing , a microbrewery in Cambridge, Massachusetts that crafts small batch brews with aromatic twists. From stouts that have essence of marshmallow, vanilla and espresso to Belgium ales with hints of plum, cherry and nutmeg, Lamplighter Brewing is totally pushing the envelope on flavor and turning those who aren't normally beer drinkers into their biggest fan! +In Dallas, Texas, Noble Rey Brewing is another microbrew where the flavors and beer names are just as exciting as the packaging! Choose between options like 'Tropical Combat Firefighter' IPA or a fruit Hefeweizen called 'Frooty Tang.' +San Francisco has a number of microbreweries but Fort Point Beer Company has my favorite can art! The brewery is located in the Presidio, a historic old Army base, and features old-world brewing techniques that showcase special hops and grains. The Wild New World Of Whiskey +When you need something stronger than beer and wine, whiskey is the way to go! I love that whiskey comes in so many different styles. Kentucky Bourbon tastes nothing like Irish Whiskey and for years Scotland seemed to be the benchmark producer for top-notch bottles. But not any longer! Japanese Whiskey has risen to the top. (I guess they realized they needed to create something to dull the pain when you saw your bill at basically every Sushi restaurant ever! Am I right, or am I right?!) +Here are a few you should give a try when you're ready to splurge on the good (read: expensive! like sushi!) stuff! +From Chichibu Distillery comes Warrior Whiskey! I don't know if drinking this will make you want to go into battle or just hang out in your robe by the fireplace. Either way, the award-winning taste of their single malt, single cask whiskey is a rare treat. +The single malt Moscatel wood finish Yoichi and Miyagikyo whiskeys from Nikka Distillery are similar to a Scottish whiskey because they rely on sea air and peat for malting barley. If the "peaty" style is how you roll, these are for you! +Suntory is Japan's first and oldest distillery, which makes them old pros at this! Their Yamazaki 18 is a single malt whiskey aged 18 years in Mizunara Japanese oak, a wood that's very difficult to construct casks from, but wood that Suntory feels best showcases the flavors of their whiskey. I say, anyone who goes through this much trouble, for 18 years no less, deserves a round of applause. (I'll drink to that!) It's Not A Good Day For The British Empire This Blog! +First Scotland, now England. Know how English Gin is supposed to be the bomb? Well, throw traditional to the wind because Japan is making some pretty incredible gins now as well. Guess all that whiskey making inspired them to branch out. And not to completely miss the boat, a ton of American producers are making craft-gins here in the states too. +Okay, full disclosure, I haven't tasted Roku Gin but because of my packaging fetish, I fell in love with the bottle and decided to do a little research on this one. It's made by the famous Suntory Distillery and rather than use traditional English botanicals in the distillation process, this gin uses six Japanese botanicals that represent all four seasons, including Sakura flower, Sakura leaf, Yuzu peel, green tea, Gyokuro tea, and Sansho pepper! +Nikka Gin is made in a coffey still, which is also where their whiskey is made. They infuse apple and citrus essence from Yuzu, Kabosu, and Amanatsu fruits. +Distilled in Kyoto, Ki No Bi Gin is made with a rice spirit base and Japanese botanicals such as Yuzu, bamboo, Japanese cypress, Sansho peppers, and gyokuro tea. The result is something distinctly different than the gin you're used to but equally satisfying on the rocks with a twist! +Here in the states, a couple of Chicago bartenders have created Letherbee , a craft distiller that makes seasonal gins. Their Autumnal Gin, the only season available right now, is infused with rosemary, cardamom, allspice and lemon peel. With all that flavor, who needs an olive?! #YUM! Time For Sir Mix-a-Lot (Uhm, That Means Mixers) +Okay, the La Croix craze is winding down a bit, but there are other alternative mixers hitting the shelves. Call me crazy, or a booze-hound, or both, but I kinda like the idea of a mixer containing it's own bit of alcohol! Like these White Claw Hard Seltzers ! With these fruity gems you get bubbles, you get refreshment, and you get 5% ABV which is a nice little buzz you can add to other cocktail spirits or just sip on its own! +Mixologists at the hippest watering holes are adding drinking vinegars to signature cocktail creations. Scrub District and McClary Bros. are two popular brands of cocktail vinegars that combine vinegar, fruits, spices and herbs. In addition to cocktails, people use them as digestive tonics and as toner on the skin. +Cutwater Spirits is kind of like a grab bag of booziness. They distill and bottle rum, gin, vodka, and whiskey. They make canned cocktails that are a blend of their flavored seltzer waters and house spirits, including favorites such as vodka with cucumber soda water, whiskey iced tea, and ginger rum. They also make mai tai and bloody mary mix, tonic water, and ginger beer. #PHEW! How to Set Up A Bar Cart +Gone are the days of people having built-in bars in their homes. But that's okay because decorative bar carts are so much prettier! And, they're mobile! +Open up any Pottery Barn catalogue and you'll find a swoon-worthy bar setup. +From their cabinet and console bars that look like furniture to small, portable bar carts on casters like these from CB2 and West Elm , bar setups add color to the room and keep booze at the ready! +Wondering what to put in your cart? Definitely start with liquors that you always use (like vodka, gin, rum, and whiskey) and add a few "anything" bottles that are packaged in decorate glass or feature really pretty label art for a pop of flair – it doesn't have to be alcoholic, it can sparkling water in colored bottles! +Depending on the size of your cart, here are some other things that look great on the cart : Metallic ice bucket \ No newline at end of file diff --git a/input/test/Test4418.txt b/input/test/Test4418.txt new file mode 100644 index 0000000..51e9d83 --- /dev/null +++ b/input/test/Test4418.txt @@ -0,0 +1,6 @@ +ICASA has published its findings following an inquiry to identify priority markets which may be subject to regulations in the future. +The inquiry forms part of ICASA's approach to reduce the high cost of communication and benefit South African consumers. +The regulator received eight submissions on its discussion document from stakeholders and conducted public hearings regarding the issue. +ICASA concluded that it would prioritise the following markets for potential review: +Wholesale fixed access – Including wholesale supply of asymmetric broadband origination, fixed access services, and relevant facilities. Upstream infrastructure – Incorporating national transmission services and metropolitan connectivity. Mobile services – Including retail market and wholesale supply of mobile services. ICASA said it would publish a formal notice of its intention to carry out a market inquiry of the above-mentioned markets in the near future. +Now read: ICASA getting ready to fight out-of-bundle billing court challenge ICASA mobile regulation mobile services telecommunication \ No newline at end of file diff --git a/input/test/Test4419.txt b/input/test/Test4419.txt new file mode 100644 index 0000000..af6df91 --- /dev/null +++ b/input/test/Test4419.txt @@ -0,0 +1,32 @@ +Isabella Colello shops for just about everything online. +The 9-year-old scrolls through the Amazon app on her phone at least once a day. She gets ideas from YouTube, searches on Google for things she wants and sends the links to her dad: Pink swimsuits, earrings, Adidas sneakers (he said yes), Gucci backpack (no). +"It's like, I'll put 18 items in my cart, and we'll end up getting like one or two," said Isabella, who lives in Sharpsville, Mercer County, and spends about $100 a month online. "It's so much better than going to the mall because there aren't that many places to shop anymore." +Children and preteens are more connected to the internet than ever before, which means retailers are looking for ways to market — and sell — directly to young shoppers on their phones, tablets and laptops. Gone are the days of blanket TV ads, marketing experts say. Instead, companies are flocking to Snapchat , YouTube Kids and other mobile apps to reach children with personalized messages. +Nearly half of 10- to 12-year-olds have their own smartphones, according to Nielsen. By the time they're teenagers, 95 percent of Americans have access to a smartphone. +"Kids are shopping on their phones and influencing much more of their families' spending," said Katherine Cullen, director of retail and consumer insights for the National Retail Federation. "As a result, retailers are paying a lot more attention to pint-sized customers." +Back-to-school season is peak time for direct-to-children marketing. Brands such as Five Star, which makes binders and folders, and Red Bull, the energy drink maker, have released back-to-school "filters" on Snapchat, while clothing chain Justice is advertising in-store fashion shows on its app. Families are expected to spend an average of $685 per household on clothing, shoes and other items for school-age children in the coming weeks, according to the National Retail Federation. +But advocacy groups say marketing to children directly on their smartphones — where companies can collect data on users and tailor ads to specific consumers — also raises a number of concerns, not just about privacy but also about the kind of influence those ads may have on young children. +"As adults, we might think it's a little weird or creepy if we're getting targeted ads that follow us from site to site," said Josh Golin, executive director of the Campaign for a Commercial-Free Childhood. "Kids, though, are especially vulnerable because they have no understanding of what those ads are or why they're seeing them." +Nearly 1.5 million children age 11 and younger have active Snapchat accounts, according to data from eMarketer, which expects continued double-digit growth in coming years. (Snapchat requires that users be at least 13.) +The social media platform — which is particularly popular among teenagers and 20-somethings — has emerged as a holy grail for retailers in search of young consumers. That is especially true, the company says, during back-to-school seasons, where last year users spent an extra 130 million hours using the platform to chat with friends and connect with popular brands like Vans, Hollister and Michael Kors. +"Kids have their own screens and are choosing exactly what they want to watch at younger ages," said Nick Cicero, chief executive of Delmondo, a New York firm that helps brands such as Red Bull and MTV market themselves on Snapchat and other social media platforms." +Justice, the clothing brand, is popular among the under-13 crowd and pitches its mobile app to parents as "a safe place where your girl can create, engage and have fun with awesome girls just like herself." Once in the app, shoppers can save items to a wish list that they're encouraged to email to their parents. +Amazon.com, meanwhile, allows children as young as 13 to create their own logins for online purchases. (Parents can either set spending limits or ask to approve all purchases.) The company declined to say how many teenagers had signed up for teen accounts since they were introduced late last year but said "customer response has been strong." +It's been more than a year, Kristin Harris says, since her kids watched television. +Instead, her 6- and 10-year-old daughters spend hours a week watching videos on YouTube, where companies such as Nike and Nintendo routinely partner with "influencers" to get their toys, clothing and accessories featured in videos. +"The videos that really get their attention are the ones where kids are playing with toys like Breyer Horses or Hatchimals — those really get them interested," Harris said. "As an adult, you're like, 'Why are you watching this?' But the next thing you know, they're asking for Hatchimals because they saw them in a video." +It's become increasingly challenging, marketing experts said, to keep a child's interest — there is no expectation anymore that they'll have to sit through commercials during their favorite TV shows. Instead, they can skip through ads and easily close out of videos they're not interested in. As a result, brands such as Build-A-Bear, American Girl and Victoria's Secret's Pink now offer games and photo filters on their apps. +"Snapchat and YouTube have become a way for brands to market right to tweens — in fact, it's one of the only ways to get to them directly," said Gregg L. Witt, executive vice president of youth marketing for Motivate, an advertising firm in San Diego. "If you're trying to target a specific demographic, TV no longer works. You're going to mobile, digital, social media." +But, he added, direct-marketing emails — the kind that might resonate with adults — haven't caught on with younger consumers. +"If you're under 16, there's no way you're ever, ever checking your inbox," he said. "It's just not happening." +Isabella, the 9-year-old from Sharpsville, gets most of her purchasing inspiration from YouTube personalities such as the Ace family, a Seattle family of three that posts videos with titles like "Giant fluffy slime comes alive!!!" and "1 year old baby unboxing the new iPhone 8!!!" +The videos, which have been viewed millions of times by the family's 10.5 million subscribers, aren't traditional commercials — they're better, Isabella says, because they're entertaining and informative. And they often result in a purchase down the line. +"When I find a YouTuber I like, I go straight on their website to shop," she said. +She recently bought a $60 Ace-family-branded backpack to take to fourth grade, and often wears hair bows and T-shirts by YouTube personality JoJo Siwa, who's 15. +When she finds something she wants to buy, her parents type in their credit card information, and she hands over cash she's saved from birthdays, lemonade stands and her weekly allowance of about $20. She also has a Snapchat account but so far hasn't used it to shop. +"I still have to beg my mom and dad for stuff, but now it's at home instead of at the store," Isabella said. "It's kind of easier this way." +Fiona Taylor's 11-year-old daughter, Arden, started shopping online two years ago when Arden, then in fourth grade, started helping her babysitter scour the Internet for a homecoming dress. +"They spent hours looking for the right outfit," Taylor said. "I think that's when she realized, 'Oh look, I can find all of this stuff online.' " +Just as well, says Taylor, whose family lives in New York City and hardly ever shops in physical stores anymore. Instead, they rely on Amazon for most of their purchases. +"When she's on a quest for something, she'll get very focused and spend, like, an hour looking for something specific on her laptop," Taylor said. "She's been sending me links for her Halloween costume since July." +Could the Lehigh Valley housing market be heading for a cool-down? Lehigh Valley restaurant inspections: August 5-11 St. Luke's proposes building new hospital in Carbon County, consolidating Palmerton and Gnaden Huette \ No newline at end of file diff --git a/input/test/Test442.txt b/input/test/Test442.txt new file mode 100644 index 0000000..37e8d02 --- /dev/null +++ b/input/test/Test442.txt @@ -0,0 +1 @@ +David Drake Is Featured Speaker and Sponsor For Crypto Business Forum New York August 16 Share it With Friends David Drake of LPG Capital is the featured speaker at the second Crypto Business Forum New York Showcasing Innovators in Cryptocurrency and Blockchain technology that will be held on October 1st, 2018 at NASDAQ Tower Times Square, and Harvard Club. Hosted by T. Allen Hanes of The Authority Syndicate Group and Matthew Loughran of Midtown West Media. David Drake, through his family office LDJ Capital, has acted as GP and LP investor with his partners in fund-of-funds, realty funds, venture capital funds, and hedge funds. Drake's investments currently have 50+ global directors that maintain relations with institutions and family offices with access to over a trillion in assets. Drake, through LDJ Capital , manages and co-invests in alternative assets with the top 30 family offices out of his 5,000 family office and institutional investor reach. These top 30 are 40% from Asia, 20% from Europe, 20% from the Americas, and 20% from the Middle East. Drake's access with 100,000 investors is maintained through his media asset, The Soho Loft Media Group, which has produced & sponsored over 1500+ finance conferences since 2002 like the events with institutional media leader Thomson Reuters and with sponsors from NASDAQ, NYSE, KKR, and the Carlyle Group. LDJ Special Situations partners have invested $100 Million in Alibaba and Palantir. LDJ Real Estate strategy is set to acquire Class A core rental properties and hotels. Drake is a digital automation advocate for private equity as he lobbied the US Congress on the JOBS Act since 2011. He represented the US Commerce Department at the EU Commission in Brussels and Rome in 2012, was invited to the White House Champions of Change ceremony in Washington, D.C., and, was a speaker at the UK Parliament in 2013. More recently, David Drake is also seen as a leader in blockchain and cryptocurrency. He saw the value of digital assets when everyone was avoiding it. It all started in 2011 when Drake collaborated on the JOBS Act to create new laws underlying all fundraising in the U.S. for all ICOs. He runs a $200M LDJ Cayman Fund focused on cryptocurrency, mining, and ICO acquisitions. LDJ Capital Credit also offers middle market bridge financing to seed upcoming ICO's. Previously, he held a majority stake as a Managing Partner with Robert Hambrecht in an Alternative Energy Fund NewCommons Capital 2009-2010. Over a dozen leaders and industry insiders in cryptocurrency gathered in New York on Monday, March 26, 2018, for the Inaugural Crypto Business Forum New York. Roundtable discussions uncovered what lies ahead for the future of blockchain. The forum designed to collaborate and learn from visionaries and insiders, meet investors and to share best practices and governance. The rise of 'the ICO' in 2017 has been astonishing to watch. ICOs have followed the innovator's dilemma disruption path in much faster timeframes than technology has. The VC and Angel investor market, which maintains a chokehold on development projects, has now been uprooted by a decentralized, democratic model of global crowdfunding, that in some cases, is producing returns in the 1,000% range. With the diversity of each leader's background, including Key Sponsors Uulala , a blockchain company to empower the unbanked, and U.S. Olympic Medalist Apolo Ohno's organization HybridBlock , the group will collectively merge their knowledge. Industries in attendance include social impact, marketing and media, finance, data security, blockchain development, agriculture, cryptocurrency trading, personal development, fitness, cannabis, and sports financing. Each has navigated the ever-changing business landscape in the lightning speed crypto market and looks to further the impact blockchain technology can have on their respective industries. Ohno, a founder of the new cryptocurrency exchange HybridBlock, will take an active role in examining the ecosystem for global exchange. Another notable Key Sponsor Oscar Garcia of the financial technology company Uulala has a focused social impact outlook to share what it looks like to bring millions of unbanked users into the formal economy. Joshua Ashley Klayman Kuzar is providing key insights into the global legal landscape around cryptocurrencies. Not only did the event bring introspective from emerging platforms, but it also focuses on disruption to legacy industries. Hanes added, "we are super excited to host the second Crypto Business Forum New York and having David Drake as Keynote speaker and sponsor for such an experience at the Harvard Club in New York. We are currently on a worldwide search for other TOP CEO's launching ICO's and Innovators in Cryptocurrency and Blockchain Technology to be a part of this exclusive experience. These business leaders are truly innovating business as we know it." What others are saying about the inaugural event. Video Link: https://www.youtube.com/embed/qbSyniTZ84E Mathew Loughran co-founder added, "we wanted to not only have an exclusive event for media assets but to help CEO's to interact with investors. We know Institutional Money is coming, and we wanted to bridge the gap to meet the gateway to institutional funds. And have the ability to expand their network with access to Family Offices and Crypto Funds investing in the space. The Inaugural Crypto Business Forum was a wild success and we are looking to repeat". The market continues to expand and competition to attract investor dollars increases…how are you going to stand out? Need funding? This is the event to be at in 2018. David Drake added, "The center of security tokens is in Wall Street and with our 20 years as a family office on Wall Street I expect the financial markets and embracing Cryptocurrency and tokenization over the next decade. It starts here in New York City and this is the event held at Harvard Club to propel your Innovation just like I discuss on my weekly digital Innovation show at NASDAQ. come and join us at NASDAQ for this event and reach the financial markets." To be considered for one of the exclusive spots go here. www.cryptobusinessforum.com and download the schedule of deliverables. Spots are limited to 10 and filling fast. Secure your spot now for the exclusive Investor, Media, Blockchain Cryptocurrency Educational event of 2018. Media Contact Company Name: MidTown West Media Contact Person: Matthew Loughra \ No newline at end of file diff --git a/input/test/Test4420.txt b/input/test/Test4420.txt new file mode 100644 index 0000000..b258552 --- /dev/null +++ b/input/test/Test4420.txt @@ -0,0 +1 @@ +Isabella Colello shops for just about everything online. The 9-year-old scrolls through the Amazon app on her phone at least once a day. She gets ideas from YouTube, searches on Google for things she wants and sends the links to her dad: Pink swimsuits, earrings, Adidas sneakers (he said yes),.. \ No newline at end of file diff --git a/input/test/Test4421.txt b/input/test/Test4421.txt new file mode 100644 index 0000000..d4754f4 --- /dev/null +++ b/input/test/Test4421.txt @@ -0,0 +1,10 @@ +Tweet +Bowling Portfolio Management LLC acquired a new position in Valhi, Inc. (NYSE:VHI) during the second quarter, according to the company in its most recent 13F filing with the Securities and Exchange Commission (SEC). The institutional investor acquired 189,593 shares of the basic materials company's stock, valued at approximately $902,000. +A number of other large investors have also recently added to or reduced their stakes in VHI. Bank of New York Mellon Corp lifted its holdings in shares of Valhi by 1.7% during the 2nd quarter. Bank of New York Mellon Corp now owns 843,036 shares of the basic materials company's stock valued at $4,013,000 after purchasing an additional 14,459 shares in the last quarter. Engineers Gate Manager LP acquired a new stake in Valhi in the 2nd quarter valued at approximately $136,000. Los Angeles Capital Management & Equity Research Inc. acquired a new stake in Valhi in the 2nd quarter valued at approximately $158,000. Hussman Strategic Advisors Inc. acquired a new stake in Valhi in the 2nd quarter valued at approximately $524,000. Finally, Acadian Asset Management LLC raised its position in Valhi by 11.3% in the 2nd quarter. Acadian Asset Management LLC now owns 197,187 shares of the basic materials company's stock valued at $939,000 after buying an additional 20,094 shares during the last quarter. Hedge funds and other institutional investors own 3.10% of the company's stock. Get Valhi alerts: +Separately, ValuEngine raised Valhi from a "hold" rating to a "buy" rating in a research report on Saturday, June 2nd. Shares of Valhi stock opened at $3.94 on Friday. Valhi, Inc. has a 52-week low of $2.13 and a 52-week high of $9.24. The company has a market capitalization of $1.71 billion, a P/E ratio of 6.53 and a beta of 2.47. The company has a current ratio of 3.76, a quick ratio of 2.64 and a debt-to-equity ratio of 5.23. +Valhi (NYSE:VHI) last announced its earnings results on Wednesday, August 8th. The basic materials company reported $0.35 earnings per share (EPS) for the quarter, beating the Zacks' consensus estimate of $0.26 by $0.09. Valhi had a return on equity of 235.99% and a net margin of 14.44%. The business had revenue of $510.20 million for the quarter. +The company also recently announced a quarterly dividend, which will be paid on Thursday, September 20th. Investors of record on Tuesday, September 4th will be given a $0.02 dividend. This represents a $0.08 dividend on an annualized basis and a yield of 2.03%. The ex-dividend date is Friday, August 31st. +Valhi Company Profile +Valhi, Inc engages in the chemicals, component products, and real estate management and development businesses worldwide. The company's Chemicals segment produces and markets titanium dioxide pigments (TiO2), which are white inorganic pigments used in various applications by paint, plastics, decorative laminate, and paper manufacturers. +Read More: Growth Stocks, What They Are, What They Are Not +Want to see what other hedge funds are holding VHI? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Valhi, Inc. (NYSE:VHI). Receive News & Ratings for Valhi Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Valhi and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4422.txt b/input/test/Test4422.txt new file mode 100644 index 0000000..88a7e34 --- /dev/null +++ b/input/test/Test4422.txt @@ -0,0 +1,9 @@ +Tweet +SPX (NYSE:SPXC) was downgraded by equities research analysts at ValuEngine from a "buy" rating to a "hold" rating in a research report issued on Wednesday. +Separately, Zacks Investment Research raised shares of SPX from a "hold" rating to a "buy" rating and set a $41.00 price target for the company in a report on Tuesday, July 10th. Two analysts have rated the stock with a hold rating, two have issued a buy rating and one has issued a strong buy rating to the company's stock. SPX has a consensus rating of "Buy" and a consensus price target of $38.00. Get SPX alerts: +Shares of NYSE SPXC opened at $34.26 on Wednesday. The firm has a market capitalization of $1.50 billion, a P/E ratio of 19.25 and a beta of 1.55. The company has a quick ratio of 0.88, a current ratio of 1.14 and a debt-to-equity ratio of 0.95. SPX has a one year low of $23.41 and a one year high of $39.28. SPX (NYSE:SPXC) last issued its quarterly earnings results on Thursday, August 2nd. The company reported $0.53 EPS for the quarter, topping the consensus estimate of $0.47 by $0.06. The company had revenue of $379.20 million during the quarter, compared to analyst estimates of $354.20 million. SPX had a net margin of 7.93% and a return on equity of 27.30%. The firm's revenue was up 8.4% compared to the same quarter last year. During the same quarter in the previous year, the firm earned $0.44 EPS. equities research analysts expect that SPX will post 2.3 earnings per share for the current year. +In related news, insider Michael Andrew Reilly sold 21,852 shares of the business's stock in a transaction on Wednesday, August 8th. The shares were sold at an average price of $35.82, for a total value of $782,738.64. The sale was disclosed in a document filed with the Securities & Exchange Commission, which is available at this hyperlink . 1.60% of the stock is currently owned by insiders. +Hedge funds and other institutional investors have recently modified their holdings of the stock. Ancora Advisors LLC increased its holdings in SPX by 21.7% in the 1st quarter. Ancora Advisors LLC now owns 359,774 shares of the company's stock worth $11,686,000 after acquiring an additional 64,260 shares in the last quarter. Swiss National Bank grew its holdings in shares of SPX by 3.1% during the first quarter. Swiss National Bank now owns 74,118 shares of the company's stock worth $2,407,000 after buying an additional 2,200 shares in the last quarter. Principal Financial Group Inc. grew its holdings in shares of SPX by 5.2% during the first quarter. Principal Financial Group Inc. now owns 335,442 shares of the company's stock worth $10,895,000 after buying an additional 16,598 shares in the last quarter. Interval Partners LP grew its holdings in shares of SPX by 142.2% during the first quarter. Interval Partners LP now owns 159,899 shares of the company's stock worth $5,194,000 after buying an additional 93,887 shares in the last quarter. Finally, Overbrook Management Corp grew its holdings in shares of SPX by 98.9% during the first quarter. Overbrook Management Corp now owns 393,682 shares of the company's stock worth $12,787,000 after buying an additional 195,747 shares in the last quarter. 86.64% of the stock is owned by institutional investors. +SPX Company Profile +SPX Corporation supplies infrastructure equipment serving the heating and ventilation (HVAC), detection and measurement, power transmission and generation, and industrial markets in the United States, China, South Africa, the United Kingdom, and internationally. It operates through three segments: HVAC, Detection and Measurement, and Engineered Solutions. +To view ValuEngine's full report, visit ValuEngine's official website . Receive News & Ratings for SPX Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for SPX and related companies with MarketBeat.com's FREE daily email newsletter . Comment on this Pos \ No newline at end of file diff --git a/input/test/Test4423.txt b/input/test/Test4423.txt new file mode 100644 index 0000000..cb5a9a6 --- /dev/null +++ b/input/test/Test4423.txt @@ -0,0 +1,11 @@ +By Vanessa Romo • 7 hours ago Canopy Growth Corp., the parent company of Corona beer and other alcoholic drinks, is expanding its partnership with a Canadian pot producer, betting on the continued growth in the medical and recreational cannabis markets. Richard Drew / AP +Despite falling short on quarterly earnings expectations, Canadian-based Canopy Growth, the world's highest valued marijuana stock, skyrocketed on Wednesday after the maker of Corona beer invested $5 billion Canadian, which is nearly $4 billion U.S. +The giant injection of cash from Constellation Brands is the largest strategic investment in the cannabis market to date, and comes at a time when alcohol companies are making large ventures into the industry . +"We're going to spend that money to be around the globe," Canopy Growth CEO Bruce Linton told CityNews on Thursday. +In a press release , Canopy Growth said the newest stream of funding will allow it to operate in "nearly 30 countries pursuing a federally permissible medical cannabis program, while also rapidly laying the global foundation needed for new recreational cannabis markets." +In addition to dried cannabis, Linton said the company will soon begin making recreational products including beverages, and expanding its scope of medical research in 11 countries, where it is currently active. +He said the plan is "to just deploy this cash and be number one in all of those countries." +On Wednesday, Canopy Growth shares saw an increase of 30 percent, which MarketWatch reported , was their biggest one-day gain since it became the first marijuana company to be traded on the New York Stock Exchange in May. +The spike followed a disappointing 2019 first quarter earnings report, which ended on June 30, 2018. The five-year-old company "posted a loss of $0.40 a share, far outpacing the $0.11 loss that was expected," according to Market Insider . +The latest cash infusion brings Constellation's stake in the cannabis company up to 38 percent. +Constellation Brands' CEO Rob Sands said in a statement, "Over the past year, we've come to better understand the cannabis market, the tremendous growth opportunity it presents, and Canopy's market-leading capabilities in this space." Copyright 2018 NPR. To see more, visit http://www.npr.org/. © 2018 KWIT 4647 Stone Avenue, Sioux City, Iowa 51106 712-274-6406 business line . 1-800-251-3690 studi \ No newline at end of file diff --git a/input/test/Test4424.txt b/input/test/Test4424.txt new file mode 100644 index 0000000..e3c8a98 --- /dev/null +++ b/input/test/Test4424.txt @@ -0,0 +1 @@ +Written by Matti Vähäkainu ( Google+ ) @ 16 Aug 2018 14:17 Smart speakers are one of the most prominent technology trends over the past few years. After Amazon's original Echo, released in 2014, every major technology giant has joined in on the party and released their own voice assistant powered devices. Now, most notably, we have the Amazon Echo, Google Home as well as Apple HomePod released earlier this year. But how do they compare when it comes to popularity? Well, Amazon has been leading the pack with quite the margin until now. New 2018 Q2 figures from Strategy Analytics suggest that the lead is quickly narrowing. Amazon still has the first place with a 41 percent market share but Google is on its heels with 27.6%. Only a year ago Amazon had still three quarters of the market to themselves. Google has managed to more than quintuple the sales since last year's Q2. Apple hasn't yet made the mark they probably hoped for and still lack behind on the fourth place with a 5.9% marketshare behind the Chinese company Alibaba. In total smart speaker sales volumes tripled from last years to 11.7 million units. Expect even bigger numbers in the future as the likes of Samsung get theirs on the market \ No newline at end of file diff --git a/input/test/Test4425.txt b/input/test/Test4425.txt new file mode 100644 index 0000000..a63611d --- /dev/null +++ b/input/test/Test4425.txt @@ -0,0 +1,2 @@ +LOS ANGELES (AP) — Los Angeles Mayor Eric Garcetti , considering a 2020 presidential run, said Thursday that President Donald Trump has done " plenty of racist things " to divide the nation while failing to deliver on health care reform and other promises. +In an interview with The Associated Press , the two-term Democrati \ No newline at end of file diff --git a/input/test/Test4426.txt b/input/test/Test4426.txt new file mode 100644 index 0000000..5df8b7f --- /dev/null +++ b/input/test/Test4426.txt @@ -0,0 +1,8 @@ +New Device for Testing Immunotherapies on Tumor Fragments 17 August 2018 +Immuno-oncology, a rapidly developing field that harnesses the body's immune system to attack cancers, lacks effective methods of testing potential therapies. In addition to animal studies, tiny bits of tumors are placed, along with chemical compounds being tested, within multiwell plates and watched over using a number of techniques. While this has allowed the field of immuno-oncology to progress quite well, the tumor fragments being tested don't survive for long on their own, the complexity of the actual tumor is not well represented, and how the immune cells interact with the tumor can't be controlled. +Researchers at Draper , a research and development firm, have created a microfluidic device that is able to catch tumor fragments and expose them to different immunotherapies while more closely replicating the tumor's natural environment. +The device, called EVIDENT (Ex Vivo Immuno-oncology Dynamic ENvironment of Tumor biopsies), consists of a dozen channels, which can be expanded to many more in future versions. Each channel has a set of pegs that trap tumor fragments passing through. Once the tumors are positioned against the pegs, specially developed white blood cells can be fed through the channels so they land onto the tumor's surface. +Other cells and chemicals can also be added to the microchannels, and the concentrations of these additions can be made to change over time to simulate different environments. Draper researchers, working with others from Merck , have already tested the device with very promising results. +Here's an animation showing the workings of the new apparatus: +Published by www.medgadget.com on August 9, 2018 +Image by Shutterstoc \ No newline at end of file diff --git a/input/test/Test4427.txt b/input/test/Test4427.txt new file mode 100644 index 0000000..3a70f28 --- /dev/null +++ b/input/test/Test4427.txt @@ -0,0 +1,23 @@ +Prisons minister: I'll quit if safety drive fails Menu Prisons minister: I'll quit if safety drive fails 0 comments The prisons minister has pledged to resign if his campaign to tackle violence and drugs in struggling jails fails. +Rory Stewart made the vow as he launched a £10 million blitz to raise standards in 10 establishments that have been hit by "acute" problems. +He told BBC Breakfast: "I will quit if I haven't succeeded in 12 months in reducing the level of drugs and violence in those prisons. +"I want to make a measurable difference. That's what this investment is around. +"I believe in the prison service, I believe in our prison officers. I believe that this can be turned around and I want you to judge me on those results and I will resign if I don't succeed." +Today we're announcing plans to tackle the most urgent problems facing 10 challenging prisons: https://t.co/lLKPpZX0z8 +What does this mean in practice? Watch part 1 of @RoryStewartUK 's video diary at HMP Leeds to find out: pic.twitter.com/Nf48NfZDc6 +— Ministry of Justice (@MoJGovUK) August 17, 2018 +Mr Stewart told BBC Radio 4's Today programme he expected to be judged on the impact of the new drive on assault statistics. +He said: "In these 10 prisons in particular violence is a real problem so the fundamental thing that I want to do and I'd like to be judged on over the next 12 months is reducing that violence, reducing the number of assaults." +Asked how much of a reduction he would consider a success – 25% or 10% – Mr Stewart said it would be "something of that sort". +He added: "I'm not talking about a minor reduction, I'd want you to feel that this had been a substantial reduction and that it was going in the right direction." +Under the new scheme, £6 million has been earmarked to bolster physical security with drug-detection dogs, body-scanners and improved perimeter defences. +Three million pounds will be spent on improving the fabric of the chosen jails, including repairs to basic infrastructure such as broken windows. +The third strand of the programme will see £1 million spent on bespoke training programmes and interventions for governors, with a staff college model inspired by the military set to be developed. +Mr Stewart acknowledged that the funding was "relatively modest" but added: "The key really is the philosophy we bring to this, in other words the training, the support for prison officers. +"It is one of the most challenging jobs anywhere in Britain today, standing on a prison landing outside a cell door working with prisoners." +The 10 prisons selected for the programme are Hull, Humber, Leeds, Lindholme, Moorland, Wealstun, Nottingham, Ranby, Isis and Wormwood Scrubs. +The Ministry of Justice said the jails have struggled with acute problems including high drug use, violence and building issues. +While governors and staff have dealt with the challenges, the project will provide them with the resources and support to make decisive progress, according to the department. +Officials said the scheme will be up and running in all 10 prisons by the end of the year, with "tangible results" expected within 12 months. +It is the latest in a string of steps aimed at tackling the safety crisis that has gripped the prisons system in recent years. +Figures published last month showed self-harm incidents and assaults in jails were at record levels, while finds of drugs and mobile phones increased by 23% and 15% respectively in the year to March \ No newline at end of file diff --git a/input/test/Test4428.txt b/input/test/Test4428.txt new file mode 100644 index 0000000..c9c57be --- /dev/null +++ b/input/test/Test4428.txt @@ -0,0 +1 @@ +Matti Vähäkainu Google+ ) @ 16 Aug 2018 14:41 announcement in May , Google is revamping, and even rebranding, their cloud drive solution. The search giant is trying to unify their cloud services by focusing everything under the same brand, Google One. This means that the cloud storage known as Google Drive will be in the future under the Google One umbrella. an so you can share the storage efficiently, and get help from Google experts. one.google.com \ No newline at end of file diff --git a/input/test/Test4429.txt b/input/test/Test4429.txt new file mode 100644 index 0000000..bf90fa2 --- /dev/null +++ b/input/test/Test4429.txt @@ -0,0 +1,4 @@ +Walmart (WMT) up, JC Penney (JCP) down, retail at stake Posted on by Cyceon in Articles / Markets Any opinions, news, research, analyses, prices or other information contained on this page is provided as general market commentary and does not constitute investment advice . Cyceon will not accept liability for any loss or damage including, without limitation, to any loss of profit which may arise directly or indirectly from use of or reliance on such information. +Walmart (WMT) , the US supermarket giant, has far exceeded market expectations with heavy investments that would begin to produce good results since the adjusted earnings per share stood at USD 1.29 against USD 1.22 expected. With a total growth of 2% in 2019, WMT is also seeing 40% growth in its US e-commerce business in the second quarter of 2018. WMT share price jumped by 9.33% to reach 98.64 USD, nearly 20 USD over its valuation a year ago. Conversely, JC Penney (JCP) , the legendary US department store chain, fell 26.27% to 1.76 USD per share after its loss in the second quarter of 2018 amounted to USD 101 million or 32 cents per share, 26 cents more than forecast by the market. Knowing that for the year 2018, the total loss could amount to 1 USD per share, has JCP become a "penny stock"? +© Chart provided by TradingView.com , add-ons by Cyceon . +© Cyceon , copy unauthorized without written consent \ No newline at end of file diff --git a/input/test/Test443.txt b/input/test/Test443.txt new file mode 100644 index 0000000..6137120 --- /dev/null +++ b/input/test/Test443.txt @@ -0,0 +1 @@ +Ucom offers 20 GB data bundle with Xiaomi smartphone 23 CET | News Armenian mobile operator Ucom has introduced a promotion to its customers buying the Xiaomi Redmi 6A 4G smartphone in its shops. The customers are offered a 20 GB internet bundle for six months, and the offer is valid for both prepaid and postpaid customers \ No newline at end of file diff --git a/input/test/Test4430.txt b/input/test/Test4430.txt new file mode 100644 index 0000000..ad895d6 --- /dev/null +++ b/input/test/Test4430.txt @@ -0,0 +1 @@ +T-Mobile Poland introduces starter pack with bonus data on top-up 12:42 CET | News T-Mobile Poland introduces a new starter pack for PLN 5 with 7 GB data, for usage in Poland only for seven days. Upon top-up of the pre-paid card, the user gets bonus data of 2 GB to 111 GB, and the card validity is extended by 30 to 150 days, depending on the top-up amount. The credit from the top-up can be used for calls, at a rate of PLN 0.29 per minute; SMS for PLN 0.14; MMS at PLN 0.28 per 100 kb; data for PLN 0.10 per MB, as well as the purchase of additional services, such as ShowMax costing PLN 19.90 for 30 days, Tidal for PLN 19.90 for 30 days, Where is the Child for PLN 6.16 fo \ No newline at end of file diff --git a/input/test/Test4431.txt b/input/test/Test4431.txt new file mode 100644 index 0000000..5e7862f --- /dev/null +++ b/input/test/Test4431.txt @@ -0,0 +1,9 @@ +Tweet +FTB Advisors Inc. boosted its position in Enbridge Inc (NYSE:ENB) (TSE:ENB) by 33.4% during the 2nd quarter, according to the company in its most recent disclosure with the Securities & Exchange Commission. The fund owned 8,744 shares of the pipeline company's stock after acquiring an additional 2,188 shares during the period. FTB Advisors Inc.'s holdings in Enbridge were worth $311,000 at the end of the most recent quarter. +Other institutional investors have also recently bought and sold shares of the company. Accurate Investment Solutions Inc. bought a new position in Enbridge in the second quarter valued at about $106,000. Welch Group LLC bought a new position in Enbridge in the second quarter valued at about $109,000. Spectrum Management Group Inc. bought a new position in Enbridge in the second quarter valued at about $119,000. Private Capital Group LLC boosted its holdings in Enbridge by 2,241.9% in the first quarter. Private Capital Group LLC now owns 3,630 shares of the pipeline company's stock valued at $114,000 after acquiring an additional 3,475 shares during the last quarter. Finally, Washington Trust Bank boosted its holdings in Enbridge by 60.2% in the second quarter. Washington Trust Bank now owns 3,991 shares of the pipeline company's stock valued at $142,000 after acquiring an additional 1,500 shares during the last quarter. Institutional investors and hedge funds own 60.17% of the company's stock. Get Enbridge alerts: +Enbridge stock opened at $34.90 on Friday. The company has a current ratio of 0.56, a quick ratio of 0.47 and a debt-to-equity ratio of 0.99. Enbridge Inc has a 12-month low of $29.00 and a 12-month high of $42.10. The stock has a market capitalization of $61.55 billion, a P/E ratio of 22.66, a PEG ratio of 2.01 and a beta of 0.61. The business also recently announced a dividend, which will be paid on Saturday, September 1st. Shareholders of record on Wednesday, August 15th will be issued a dividend of $0.516 per share. The ex-dividend date of this dividend is Tuesday, August 14th. This is a boost from Enbridge's previous dividend of $0.33. Enbridge's dividend payout ratio (DPR) is 133.77%. +Several equities analysts recently issued reports on the company. ValuEngine upgraded Enbridge from a "strong sell" rating to a "sell" rating in a report on Friday, June 29th. Morgan Stanley raised their price target on Enbridge from $34.00 to $37.00 and gave the company an "equal weight" rating in a report on Friday, July 13th. BMO Capital Markets decreased their price target on Enbridge from $61.00 to $59.00 and set an "outperform" rating on the stock in a report on Thursday, June 14th. CIBC cut Enbridge to a "buy" rating and set a $57.00 price target on the stock. in a report on Tuesday, May 22nd. Finally, Zacks Investment Research cut Enbridge from a "hold" rating to a "sell" rating in a report on Tuesday, May 8th. Three equities research analysts have rated the stock with a sell rating, four have assigned a hold rating and three have given a buy rating to the company. Enbridge presently has a consensus rating of "Hold" and an average target price of $51.75. +About Enbridge +Enbridge Inc operates as an energy infrastructure company in Canada and the United States. The company operates in five segments: Liquids Pipelines, Gas Transmission and Midstream, Gas Distribution, Green Power and Transmission, and Energy Services. The Liquids Pipelines segment operates common carrier and contract crude oil, natural gas liquids (NGL), and refined products pipelines and terminals. +Read More: Using the New Google Finance Tool +Want to see what other hedge funds are holding ENB? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Enbridge Inc (NYSE:ENB) (TSE:ENB). Receive News & Ratings for Enbridge Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Enbridge and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4432.txt b/input/test/Test4432.txt new file mode 100644 index 0000000..6f78c84 --- /dev/null +++ b/input/test/Test4432.txt @@ -0,0 +1,18 @@ +Indian shares rise as financials rebound, investors cheer fresh trade talks Aparajita Saxena 3 Min Read +* Asia shares up on fresh U.S.-China trade talks +* FMCG, pharma shares gain +* NSE, BSE indexes up 0.8 percent +* Indian currency and debt markets closed for local holiday +By Aparajita Saxena +Aug 17 (Reuters) - Indian shares rose on Friday with financials and consumer staples leading the gains, while strong broader Asian peers which cheered Washington and Beijing's decision to hold trade talks next week also boosted investor sentiment. +Most sectors registered gains with defensives such as fast-moving consumer goods and healthcare adding 1.5 percent and 1.3 percent, respectively. +ITC Ltd, up 1.8 percent, was the biggest boost on the NSE index, while Astrazeneca Pharma rose 3 percent after the company got permission to market its cancer treatment tablets in India. +Financials recovered after closing lower on Thursday with the NSE banking index rising 1 percent, led by gains in ICICI Bank and Kotak Mahindra, up 1.5 percent each. +"We are seeing some rotational moves today. Initially, the top five or seven contributors were leading the gains and now other large-cap stocks are also participating," said Rusmik Oza, senior vice-president & head of fundamental research at Kotak Securities in Mumbai. +The BSE index rose 0.8 percent to 37,965.65 while the broader NSE index rose 0.8 percent to 11,478.18. +Shares of cash-strapped Jet Airways rose nearly 3 percent after a report said the company was in talks with a non-banking financial institution to raise up to 20 billion rupees against its forward sales. +The company early on Friday deferred its first-quarter results to August 27. +Shares of Lemon Tree Hotels jumped nearly 2 percent after the company signed a deal for a 90-room hotel in Andhra Pradesh, which will be operational by 2020. +Meanwhile, minutes of the central bank's latest monetary policy meeting released Thursday after market hours showed the policy panel cited possible risks of inflation in the second half of the year as one of the key drivers for raising interest rates in August. +The currency and debt markets are closed on Friday for a local holiday and trading would resume on Monday. (Reporting By Aparajita Saxena in Bengaluru; Editing by Vyas Mohan) +Our Standards: The Thomson Reuters Trust Principles \ No newline at end of file diff --git a/input/test/Test4433.txt b/input/test/Test4433.txt new file mode 100644 index 0000000..d55aa5d --- /dev/null +++ b/input/test/Test4433.txt @@ -0,0 +1 @@ +By Augustine Isichei Grazing by animals is a very intense form of deforestation. In most instances humans are selective when it comes to removal of vegetation and usually make room for the plants to regenerate, but as mentioned above, animals in times of scarcity eat virtually anything that comes their way, except of course the poisonous plants. So it is no exaggeration to say that desertification in West Africa has been caused mostly by overgrazing especially in the Sahel and Sudan Savannah zones. Periodic droughts and natural disasters, and now climate change accelerate what had already been initiated by overgrazing. Such desertification scenarios are to be found in several West African countries such as Mali, Niger, Chad, Burkina Faso, Benin Republic and Nigeria. There may thus be some truth in the Federal Government statement that herders are from several countries. The general trend is that with porous borders across West Africa, herders could be moving southwards hence the conflicts that are now intensifying to the point of open warfare. Unorganised herding is most deleterious to vegetation. First, the number of animals to be supported by a given piece of land, depending on the amount and quality of herbage present, referred to as carrying capacity, is often exceeded. In the 1970's and 80's censuses of animals in Nigeria were periodically carried out. It is doubtful if such scientific activities are undertaken now. How many cattle, sheep and goats do we have in Nigeria? A figure of 20 million total livestock, of which cattle make up about 10 million has been given but these may just be guess work. And what are the vegetal resources needed to support such numbers? Desertification is the final point of land degradation. Sheet, gully and wind erosion are associated stages of the environmental degradation that is difficult to reverse. Already several North Central states, especially Plateau, Nasarawa, Benue, Kogi and Kwara have severe erosion problems. Apart from direct consumption of plants, trampling by animals accelerates soil erosion. The Federal Government has made several statements that point to its policy directions in the farmers/herdsmen crisis. One of such statements credited to the Honourable Minister of Agriculture, Chief Audu Ogbeh was that the Federal Government was going to import grass from Brazil. I do not know if this is happening but that is curious and not totally surprising. Not surprising because we have this mentality of importing almost anything we need. The idea is curious because it is known in scientific circles that ranches in South America enriched their range lands with African grass species. Nigeria has grass and other plant species that are nutritious and can meet our needs for animal fodder. These grasses need some scientific input such as the biotechnology to multiply them and genetic manipulation to improve their nutritive quality. Such steps have been taken by the International Livestock Research Institute based in Nairobi and one of its predecessor organizations, the International Livestock Centre for Africa, ILCA, that was based in Ethiopia and whose Nigerian station carried extensive research on fodder. Again, one of the mandates of the National Animal Production Research Institute, NAPRI, Shika near Zaria, founded in the 1950's, is 'Introduction, selection, propagation and utilization of natural and sown pastures for livestock production'. The necessary scientific empowerment may be lacking in that the range seeding, throwing grass/herb seeds into grasslands to enrich them, is lacking. Native tree multiplication is also not widely practised as the reproductive biology of the trees is not adequately known. But indigenous knowledge abound as agro-forestry has been practised in Nigeria from time immemorial Since the 1970's and 1980's several seed companies have emerged in Nigeria. These companies market arable crop seeds but could now also deliver grass seeds and other plants that are useful for rehabilitation of degraded grazing lands. It is not known how they have been supported for seed production. What that means is that available lands have to be sustainably managed by allowing re-seeded areas to recuperate while other portions are being grazed. A landscape could thus be marked out and rotation practised in such a manner that there will always be available land for grazing. But this arrangement may not solve the problem of dry, unpalatable grass, especially in the dry season. The way out of this is hay-making. The middle belt/north central states are most suited for this but any part of Nigeria can grow grass, harvest it when young and palatable and dry it quickly for storage for use in the dry season. The big question is how to rapidly dry fresh grass to prevent deterioration. In the 1980's under the UNESCO Man and Biosphere Project we tried out what we then called solar kilns and found them successful at drying grasses. A solar kiln consisted of a black tarpaulin sheet formed into an enclosure. This was stuffed with fresh grass and had a fan blowing air out of the enclosure. In the 1980's, solar panels were not common and solar-powered fans were unknown. Colour black is an excellent energy trapper and with abundant solar energy in the north, drying will be achieved rapidly. Rail transport and trucks and local distribution systems can easily move dry grass to any location in Nigeria. The practices outlined here are what constitute the animal feeding aspect of ranching and is applicable to cattle and goat herds and sheep flocks. Nigeria has an obligation to the international community to preserve the environment and to conserve vegetation, in particular. For example, vegetation uses up carbon dioxide and thereby reduces its accumulation and ultimately mitigates global warming and re-vegetation/reforestation is recognised as a primary mitigation measure against global warming. We should tap into the various mechanisms enshrined in the United Nations Framework Convention on Climate Change (UNFCC). For example, emission trading, whereby one country could support the planting of trees in another as a payment for emitted carbon dioxide, say by its factories is seen as a plausible means of earning income by less developed tropical countries. If we convert all our vegetation zones into grazing lands, we will be denying ourselves of the potential benefits of emission trading. This is especially true when we consider the tremendous threat posed by roaming herders to conservation areas, especially national parks and forest reserves. It is well known by conservation area managers that herdsmen enter such areas in search of fodder for their herds. This type of deforestation negates Nigeria's agreed primary roles under the convention on Biological Diversity. Concluded. Professor Isichei wrote from, department of Botany, Obafemi Awolowo university, Ile-Ife Nigeri \ No newline at end of file diff --git a/input/test/Test4434.txt b/input/test/Test4434.txt new file mode 100644 index 0000000..2636113 --- /dev/null +++ b/input/test/Test4434.txt @@ -0,0 +1,5 @@ +The people who pay for the gig economy Aug 17, 2018 | 4:00 AM A sign marks a pickup point for the Uber car service at LaGuardia Airport in New York in 2017. (Seth Wenig / AP) To the editor: The op-ed makes the meaning of the gig economy very clear: owners and investors make gigamillions and the workers who support them can't make rent. While the owners are crowing the financial benefits to the drivers, some drivers are sleeping and eating in their cars because they have to. And let's not forget that these rideshare companies, which tout the opportunities they are providing to their "non-employees," are the same entities aggressively funding the development of self-driving cars so that they can totally eliminate the nuisance of dealing with the people they now rely on for their success. +Lawrence Keller, Long Beach Advertisement +.. +To the editor: It's been obvious from the start that these companies' business model is "make money by evading law and regulation." Just consider Airbnb. Pesky land use regulations keep motels and hotels out of residential neighborhoods? Oh, nonsense.Hotel taxes? Let the competition suffer those losses. Anarchy can be profitable. +Bob Wieting, Simi Valle \ No newline at end of file diff --git a/input/test/Test4435.txt b/input/test/Test4435.txt new file mode 100644 index 0000000..54b185e --- /dev/null +++ b/input/test/Test4435.txt @@ -0,0 +1,10 @@ +Tweet +Girard Partners LTD. grew its stake in shares of Citigroup Inc (NYSE:C) by 81.5% during the second quarter, Holdings Channel reports. The institutional investor owned 7,100 shares of the financial services provider's stock after acquiring an additional 3,189 shares during the quarter. Girard Partners LTD.'s holdings in Citigroup were worth $475,000 at the end of the most recent quarter. +A number of other institutional investors and hedge funds also recently modified their holdings of the business. Legacy Advisors LLC lifted its holdings in shares of Citigroup by 349.7% during the 2nd quarter. Legacy Advisors LLC now owns 1,718 shares of the financial services provider's stock valued at $115,000 after purchasing an additional 1,336 shares in the last quarter. Stelac Advisory Services LLC bought a new position in shares of Citigroup during the 1st quarter valued at about $116,000. IMA Wealth Inc. bought a new position in shares of Citigroup during the 2nd quarter valued at about $129,000. Bedel Financial Consulting Inc. bought a new position in shares of Citigroup during the 1st quarter valued at about $133,000. Finally, Twin Tree Management LP lifted its holdings in shares of Citigroup by 100.4% during the 1st quarter. Twin Tree Management LP now owns 2,013 shares of the financial services provider's stock valued at $136,000 after purchasing an additional 535,686 shares in the last quarter. Hedge funds and other institutional investors own 76.07% of the company's stock. Get Citigroup alerts: +Several research firms have recently weighed in on C. Daiwa Capital Markets cut Citigroup from a "strong-buy" rating to a "buy" rating and set a $78.00 price objective on the stock. in a report on Thursday, May 17th. TheStreet upgraded Citigroup from a "c" rating to a "b-" rating in a report on Monday, July 30th. ValuEngine upgraded Citigroup from a "sell" rating to a "hold" rating in a report on Monday, July 16th. Goldman Sachs Group set a $78.00 price objective on Citigroup and gave the company a "neutral" rating in a report on Friday, July 20th. Finally, Morgan Stanley cut their price objective on Citigroup from $93.00 to $88.00 and set an "overweight" rating on the stock in a report on Monday, April 30th. Three equities research analysts have rated the stock with a sell rating, ten have issued a hold rating and fifteen have assigned a buy rating to the company's stock. The stock currently has a consensus rating of "Hold" and a consensus target price of $81.65. In other Citigroup news, CEO Francisco Aristeguieta sold 15,000 shares of the business's stock in a transaction that occurred on Wednesday, August 8th. The stock was sold at an average price of $72.36, for a total transaction of $1,085,400.00. The transaction was disclosed in a document filed with the SEC, which is accessible through the SEC website . Also, insider Raja Akram sold 500 shares of the business's stock in a transaction that occurred on Thursday, July 19th. The stock was sold at an average price of $69.21, for a total value of $34,605.00. The disclosure for this sale can be found here . 0.11% of the stock is currently owned by company insiders. +Shares of Citigroup stock opened at $69.56 on Friday. Citigroup Inc has a 52-week low of $64.38 and a 52-week high of $80.70. The company has a market capitalization of $180.57 billion, a P/E ratio of 13.05, a PEG ratio of 0.96 and a beta of 1.49. The company has a current ratio of 1.00, a quick ratio of 1.00 and a debt-to-equity ratio of 1.30. +The company also recently announced a quarterly dividend, which will be paid on Friday, August 24th. Investors of record on Monday, August 6th will be given a $0.45 dividend. This represents a $1.80 dividend on an annualized basis and a yield of 2.59%. The ex-dividend date of this dividend is Friday, August 3rd. This is a positive change from Citigroup's previous quarterly dividend of $0.32. Citigroup's dividend payout ratio (DPR) is currently 33.77%. +Citigroup Company Profile +Citigroup Inc, a diversified financial services holding company, provides various financial products and services for consumers, corporations, governments, and institutions. The company operates through two segments, Global Consumer Banking (GCB) and Institutional Clients Group (ICG). The GCB segment offers traditional banking services to retail customers through retail banking, commercial banking, Citi-branded cards, and Citi retail services. +Featured Story: Marijuana Stocks +Want to see what other hedge funds are holding C? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Citigroup Inc (NYSE:C). Receive News & Ratings for Citigroup Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Citigroup and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4436.txt b/input/test/Test4436.txt new file mode 100644 index 0000000..8df0b75 --- /dev/null +++ b/input/test/Test4436.txt @@ -0,0 +1,2 @@ +Market Data Forecast - Friday, August 17, 2018. Overview : To attain maximum yield of the crop, it is essential to protect farm, crop or plants from the factors that oppose high productivity such as organisms like pests and weeds. Ensuring health of the crop is the major part of achieving utmost productivity. Different factors like urbanization, climatic conditions, land pollution and soil erosion tends to decrease yield of fertile land. This decrement has been uplifted by the farmers' efforts to attain higher yield to reach productivity from limited amount of fertile land. This being the major reason formers started utilizing chemicals which helps in achievement of maximum yield. Cereals and Grains are most farmed crops all over the world because of which they are considered to be highly durable foods than others. Rice, Wheat, Barley, Oats, Rye and Millets are mostly harvested crops. To control weeds, pests and other organisms, Herbicides, Fungicides, and pesticides are used. Even though pesticides are effective on certain organisms, they possess high toxicity which is hazardous to human body. View sample and decide: https://www.marketdataforecast.com/market-reports/na-grain-and-cereals-crop-protection-market-6168/request-sample In the year 2023, it is expected that North America Grains and Cereals market will account for major share of the global market. Drivers and Restraints: Due to increase in world population, need for higher quantity nutrition food like cereals and grains are increased. Decrement in fertile land and growing awareness towards after effects of pesticides usage, increase in demand for bio pesticides due to their low toxicity levels, increased effectiveness and improved safety than pesticides are driving the market forward. Increase in awareness towards the lower after effects of use of crop safety products is one of the driving forces of the market. However specific regulations of authorities and increase in side effects in diabetic patients due to increased sugar levels in specific vegetables and fruits are driving this market. To know more read: https://www.marketdataforecast.com/market-reports/na-grain-and-cereals-crop-protection-market-6168/ Geographic Segmentation Based on geography North America region primarily divided into United States and Canada regions. North America holds the highest chunk of the market due to high consumption rate of end products like cereal and grain crop protection products and presence of major manufacturing companied in the region. Get your customized report : https://www.marketdataforecast.com/market-reports/na-grain-and-cereals-crop-protection-market-6168/customize-report Some of the major companies in the North America fruits and vegetables crop protection market are Crop Science, FMC, Bayer Adama Agricultural Solutions, DuPont, Dow Agro Sciences, BASF SE, Syngenta International, Nufarm, Monsanto Company, Monsanto Company, Biosciences, Natural Industries, IsAgro Spa, and Valent Arysta Life Science. About Market Data Forecast +Market Data Forecast is a well versed market research firm catering solutions in the fields of market research, business intelligence and consulting. With a profound knowledge about the global market activities coupled with a customized approach. We render services in the most gripping markets like healthcare, agriculture and food & Beverage \ No newline at end of file diff --git a/input/test/Test4437.txt b/input/test/Test4437.txt new file mode 100644 index 0000000..879aa7e --- /dev/null +++ b/input/test/Test4437.txt @@ -0,0 +1,2 @@ +August 16, 2018 11:45pm 0 Comments Doug Lynch OnePlus X, OnePlus 2, & OnePlus 3/3T get AOSP Android Pie ports There was a void left behind when Google shifted away from the Nexus program to focus on the Pixel brand. Many would agree that OnePlus has been able to fill that void with their high-end hardware, premium design, and respectable update speed while keeping the price from getting too inflated. With Google releasing the source code to Android 9 Pie recently , many of the community developers here have begun their work on ports of the new Android Pie update for a handful of OnePlus smartphones including the OnePlus X , OnePlus 2 , OnePlus 3 , and OnePlus 3T . The OnePlus X and OnePlus 2 did not receive the Android Nougat update, so this will be a major version bump for those devices. On the other hand, the OnePlus 3 and OnePlus 3T are promised an official Android Pie update , so these ROMs will be a nice way to experience the latest release before the official update. OnePlus X Android 9 Pie Port +The device that was left behind, the OnePlus X, has received a port to the latest version of Android thanks to the work of XDA Senior Member YumeMichi . The developer has labeled this as a testing build at this time as there are a couple of known issues at the time of writing this article. Here is a list of what works and doesn't work on this Android Pie release for the OnePlus X. What's Working \ No newline at end of file diff --git a/input/test/Test4438.txt b/input/test/Test4438.txt new file mode 100644 index 0000000..0211212 --- /dev/null +++ b/input/test/Test4438.txt @@ -0,0 +1,8 @@ +Tweet +Southern Co (NYSE:SO) was the target of unusually large options trading on Thursday. Traders bought 32,959 call options on the stock. This represents an increase of 1,587% compared to the typical volume of 1,954 call options. +Several research firms recently commented on SO. SunTrust Banks restated a "hold" rating and set a $50.00 target price on shares of Southern in a research report on Monday, August 6th. Morgan Stanley boosted their target price on Southern from $42.00 to $45.00 and gave the stock an "underweight" rating in a research report on Monday, July 16th. Howard Weil began coverage on Southern in a research report on Tuesday, July 24th. They set a "sector perform" rating and a $45.00 target price for the company. Citigroup cut Southern from a "neutral" rating to a "sell" rating and set a $45.00 target price for the company. in a research report on Wednesday, August 8th. Finally, ValuEngine upgraded Southern from a "sell" rating to a "hold" rating in a research report on Monday, July 2nd. Eight investment analysts have rated the stock with a sell rating, eleven have issued a hold rating and two have issued a buy rating to the stock. The stock has an average rating of "Hold" and a consensus target price of $47.97. Get Southern alerts: +SO opened at $47.50 on Friday. Southern has a 12-month low of $42.38 and a 12-month high of $53.51. The company has a debt-to-equity ratio of 1.59, a current ratio of 0.81 and a quick ratio of 0.68. The stock has a market capitalization of $46.78 billion, a PE ratio of 15.73, a PEG ratio of 3.46 and a beta of 0.04. Southern (NYSE:SO) last posted its quarterly earnings data on Wednesday, August 8th. The utilities provider reported $0.80 earnings per share (EPS) for the quarter, topping analysts' consensus estimates of $0.69 by $0.11. Southern had a return on equity of 13.06% and a net margin of 9.96%. The firm had revenue of $5.63 billion during the quarter, compared to analysts' expectations of $5.28 billion. During the same period in the prior year, the business earned $0.73 EPS. The company's revenue for the quarter was up 3.6% compared to the same quarter last year. equities research analysts expect that Southern will post 2.97 EPS for the current year. +The company also recently disclosed a quarterly dividend, which will be paid on Thursday, September 6th. Stockholders of record on Monday, August 20th will be issued a $0.60 dividend. This represents a $2.40 dividend on an annualized basis and a dividend yield of 5.05%. The ex-dividend date of this dividend is Friday, August 17th. Southern's payout ratio is currently 79.47%. +Several institutional investors and hedge funds have recently bought and sold shares of SO. Schroder Investment Management Group lifted its stake in shares of Southern by 364.1% in the 2nd quarter. Schroder Investment Management Group now owns 411,131 shares of the utilities provider's stock valued at $19,051,000 after acquiring an additional 322,552 shares during the last quarter. Global X Management Co LLC lifted its stake in shares of Southern by 1.5% in the 2nd quarter. Global X Management Co LLC now owns 207,501 shares of the utilities provider's stock valued at $9,609,000 after acquiring an additional 3,164 shares during the last quarter. Arbor Wealth Management LLC lifted its stake in shares of Southern by 2.0% in the 2nd quarter. Arbor Wealth Management LLC now owns 74,065 shares of the utilities provider's stock valued at $3,466,000 after acquiring an additional 1,466 shares during the last quarter. California Public Employees Retirement System lifted its stake in shares of Southern by 22.2% in the 2nd quarter. California Public Employees Retirement System now owns 2,957,613 shares of the utilities provider's stock valued at $136,967,000 after acquiring an additional 536,986 shares during the last quarter. Finally, Davy Asset Management Ltd bought a new stake in shares of Southern in the 2nd quarter valued at about $630,000. Hedge funds and other institutional investors own 57.07% of the company's stock. +About Southern +The Southern Company, through its subsidiaries, engages in the generation, transmission, and distribution of electricity. The company also constructs, acquires, owns, and manages power generation assets, including renewable energy facilities and sells electricity in the wholesale market; and distributes natural gas in Illinois, Georgia, Virginia, New Jersey, Florida, Tennessee, and Maryland, as well as provides gas marketing services, wholesale gas services, and gas midstream operations \ No newline at end of file diff --git a/input/test/Test4439.txt b/input/test/Test4439.txt new file mode 100644 index 0000000..1ebd71c --- /dev/null +++ b/input/test/Test4439.txt @@ -0,0 +1,3 @@ +Aug 16, 2018 EPA Receives 62 Letters of Interest For WIFIA Loans +The LOIs include wastewater, drinking water, water recycling, desalination and storm water projects across 24 states EPA receives WIFIA LOIs for wastewater projects The U.S. EPA received 62 letters of interest (LOIs) collectively requesting $9.1 billion in loans from a wide range of prospective borrowers in response to the Water Infrastructure Finance and Innovation Act (WIFIA) program's 2018 Notice of Funding Availability. "The more than $9 billion in WIFIA loans requested is nearly double our lending capacity for 2018, demonstrating the critical need for investment in our nation's water infrastructure and strong support for EPA's Water Infrastructure Finance and Innovation Act program," said EPA Office of Water Assistant Administrator David Ross. EPA received LOIs from prospective borrowers located in 24 states, the District of Columbia, and Guam for a wide variety of projects, including wastewater, drinking water, water recycling, desalination, storm water management and combined approaches. More than half of the LOIs addressed one or both of EPA's 2018 WIFIA Notice of Funding Availability (NOFA) priorities: reducing exposure to lead and other contaminants in drinking water systems and updating aging infrastructure. While the majority of prospective borrowers are municipal government agencies, other prospective borrowers include small communities, public-private partnerships, corporations and a tribe. See the full list of letters of interest submitted . EPA is currently evaluating the submitted letters of interest for project eligibility, credit worthiness, engineering feasibility, and alignment with WIFIA's statutory and regulatory criteria. Through this competitive process, EPA selects projects it intends to finance and invites them to submit a formal application this fall. Nominate +The Water & Wastes Digest staff invites industry professionals to nominate the water and wastewater projects they deem most remarkable and innovative for recognition in the Annual Reference Guide issue. All projects must have been in the design or construction phase over the last 18 months \ No newline at end of file diff --git a/input/test/Test444.txt b/input/test/Test444.txt new file mode 100644 index 0000000..af40466 --- /dev/null +++ b/input/test/Test444.txt @@ -0,0 +1,3 @@ +Guru Randhawa: MADE IN INDIA | Bhushan Kumar | DirectorGifty | Elnaaz Norouzi | Vee published: 06 Jun 2018 Guru Randhawa: MADE IN INDIA | Bhushan Kumar | DirectorGifty | Elnaaz Norouzi | Vee Guru Randhawa: MADE IN INDIA | Bhushan Kumar | DirectorGifty | Elnaaz Norouzi | Vee published: 06 Jun 2018 views: 191951860 +Gulshan Kumar and T-Series present Bhushan Kumar\\'s official music video of the song \\"Made In India\\". Featuring Guru Randhawa & Elnaaz Norouzi, This latest song is composed, written & sung by Guru Randhawa. The video directed by DirectorGifty. Enjoy and stay connected with us !! SUBSCRIBE http://bit.ly/TSeriesYouTube for Latest Hindi Songs 2018! ♪ Available on ♪ iTunes - http://bit.ly/Made-In-India-iTunes Hungama - http://bit.ly/Made-In-India-Hungama Saavn - http://bit.ly/Made-In-India-Saavn Gaana - http://bit.ly/Made-In-India-Gaana Google Play - http://bit.ly/Made-In-India-Google-Play Wynk - http://bit.ly/Made-In-India-Wynk Apple Music - http://bit.ly/Made-In-India-Apple-Music Amazon Prime Music: http://bit.ly/Made-In-India-AmazonPrimeMusic Jio Music - http://bit.ly/Made-In-India-Jio-Music For Caller Tunes : Made In India https://bit.ly/2sH1pA2 Made In India - India Da Maan https://bit.ly/2xHRNdX Made In India - Sone Sone Mukhde https://bit.ly/2kQHJGq Set as Caller Tune: Set \\"Made In India\\" as your caller tune - sms MIIN1 To 54646 Set \\"Made In India - India Da Maan\\" as your caller tune - sms MIIN2 To 54646 Set Made In India - Sone Sone Mukhde\\" as your caller tune - sms MIIN3 To 54646 Song - Made In India Singer- Guru Randhawa Music Composer- Guru Randhawa Lyrics - Guru Randhawa Music Producer - Vee Video Directed By - DirectorGifty Director of Photography- Sunita Radia Music Label - T-Series Editor - Chetan Parwana Line Producer - Dancing Elephant Films Italian Line Producer - Sajjad A... Guru Randhawa: MADE IN INDIA | Bhushan Kumar | DirectorGifty | Elnaaz Norouzi | Vee published: 06 Jun 2018 views: 191951860 +Gulshan Kumar and T-Series present Bhushan Kumar\\'s official music video of the song \\"Made In India\\". Featuring Guru Randhawa & Elnaaz Norouzi, This latest song is composed, written & sung by Guru Randhawa. The video directed by DirectorGifty. Enjoy and stay connected with us !! SUBSCRIBE http://bit.ly/TSeriesYouTube for Latest Hindi Songs 2018! ♪ Available on ♪ iTunes - http://bit.ly/Made-In-India-iTunes Hungama - http://bit.ly/Made-In-India-Hungama Saavn - http://bit.ly/Made-In-India-Saavn Gaana - http://bit.ly/Made-In-India-Gaana Google Play - http://bit.ly/Made-In-India-Google-Play Wynk - http://bit.ly/Made-In-India-Wynk Apple Music - http://bit.ly/Made-In-India-Apple-Music Amazon Prime Music: http://bit.ly/Made-In-India-AmazonPrimeMusic Jio Music - http://bit.ly/Made-In-India-Jio-Music For Caller Tunes : Made In India https://bit.ly/2sH1pA2 Made In India - India Da Maan https://bit.ly/2xHRNdX Made In India - Sone Sone Mukhde https://bit.ly/2kQHJGq Set as Caller Tune: Set \\"Made In India\\" as your caller tune - sms MIIN1 To 54646 Set \\"Made In India - India Da Maan\\" as your caller tune - sms MIIN2 To 54646 Set Made In India - Sone Sone Mukhde\\" as your caller tune - sms MIIN3 To 54646 Song - Made In India Singer- Guru Randhawa Music Composer- Guru Randhawa Lyrics - Guru Randhawa Music Producer - Vee Video Directed By - DirectorGifty Director of Photography- Sunita Radia Music Label - T-Series Editor - Chetan Parwana Line Producer - Dancing Elephant Films Italian Line Producer - Sajjad A.. \ No newline at end of file diff --git a/input/test/Test4440.txt b/input/test/Test4440.txt new file mode 100644 index 0000000..8fb5e63 --- /dev/null +++ b/input/test/Test4440.txt @@ -0,0 +1 @@ +Life:) Belarus LTE modem for BYN 0.99 with internet pack 12:05 CET | News Mobile operator Life:) Belarus has introduced to its customers a new mobile internet package with a LTE modem. Unlimited internet services are offered for BYN 14.99 monthly subscription, and the LTE modem costs BYN 0.09 when activating the package. Customers are able to book the modem on the online shop of the operator, and the delivery is free \ No newline at end of file diff --git a/input/test/Test4441.txt b/input/test/Test4441.txt new file mode 100644 index 0000000..3889fe5 --- /dev/null +++ b/input/test/Test4441.txt @@ -0,0 +1,6 @@ +Tweet +HC Wainwright set a $1.00 price objective on Golden Minerals (NYSEAMERICAN:AUMN) (TSE:AUM) in a research report sent to investors on Monday. The brokerage currently has a buy rating on the basic materials company's stock. +Separately, Zacks Investment Research lowered Golden Minerals from a strong-buy rating to a hold rating in a research report on Wednesday, May 2nd. Get Golden Minerals alerts: +Shares of Golden Minerals stock opened at $0.22 on Monday. Golden Minerals has a 52-week low of $0.22 and a 52-week high of $0.64. About Golden Minerals +Golden Minerals Company, an exploration stage company, engages in mining, construction, and exploration of mineral properties. It explores for gold, silver, zinc, lead, and other minerals. The company owns 100% interest in the Velardeña and Chicago precious metals mining properties in the State of Durango, Mexico; and the El Quevar advanced silver exploration property in the province of Salta, Argentina. +Featured Story: Marijuana Stocks Receive News & Ratings for Golden Minerals Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Golden Minerals and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4442.txt b/input/test/Test4442.txt new file mode 100644 index 0000000..8891dee --- /dev/null +++ b/input/test/Test4442.txt @@ -0,0 +1,13 @@ +Sign up to our mailing list Online August 16, 2018 37 SHARES ON THE ROAD: The new Gliders will be operational in West Belfast in two weeks' time By Caoimhe Quinn +WITH just weeks to go until the launch of the Glider, as part of the Belfast Rapid Transit system (BRT), the 12 hour bus lanes to accommodate the new transport system are up and running. +However, there is still confusion over just who can and cannot continue to use the bus lanes inside these 12 hours. +A spokesperson for the Department for Infrastructure explained there is specific legislation in place for each bus lane, which determines when the bus lane is in operation and which vehicles are permitted to use it. +"Normally the bus lanes can be used by buses which can carry more than eight passengers," he explained. "The bus must therefore have 10 seats or more, including the driver – this includes coaches and minibuses. +"Permitted taxis include Class B taxis displaying white/ yellow roof signage and Class D taxis displaying internal signage. +"Motorcycles (including with a sidecar, provided it has less than four wheels and the unladen weight does not exceed 410kg) and cycles. +"Class A taxis displaying yellow roof signage, and Class C taxis displaying internal signage are not allowed to use bus lanes in normal circumstances. +"A bus, cycle, motorcycle or permitted taxi may only wait in a bus lane long enough to enable a person to get in or out of the vehicle. The maximum period of waiting is two minutes. +"The days and times the bus lanes are operational are clearly displayed on the signs at the start of each bus lane and at regular intervals along the bus lane. It is important to check bus lane signs to confirm the hours of operation and if your vehicle is permitted to use it. Bus lanes are operational on all bank holidays in Northern Ireland." +"There is also a four hour period between 10am and 2pm for loading and unloading and for blue badge holders to drop off and pick up." +Bus lanes are enforced by fixed CCTV cameras and a mobile CCTV camera vehicle recording unauthorised vehicles illegally driving in bus lanes and the PSNI through police officers on the ground along with traffic attendants. +For a general guide to how bus lanes are enforced, including CCTV camera locations, who can use bus lanes, and under what circumstances you can use one if not usually permitted visit https://www.nidirect.gov.uk/articles/enforcement-bus-lanes-and-bus-only-streets Please follow and like us \ No newline at end of file diff --git a/input/test/Test4443.txt b/input/test/Test4443.txt new file mode 100644 index 0000000..85c92d1 --- /dev/null +++ b/input/test/Test4443.txt @@ -0,0 +1 @@ +Smart expands LTE connectivity for Davao City's Kadayawan Fest 12:02 CET | News PLDT's mobile unit Smart Communications has announced it is enhancing connectivity for Dabawenyos in time for Davao City's Kadayawan Festival. Smart started expanding the coverage and capacity of its LTE network in Davao City in 2016. To date, 93 percent of Smart cell sites in Davao City now have LTE, and internal tests have shown LTE download speeds ranging from 17 Mbps to 22 Mbps around the city using capable devices, Smart said \ No newline at end of file diff --git a/input/test/Test4444.txt b/input/test/Test4444.txt new file mode 100644 index 0000000..61c3b7a --- /dev/null +++ b/input/test/Test4444.txt @@ -0,0 +1,29 @@ +Aug 17, +By Josephine Mason +BEIJING (Reuters) – China has ordered the world's top pork producer, WH Group Ltd, to shut a major slaughterhouse as authorities race to stop the spread of deadly African swine fever (ASF) after a second outbreak in the planet's biggest hog herd in two weeks. +The discovery of infected pigs in Zhengzhou city, in central Henan province, about 1,000 kilometers from the first case ever reported in China, pushed pig prices lower on Friday and stirred animal health experts' fears of fresh outbreaks – as well as food safety concerns among the public. +Though often fatal to pigs, with no vaccine available, ASF does not affect humans, according to the United Nations' Food and Agriculture Organisation (FAO). +ASF has been detected in Russia and Eastern Europe as well as Africa, though never before in East Asia, is one of the most devastating diseases to affect swine herds. It occurs among commercial herds and wild boars, is transmitted by ticks and direct contact between animals, and can also travel via contaminated food, animal feed, and international travelers. +WH Group said in a statement that Zhengzhou city authorities had ordered a temporary six-week closure of the slaughterhouse after some 30 hogs died of the highly contagious illness on Thursday. The plant is one of 15 controlled by China's largest pork processor Henan Shuanghui Investment & Development, a subsidiary of WH Group. +Zhengzhou city authorities have banned all movement of pigs and pork products in and out of the affected area for the same six weeks. +Shuanghui said in a separate statement on Friday it culled 1,362 pigs at the slaughterhouse after the infection was discovered. +The infected pigs had traveled by road from a live market in Jiamusi city in China's northeastern province of Heilongjiang, through areas of high pig density to central Henan. Another northeastern province, Liaoning, has culled thousands of pigs since a first case of ASF was reported two weeks ago. +The pigs' long journey, and the vast distance between the two cases, stoked concerns about the spread of disease across China's vast pig herd – and potentially into Japan, the Korean Peninsula and other parts of Asia. +The race in recent years to build vast pig farms in China's north-eastern cornbelt has also increased the number of pigs being transported across country from farm and market to slaughter and processing in the south. +That underlines the challenge for the government in trying to contain infection. +"The areas of concern now involve multiple Chinese provinces and heighten the likelihood of further cases," the Swine Health Information Center, a U.S. research body, said in a note. +South Korea doesn't import pork or pigs from China, but the government has stepped up checks at airports on travelers from the country, and recommended visitors there avoid farms and live markets, the Ministry of Agriculture said on Friday. +In Japan, authorities have ramped up checks on travelers from the affected regions, its Ministry of Agriculture said. It bans imports of raw pork from China. +'A LITTLE SCARED' +Pig prices dropped on Friday amid concerns about the outbreak on demand for pork, a staple in China's diet with retail sales topping $840 billion each year. Analysts said farmers may also rush to sell their hogs fearing the infection may spread to their herds. +National hog prices were at 13.97 yuan ($2.03) per kilogram on Friday, down 0.7 percent from Thursday, according to consultancy China-America Commodity Data Analytics. +In central Henan, Hubei and Hunan provinces, prices on average fell more heavily, down 1.4 percent. +"In the short term, there will be a pig-selling spree," said Alice Xuan, analyst with Shanghai JC Intelligence Co Ltd. +As Zhengzhou city froze pig movements, Heilongjiang authorities were also investigating whether the pigs involved were infected in the northeastern province bordering Russia. +Meanwhile comments on the country's Twitter-like Weibo highlighted worries about the safety of eating pork, the nation's favorite meat. The relationship between people and pigs in China is close, with the Chinese word for "home" made up of the character "roof" over the character for "pig". +Posts expressing concern that infected meat may enter the food stream and fears about whether it is safe to eat pork garnered the most attention. +"A little scared. What will happen if you eat (pork)?" said one poster. +WH Group said on Friday it did not expect the closure of the Zhengzhou slaughterhouse to have any adverse material impact on business, helping its shares rise 0.8 percent after slumping 10 percent on Thursday. Shuanghui shares were up 0.67 percent on Friday afternoon. +The Zhengzhou operation accounts for an "insignificant" portion of WH Group's operations, the company said, adding it does not expect any disruption to supply of pork and related products as a result of the temporary closure. On Thursday, Shuanghui said it had diverted sales orders to other operations. +($1 = 6.8869 Chinese yuan renminbi) +(Reporting by Josephine Mason Additional reporting by Jianfeng Zhou, Hallie Gu and Ben Blanchard in BEIJING, Luoyan Liu in SHANGHAI, Jane Chung in SEOUL and Yuka Obayashi in TOKYO; Editing by Kenneth Maxwell) Share \ No newline at end of file diff --git a/input/test/Test4445.txt b/input/test/Test4445.txt new file mode 100644 index 0000000..06cd266 --- /dev/null +++ b/input/test/Test4445.txt @@ -0,0 +1,6 @@ +Parliamentary committee president election postponed +Kathmandu, Aug 17: The election of the parliamentary committee presidents scheduled for August 21 has been postponed for 12 days. The election will take place on September 2. +Speaker Krishna Bahadur Mahara in the House of Representatives meeting today informed that the election date was postponed due to special reason. +There are 10 thematic committees in the House of Representatives, the lower house. +Earlier, Minister for Finance Dr Yubraj Khatiwada tabled the Payment and Clearance Bill 2075 BS in the meeting today. +The next meeting of the HoR will take place on August 20 \ No newline at end of file diff --git a/input/test/Test4446.txt b/input/test/Test4446.txt new file mode 100644 index 0000000..6f4db6e --- /dev/null +++ b/input/test/Test4446.txt @@ -0,0 +1,9 @@ +IDF code crackers help decipher absurdly complex wheat genome Long thought impossible, scientists present complete sequence of bread wheat genome, hoping it will help feed world's growing population • Professor Tzion Fahima: To meet projected food consumption needs in 2050, wheat production must increase at double current rate. +Israel Hayom Staff +Wheat has five times more DNA than humans | Illustration: Reuters On Friday, the International Wheat Genome Sequencing Consortium published the first presentation of a high-quality, complete sequence of the bread wheat genome – which scientists had long thought to be an insurmountable task. +Researchers from the universities of Haifa and Tel Aviv, along with Israeli high-tech company NRGene – founded by ex-IDF intelligence officers from the army's vaunted 8200 technological unit – were part of the yearslong international project comprising more than 200 researchers from 20 countries. +Wheat has five times more DNA than humans. Its fully annotated sequence provides the location of over 107,000 genes and more than 4 million genetic markers across the plant's 21 chromosomes. For a staple crop that feeds a third of the world's population, mapping wheat's genome is a milestone that may be on par with the day its domestication began 9,000 years ago, according to wired.com. +Now that scientists and farmers have discovered the genes and factors responsible for traits such as wheat's yield, grain quality, resistance to fungal diseases, and tolerance to environmental stress, they will be able to produce hardier wheat varieties. +Professor Tzion Fahima – head of the Evolutionary and Environmental Biology Department and the head of the Laboratory of Plant Genomics and Disease Resistance in the Institute of Evolution at the University of Haifa – was part of the Israeli team that helped with the research, which spanned a period of 13 years. +According to Fahima, in order to meet the world's projected food consumption needs in 2050, when the global population is expected to reach 10 billion, wheat production has to be increased by about 1.6% per year. In recent years, however, wheat production has only increased about half that amount. +"Having [wheat] breeders take the information we've provided to develop varieties that are more adapted to local areas is really, we think, the foundation of feeding our population in the future," said Kellye Eversole, the executive director of the consortium \ No newline at end of file diff --git a/input/test/Test4447.txt b/input/test/Test4447.txt new file mode 100644 index 0000000..ae219f0 --- /dev/null +++ b/input/test/Test4447.txt @@ -0,0 +1 @@ +-South Africa -EgyptElse place an Inquire before Purchase "Global Photolithography Market Size, Status and Forecast 2022": www.reportsweb.com/inquiry&RW00012072400/buying What our report offers: - Market share assessments for the regional and country level segments - Market share analysis of the top industry players - Strategic recommendations for the new entrants - Market forecasts for a minimum of 7 years of all the mentioned segments, sub segments and the regional markets - Market Trends (Drivers, Constraints, Opportunities, Threats, Challenges, Investment Opportunities, and recommendations) - Strategic recommendations in key business segments based on the market estimations - Competitive landscaping mapping the key common trends - Company profiling with detailed strategies, financials, and recent developments - Supply chain trends mapping the latest technological advancementsFundamentals of Table of Content: Chapter 1 About the Photolithography Industry 1.1 Industry Definition and Types 1.2 Main Market Activities 1.4 Industry at a Glance Chapter 2 World Market Competition Landscape Chapter 3 World Photolithography Market share Chapter 4 Supply Chain Analysis Chapter 5 Company Profiles Chapter 7 Distributors and Customers Chapter 8 Import, Export, Consumption and Consumption Value by Major Countries Chapter 9 World Photolithography Market Forecast through 2022 Chapter 10 Key success factors and Market OverviewAbout ReportsWeb: ReportsWeb.com is a one stop shop of market research reports and solutions to various companies across the globe. We help our clients in their decision support system by helping them choose most relevant and cost effective research reports and solutions from various publishers. We provide best in class customer service and our customer support team is always available to help you on your research queriesPune: 505, 6th floor, Amanora Township, Amanora Chambers, East Block, This release was published on openPR. News-ID: 1185540 • Views: 73 Permanent link to this press release: Please set a link in the press area of your homepage to this press release on openPR. openPR disclaims liability for any content contained in this release. (0) You can edit or delete your press release here: More Releases from ReportsWe \ No newline at end of file diff --git a/input/test/Test4448.txt b/input/test/Test4448.txt new file mode 100644 index 0000000..f90450a --- /dev/null +++ b/input/test/Test4448.txt @@ -0,0 +1,24 @@ +New CDC estimates: A record 72,000 US drug overdose deaths in 2017 By Kate Randall 17 August 2018 +Drug overdose deaths in the US topped 72,000 in 2017, according to new provisional estimates released by the Centers for Disease Control and Prevention (CDC). This staggering figure translates into about 200 drug overdose deaths every day, or about one every eight minutes. +The new CDC estimates are 6,000 deaths more than 2016 estimates, a rise of 9.5 percent. This has been primarily driven by a continued rise of deaths involving synthetic opioids, a category of drugs that includes fentanyl. Nearly 30,000 deaths involved these drugs in 2017, an increase of more than 9,000 (nearly 50 percent) over the previous year, according to preliminary data. +This catastrophic toll of opioid deaths casts a grim light on the state of America in the 21st century. At its root lies a society characterized by vast social inequality, corporate greed and government indifference. While the opioid crisis spares no segment of society, the most profoundly affected are workers and the poor, along with the communities where they live. +Deaths involving the stimulant cocaine also rose significantly, placing them on par with heroin and the category of natural opiates including painkillers such as oxycodone and hydrocodone. The CDC estimates suggest that deaths involving the latter two drugs appear to have flattened out. +The highest mortality rates in 2017 were distributed similarly to previous years, with parts of Appalachia and New England showing the largest figures. West Virginia again saw the highest death rates, with 58.7 overdose deaths per 100,000 residents, followed by the District of Columbia (50.4), Pennsylvania (44.2), Ohio (44.0) and Maryland (37.9). Nebraska had the lowest rate, 8.2 deaths per 100,000, one-seventh the West Virginia rate. +Two states with relatively high rates of overdose deaths, Vermont and Massachusetts, saw some decreases. The CDC credits this decrease to a leveling off of synthetic opioid availability and a modest increase in these states of funding for programs to fight addiction and provide treatment and rehabilitation. +Driving the increase in overdose deaths is fentanyl, a synthetic opioid that is roughly 50 times more potent that heroin. It is marketed under more than a dozen brand names in the US. Nebraska became the first state to use fentanyl in a state-sanctioned killing, using it Tuesday to execute Carey Dean Moore. +Fentanyl is also made illegally relatively easily and mixed with black market supplies of heroin, cocaine, methamphetamines and anti-anxiety medicines known as benzodiazepines. Individuals who have become addicted to prescription opioids often turn to illegally manufactured fentanyl, or related drugs that can be far more potent and dangerous, when prescription opioids are not available. Users cannot know the potency of such drugs or drug mixtures and are more likely to overdose. +The CDC reports that the Drug Enforcement Administration's (DEA) National Forensic Laboratory Information System (NFLIS), which identifies drugs from submissions tested for analysis, estimated that submissions testing positive have included two extremely potent drugs related to fentanyl, carfentanil and 3-methylfentanyl, which are 100 and 4 times more potent than fentanyl, respectively. +Purdue Pharma has drawn widespread criticism for its aggressive marketing and sale of the opioid OxyContin, which has a high potential for abuse, particularly for those with a history of addiction. The company also produces pain medications such as hydromorphone, oxycodone, fentanyl, codeine and hydrocodone. +Regions with high levels of unemployment and poverty have been the target of drug distributors, shipping vast quantities of opioid painkillers to these areas. For example, McKesson Corporation shipped 151 million doses of oxycodone and hydrocodone between 2007 and 2012 to West Virginia, the state with the highest rate of overdose mortality. +Workers, both employed and unemployed, have found themselves in the grip of the opioid crisis. In an interview with Vox.com, Beth Macy, author of the new book Dopesick: Dealers, Doctors, and the Drug Company that Addicted America , describes the high levels of addiction in Machias, Maine, an early center of the opioid crisis. People in this logging and fishing community were already on painkillers from injuries due to these jobs and then became addicted to opioids—both prescription and illegal—and continue to overdose at high rates. +A study by the Massachusetts Department of Public Health examined 4,302 opioid deaths from 2011 to 2015 among workers in all occupations in the state. It found that construction workers were six times more likely to die from opioid overdoses than the average worker, and that one in three construction-worker deaths were the result of overdoses. +There are fewer workers in farming, fishing and forestry in Massachusetts, but the report found these jobs also had an opioid mortality rate five times the average. The study found a link between higher rates of opioid abuse in occupations where back injuries are more common and paid sick leave is less so. In other words, workers become addicted to drugs—and face potential overdose—when they are forced to choose between working through pain or suffering a loss of wages. +Conservative estimates place the number of Americans with opioid abuse disorder at 2.6 million, but the real total is undoubtedly higher. To the 72,000 who succumbed to drug overdose in 2017 must be added those directly impacted by the crisis—family members, friends, coworkers, medical responders, social workers, treatment center workers, and many others. +Drug overdoses are part of a greater social crisis that is claiming the lives of increasing numbers. In December 2017, the CDC released reports revealing that life expectancy of the American working class is declining due to an increase in both drug overdoses and suicides. "Deaths of despair"—overdoses, suicides, alcohol-related deaths—are causing a dramatic increase in the mortality rate among those under the age of 44. +The decline in life expectancy, a fundamental measure of social progress, is an indication of both American capitalism's decline and the sharp intensification of social inequality. While the richest five percent of the population owns 67 percent of the wealth, the poorest 60 percent owns just 1 percent. +Of the 72,000 Americans who died in drug overdoses in 2017, workers and the poor were the most affected. By contrast, the wealthiest Americans have access to the best medical care and technology available, and as a result live on average 20 years longer than the poorest members of US society. +The rise in drug overdoses is the product of a bipartisan assault of the social gains of the working class. Over the past 40 years, both the Democrats and Republicans have engaged in a conscious strategy to claw back the gains won by the working class in the first half of the 20th century. The response of both the Obama and Trump administrations to this crisis has amounted to a combination of indifference and distain for the lives lost. +The Obama administration slashed the number of DEA cases brought against drug distributors by 69.5 percent between 2011 and 2014. The Trump administration last year declared the opioid epidemic a "public health emergency," but then allocated no new funding to the states to address it. Yet hundreds of billions are budgeted to fund the myriad wars prosecuted by the US military and for the persecution of immigrants by Immigration and Customs Enforcement. +A health emergency on the scale of the drug epidemic requires an emergency, socialist response. Billions of dollars must be allocated to fund rehabilitation centers, utilizing the latest scientific treatments methods. The wealth of the drug manufacturers must be expropriated and their facilities placed under the control of the working class, as part of a socialized health care system that provides free health care for all. Fight Google's censorship! +Google is blocking the World Socialist Web Site from search results. +To fight this blacklisting \ No newline at end of file diff --git a/input/test/Test4449.txt b/input/test/Test4449.txt new file mode 100644 index 0000000..4db6310 --- /dev/null +++ b/input/test/Test4449.txt @@ -0,0 +1,11 @@ +Tweet +Commonwealth of Pennsylvania Public School Empls Retrmt SYS purchased a new position in shares of Apache Co. (NYSE:APA) in the second quarter, Holdings Channel reports. The fund purchased 40,004 shares of the energy company's stock, valued at approximately $1,870,000. +Several other institutional investors have also bought and sold shares of APA. Baillie Gifford & Co. raised its holdings in shares of Apache by 76.2% during the 2nd quarter. Baillie Gifford & Co. now owns 24,490,129 shares of the energy company's stock worth $1,144,913,000 after buying an additional 10,592,806 shares in the last quarter. Villere ST Denis J & Co. LLC raised its holdings in shares of Apache by 28.9% during the 1st quarter. Villere ST Denis J & Co. LLC now owns 1,425,135 shares of the energy company's stock worth $54,839,000 after buying an additional 319,645 shares in the last quarter. Anchor Capital Advisors LLC raised its holdings in shares of Apache by 40.2% during the 1st quarter. Anchor Capital Advisors LLC now owns 1,025,030 shares of the energy company's stock worth $39,443,000 after buying an additional 293,854 shares in the last quarter. Howard Capital Management Inc. acquired a new position in shares of Apache during the 1st quarter worth $9,511,000. Finally, Schroder Investment Management Group raised its holdings in shares of Apache by 121.3% during the 1st quarter. Schroder Investment Management Group now owns 435,798 shares of the energy company's stock worth $16,770,000 after buying an additional 238,843 shares in the last quarter. 98.43% of the stock is owned by institutional investors. Get Apache alerts: +In other news, Director John E. Lowe acquired 2,500 shares of Apache stock in a transaction that occurred on Tuesday, June 5th. The shares were acquired at an average price of $38.35 per share, for a total transaction of $95,875.00. Following the transaction, the director now directly owns 20,000 shares of the company's stock, valued at approximately $767,000. The acquisition was disclosed in a filing with the Securities & Exchange Commission, which can be accessed through this hyperlink . Insiders own 0.59% of the company's stock. APA has been the subject of a number of research analyst reports. TheStreet raised Apache from a "c" rating to a "b-" rating in a report on Wednesday, August 1st. Zacks Investment Research raised Apache from a "hold" rating to a "buy" rating and set a $48.00 price target for the company in a report on Monday, June 18th. Argus raised Apache from a "hold" rating to a "buy" rating and boosted their price target for the stock from $46.19 to $56.00 in a report on Monday, June 11th. Cowen set a $48.00 price target on Apache and gave the stock a "hold" rating in a report on Thursday, July 19th. Finally, Stifel Nicolaus set a $46.00 price target on Apache and gave the stock a "hold" rating in a report on Thursday, July 19th. Seven investment analysts have rated the stock with a sell rating, ten have assigned a hold rating and three have issued a buy rating to the company's stock. Apache presently has an average rating of "Hold" and an average price target of $44.76. +Shares of APA stock opened at $42.17 on Friday. The firm has a market cap of $16.89 billion, a P/E ratio of 175.71, a PEG ratio of 3.76 and a beta of 1.12. Apache Co. has a twelve month low of $33.60 and a twelve month high of $49.59. The company has a debt-to-equity ratio of 0.88, a quick ratio of 1.20 and a current ratio of 1.36. +Apache (NYSE:APA) last issued its quarterly earnings data on Wednesday, August 1st. The energy company reported $0.50 earnings per share for the quarter, topping analysts' consensus estimates of $0.39 by $0.11. The business had revenue of $1.93 billion for the quarter, compared to analyst estimates of $1.76 billion. Apache had a return on equity of 5.21% and a net margin of 12.57%. equities research analysts expect that Apache Co. will post 1.68 EPS for the current fiscal year. +The company also recently disclosed a quarterly dividend, which will be paid on Wednesday, August 22nd. Investors of record on Monday, July 23rd will be given a dividend of $0.25 per share. The ex-dividend date of this dividend is Friday, July 20th. This represents a $1.00 dividend on an annualized basis and a yield of 2.37%. Apache's dividend payout ratio is currently 416.67%. +Apache Company Profile +Apache Corporation, an independent energy company, explores for, develops, and produces natural gas, crude oil, and natural gas liquids (NGLs). The company has operations in onshore assets located Permian and Midcontinent/Gulf Coast onshore regions; and offshore assets situated in the Gulf of Mexico region. +Featured Article: Should you buy a closed-end mutual fund? +Want to see what other hedge funds are holding APA? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Apache Co. (NYSE:APA). Receive News & Ratings for Apache Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Apache and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test445.txt b/input/test/Test445.txt new file mode 100644 index 0000000..98146e3 --- /dev/null +++ b/input/test/Test445.txt @@ -0,0 +1,12 @@ +Aug 17, 2018, 10:00am Screenshot: David Murphy +If you've stumbled across an image on the internet — perhaps on your favourite social media site — and you want to know more about it, you can always ask the person responsible for the post. Odds are good that they probably just cribbed the image from somewhere else and don't know any more about where it came from. But that's fine. You can also take on the detective work yourself and there are plenty of resources to help you out. Find your image on Google or Tineye +Most people probably know that you can perform a simple reverse image search on sites like Google and Tineye — two of the top places most people recommend if you're trying to find the source of an image, a higher-quality version, or websites that can provide more context about the image itself. +(On Google, that's as easy as pulling up the site, clicking on the camera icon and dropping in an URL or uploaded image. Tineye works similarly.) Screenshot: David Murphy, TinEye +To make this process even easier, Google has baked this capability directly into Chrome — just right-click on an image and select "Search Google for image" — or you can install a Firefox extension that does the same thing. +Tineye users on Chrome and Firefox also have extensions that do the same thing: Right-click on an image and you'll be able to perform a Tineye search without having to first visit the website. Use a lot of reverse-image sites at once +There's also the nuke. Or, rather, ImgOps , which is an excellent website that combines a number of reverse-image search tools under one roof. Screenshot: David Murphy, http://imgops.com +Drop in an image's URL (or upload a picture) and you'll be able to quickly do a reverse image search across a number of different services just by clicking on the provided hyperlinks (including Google, Bing, Tineye, Reddit, Yandex and others). The site is also incredibly useful if you want to dump the image to a GIF host, edit it, search it for hidden data, or convert it to another file format entirely. +And if you want those kinds of powers baked directly into your browser, the extensions Noobox for Chrome and " Search by Image " for Firefox allow you to right-click on a photo and pick a number of different reverse-image tools to search through. See what an image's EXIF data can tell you +If neither Google Reverse Image Search or Tineye are very helpful to you, you can always try dropping the image into an EXIF viewer , which could possibly tell you a bit more about how it was taken (or where, if you're trying to look up how you can visit the location of a stunning photograph you saw). +This might not work in most instances if the person responsible for the image, or the sites its been shared on, have stripped the EXIF information from the photo, but it's an option. Bother others who might know more about an image than you +Similarly, online communities like the subreddit " Help Me Find " might also be able to shed a little light on an image you stumbled across. It's no guarantee — and I wouldn't blast them with daily requests — but it's another good option for learning more about a particular image. Happy hunting \ No newline at end of file diff --git a/input/test/Test4450.txt b/input/test/Test4450.txt new file mode 100644 index 0000000..94d13da --- /dev/null +++ b/input/test/Test4450.txt @@ -0,0 +1,9 @@ +Tweet +Greatmark Investment Partners Inc. lessened its holdings in shares of The Coca-Cola Co (NYSE:KO) by 3.7% during the second quarter, according to the company in its most recent Form 13F filing with the Securities & Exchange Commission. The fund owned 139,512 shares of the company's stock after selling 5,364 shares during the quarter. The Coca-Cola makes up approximately 2.1% of Greatmark Investment Partners Inc.'s investment portfolio, making the stock its 17th largest position. Greatmark Investment Partners Inc.'s holdings in The Coca-Cola were worth $6,119,000 at the end of the most recent quarter. +Other hedge funds and other institutional investors have also made changes to their positions in the company. Aevitas Wealth Management Inc. purchased a new position in The Coca-Cola during the 4th quarter valued at about $1,771,000. Yorktown Management & Research Co Inc purchased a new position in The Coca-Cola during the 4th quarter valued at about $688,000. Calamos Advisors LLC grew its position in shares of The Coca-Cola by 2.7% in the 4th quarter. Calamos Advisors LLC now owns 1,705,736 shares of the company's stock worth $78,259,000 after buying an additional 45,520 shares during the last quarter. Bell & Brown Wealth Advisors LLC purchased a new position in shares of The Coca-Cola in the 4th quarter worth approximately $859,000. Finally, Harwood Advisory Group LLC purchased a new position in shares of The Coca-Cola in the 4th quarter worth approximately $245,000. 65.64% of the stock is currently owned by hedge funds and other institutional investors. Get The Coca-Cola alerts: +NYSE:KO opened at $46.22 on Friday. The company has a market cap of $196.57 billion, a price-to-earnings ratio of 24.20, a P/E/G ratio of 2.84 and a beta of 0.79. The Coca-Cola Co has a twelve month low of $41.45 and a twelve month high of $48.62. The company has a current ratio of 1.15, a quick ratio of 1.06 and a debt-to-equity ratio of 1.39. The Coca-Cola (NYSE:KO) last released its earnings results on Wednesday, July 25th. The company reported $0.61 earnings per share for the quarter, topping the consensus estimate of $0.60 by $0.01. The company had revenue of $8.90 billion for the quarter, compared to the consensus estimate of $8.54 billion. The Coca-Cola had a net margin of 7.18% and a return on equity of 40.68%. The Coca-Cola's revenue was down 8.3% compared to the same quarter last year. During the same quarter in the previous year, the firm earned $0.59 EPS. equities research analysts expect that The Coca-Cola Co will post 2.07 earnings per share for the current year. +The business also recently announced a quarterly dividend, which will be paid on Monday, October 1st. Shareholders of record on Friday, September 14th will be given a dividend of $0.39 per share. This represents a $1.56 annualized dividend and a yield of 3.38%. The ex-dividend date of this dividend is Thursday, September 13th. The Coca-Cola's dividend payout ratio is presently 81.68%. +In other The Coca-Cola news, insider John Murphy sold 111,468 shares of The Coca-Cola stock in a transaction that occurred on Thursday, August 2nd. The shares were sold at an average price of $46.46, for a total transaction of $5,178,803.28. Following the completion of the sale, the insider now directly owns 196,337 shares in the company, valued at approximately $9,121,817.02. The sale was disclosed in a document filed with the SEC, which is accessible through this hyperlink . Also, VP Kathy N. Waller sold 48,354 shares of The Coca-Cola stock in a transaction that occurred on Wednesday, August 1st. The shares were sold at an average price of $46.45, for a total transaction of $2,246,043.30. Following the sale, the vice president now owns 200,725 shares of the company's stock, valued at $9,323,676.25. The disclosure for this sale can be found here . In the last three months, insiders have sold 215,822 shares of company stock worth $10,027,727. 1.48% of the stock is owned by insiders. +A number of brokerages have recently issued reports on KO. Zacks Investment Research downgraded shares of The Coca-Cola from a "hold" rating to a "sell" rating in a research report on Tuesday, June 26th. Macquarie reaffirmed a "neutral" rating and issued a $47.00 price objective on shares of The Coca-Cola in a research report on Wednesday, June 13th. Societe Generale set a $46.50 price objective on shares of The Coca-Cola and gave the stock a "neutral" rating in a research report on Wednesday, April 25th. Stifel Nicolaus reaffirmed a "neutral" rating and issued a $49.00 price objective on shares of The Coca-Cola in a research report on Monday, July 16th. Finally, Jefferies Financial Group reaffirmed a "neutral" rating and issued a $44.00 price objective on shares of The Coca-Cola in a research report on Friday, May 25th. Thirteen analysts have rated the stock with a hold rating and eleven have assigned a buy rating to the company's stock. The Coca-Cola has an average rating of "Hold" and a consensus target price of $49.75. +The Coca-Cola Company Profile +The Coca-Cola Company, a beverage company, manufactures and distributes various nonalcoholic beverages worldwide. The company provides water, enhanced water, and sports drinks; juices; juice, dairy, and plant?based beverages; teas and coffees; and energy drinks. It also offers concentrates, syrups, beverage bases, source waters, and powders/minerals, as well as fountain syrups to fountain retailers, such as restaurants and convenience stores \ No newline at end of file diff --git a/input/test/Test4451.txt b/input/test/Test4451.txt new file mode 100644 index 0000000..7398f26 --- /dev/null +++ b/input/test/Test4451.txt @@ -0,0 +1,8 @@ +Tweet +Southern Co (NYSE:SO) was the target of some unusual options trading on Thursday. Stock traders bought 32,959 call options on the company. This is an increase of approximately 1,587% compared to the typical volume of 1,954 call options. +Shares of NYSE:SO opened at $47.50 on Friday. Southern has a 52-week low of $42.38 and a 52-week high of $53.51. The company has a market capitalization of $46.78 billion, a PE ratio of 15.73, a PEG ratio of 3.46 and a beta of 0.04. The company has a debt-to-equity ratio of 1.59, a current ratio of 0.81 and a quick ratio of 0.68. Get Southern alerts: +Southern (NYSE:SO) last announced its earnings results on Wednesday, August 8th. The utilities provider reported $0.80 earnings per share (EPS) for the quarter, topping the consensus estimate of $0.69 by $0.11. Southern had a return on equity of 13.06% and a net margin of 9.96%. The firm had revenue of $5.63 billion during the quarter, compared to analyst estimates of $5.28 billion. During the same quarter in the prior year, the company earned $0.73 EPS. The business's revenue was up 3.6% compared to the same quarter last year. equities research analysts forecast that Southern will post 2.97 EPS for the current year. The business also recently declared a quarterly dividend, which will be paid on Thursday, September 6th. Investors of record on Monday, August 20th will be paid a $0.60 dividend. The ex-dividend date of this dividend is Friday, August 17th. This represents a $2.40 annualized dividend and a dividend yield of 5.05%. Southern's payout ratio is currently 79.47%. +Several institutional investors have recently bought and sold shares of the stock. Ipswich Investment Management Co. Inc. grew its stake in shares of Southern by 5.4% in the 2nd quarter. Ipswich Investment Management Co. Inc. now owns 21,309 shares of the utilities provider's stock worth $987,000 after buying an additional 1,090 shares during the last quarter. Moloney Securities Asset Management LLC grew its stake in shares of Southern by 17.1% in the 2nd quarter. Moloney Securities Asset Management LLC now owns 7,474 shares of the utilities provider's stock worth $346,000 after buying an additional 1,093 shares during the last quarter. BB&T Corp grew its stake in shares of Southern by 0.7% in the 2nd quarter. BB&T Corp now owns 157,644 shares of the utilities provider's stock worth $7,301,000 after buying an additional 1,138 shares during the last quarter. Boys Arnold & Co. Inc. grew its stake in shares of Southern by 10.8% in the 1st quarter. Boys Arnold & Co. Inc. now owns 12,322 shares of the utilities provider's stock worth $557,000 after buying an additional 1,199 shares during the last quarter. Finally, Willis Investment Counsel grew its stake in shares of Southern by 0.6% in the 1st quarter. Willis Investment Counsel now owns 199,640 shares of the utilities provider's stock worth $8,916,000 after buying an additional 1,200 shares during the last quarter. Institutional investors own 57.07% of the company's stock. +SO has been the subject of a number of recent analyst reports. Zacks Investment Research raised Southern from a "sell" rating to a "hold" rating in a research report on Tuesday, April 24th. Credit Suisse Group increased their target price on Southern to $45.00 and gave the stock a "neutral" rating in a research report on Monday, May 7th. Morgan Stanley decreased their target price on Southern from $44.00 to $42.00 and set an "underweight" rating for the company in a research report on Wednesday, June 13th. ValuEngine lowered Southern from a "hold" rating to a "sell" rating in a research report on Tuesday, May 8th. Finally, Citigroup raised Southern from a "sell" rating to a "neutral" rating and set a $44.00 target price for the company in a research report on Friday, June 22nd. Eight equities research analysts have rated the stock with a sell rating, eleven have given a hold rating and two have issued a buy rating to the stock. Southern currently has a consensus rating of "Hold" and a consensus target price of $47.97. +Southern Company Profile +The Southern Company, through its subsidiaries, engages in the generation, transmission, and distribution of electricity. The company also constructs, acquires, owns, and manages power generation assets, including renewable energy facilities and sells electricity in the wholesale market; and distributes natural gas in Illinois, Georgia, Virginia, New Jersey, Florida, Tennessee, and Maryland, as well as provides gas marketing services, wholesale gas services, and gas midstream operations \ No newline at end of file diff --git a/input/test/Test4452.txt b/input/test/Test4452.txt new file mode 100644 index 0000000..f537a89 --- /dev/null +++ b/input/test/Test4452.txt @@ -0,0 +1,3 @@ +Aug 16, 2018 EPA Receives 62 Letters of Interest For WIFIA Loans +The LOIs include wastewater, drinking water, water recycling, desalination and storm water projects across 24 states EPA receives WIFIA LOIs for storm water projects The U.S. EPA received 62 letters of interest (LOIs) collectively requesting $9.1 billion in loans from a wide range of prospective borrowers in response to the Water Infrastructure Finance and Innovation Act (WIFIA) program's 2018 Notice of Funding Availability. "The more than $9 billion in WIFIA loans requested is nearly double our lending capacity for 2018, demonstrating the critical need for investment in our nation's water infrastructure and strong support for EPA's Water Infrastructure Finance and Innovation Act program," said EPA Office of Water Assistant Administrator David Ross. EPA received LOIs from prospective borrowers located in 24 states, the District of Columbia, and Guam for a wide variety of projects, including wastewater, drinking water, water recycling, desalination, storm water management and combined approaches. More than half of the LOIs addressed one or both of EPA's 2018 WIFIA Notice of Funding Availability (NOFA) priorities: reducing exposure to lead and other contaminants in drinking water systems and updating aging infrastructure. While the majority of prospective borrowers are municipal government agencies, other prospective borrowers include small communities, public-private partnerships, corporations and a tribe. See the full list of letters of interest submitted . EPA is currently evaluating the submitted letters of interest for project eligibility, credit worthiness, engineering feasibility, and alignment with WIFIA's statutory and regulatory criteria. Through this competitive process, EPA selects projects it intends to finance and invites them to submit a formal application this fall. Nominate +The Storm Water Solutions staff invites industry professionals to nominate the water and wastewater projects they deem most remarkable and innovative for recognition in the Annual Reference Guide issue. All projects must have been in the design or construction phase over the last 18 months \ No newline at end of file diff --git a/input/test/Test4453.txt b/input/test/Test4453.txt new file mode 100644 index 0000000..9ebfb12 --- /dev/null +++ b/input/test/Test4453.txt @@ -0,0 +1,15 @@ +David Payne believes Kementari is the only horse who can beat Winx when she returns at Randwick and will be more than happy if Ace High can finish within three or four lengths of the winner. Ace High is the leading home-grown hope in markets on the Caulfield and Melbourne Cups and begins his preparation in Saturday's Group One Winx Stakes (1400m). +Champion Winx is the short-priced favourite with Kementari the only other runner under double figures and Payne has dared to voice his belief the Godolphin horse can cause an upset. +"Kementari has already had a run and the rest are stayers coming back so he is the only one who can beat her," Payne said. +"He is a good horse in his own right and he was unlucky in the Missile Stakes when he ran second. +"Ace High is not going to show up until he gets up in distance and I just want to see him within three or four lengths. +"If he can finish closer then I'll be rapt but he is being trained for the Melbourne Cup over 3200 metres so I don't expect too much although his trials have been pleasing." +The winner of the Spring Champion Stakes and Victoria Derby last year, Ace High was nosed out of the Australian Derby in the autumn by Levendi. +"He is stronger than he was at three and is a very tough and sound horse with a long preparation ahead of him," Payne said. +The plan is for Ace High to go to the Caulfield Cup at the sixth start of his preparation, stepping up in distance each time. +While Payne thinks Kementari has a chance to topple the champion, both her trainer Chris Waller and jockey Hugh Bowman believe she is in better form than ever as she bids to set an Australian record 26 consecutive wins. +"She knows when it's game day," Bowman said. +Payne will also test the credentials of three-year-old Momentum Factor in Saturday's Group Three Up And Coming Stakes (1300m). +The gelding, a Warwick Farm maiden winner over 1100m, is by dual Group One-winning sprinter The Factor out of Angel's Breath who won up to 1400m. +"I'm not sure where he sits so we thought we would give him a test at this level in an early season race," Payne said. +"He can always come back in distance and grade if it doesn't work out. \ No newline at end of file diff --git a/input/test/Test4454.txt b/input/test/Test4454.txt new file mode 100644 index 0000000..5f3f4cb --- /dev/null +++ b/input/test/Test4454.txt @@ -0,0 +1,71 @@ +By Liam Dillon and Ben Poston Aug 17, 2018 | 4:00 AM People walk along the shoreline in Malibu behind the house owned by actors Jeff and Beau Bridges that's received a property tax break for inherited property. (Brian van der Brug / Los Angeles Times) +Actors Jeff and Beau Bridges, along with their sister, own a four-bedroom Malibu home with access to a semi-private beach and panoramic views of the Pacific Ocean. +They inherited it from their mother, who had owned the house since the late 1950s when their father Lloyd Bridges first made it big in Hollywood. +Earlier this year, they advertised the "stunning Malibu dream" for rent at $15,995 a month — a hefty price tag for a house that has a property tax bill of less than half that. +Like other descendants of a generation of California homeowners, the Bridges enjoy a significant perk that keeps their property tax bill low. Part of that is thanks to Proposition 13, which has strictly limited property tax increases since 1978. But they also benefit from an additional tax break, enacted eight years later, that extended those advantages to inherited property — even inherited property that is used for rental income. +California is the only state to provide this tax break, which was designed to protect families from sharp tax increases on the death of a loved one. Without the tax break, proponents argued at the time it passed, adult children could have faced potentially huge bills, making it financially prohibitive to live in their family homes. +But a Los Angeles Times analysis shows that many of those who inherit property with the tax breaks don't live in them. Rather, they use the homes as investments while still taking advantage of the generous tax benefits. +In Los Angeles County, as many as 63% of homes inherited under the system were used as second residences or rental properties last year, according to the Times' analysis. A similar trend was found in a dozen other coastal counties where prime vacation spots in Sonoma and Santa Cruz have some of the highest concentration of homeowners receiving the benefit. +The inheritance tax break, The Times has found, has allowed hundreds of thousands — including celebrities, politicians, out-of-state professionals and some of California's most prominent families — to avoid paying the higher taxes owed by newer homeowners. The tax break has deprived school districts, cities and counties of billions of dollars in revenue. Jon Schleuss / Los Angeles Times +The Bridges, who declined to comment for this article, would have paid an additional $300,000 in property taxes if the house had been reassessed when they inherited it in 2009, according to a Times calculation. In Los Angeles County, the tax benefit cost schools, cities and county government more than $280 million in property tax revenue last year, the analysis shows. +One effect of Proposition 13 and the inheritance tax break has been to create generational inequities between those who have owned homes and those who haven't. The laws place no limits on how many descendants can take advantage of the benefit, so future generations of Californians whose ancestors purchased houses decades ago will continue to pay property taxes based on values established in the 1970s. +The laws have helped many families stay in their homes without onerous tax burdens. But soaring property values across California also have created windfalls for longtime homeowner families that even the biggest backers of these laws didn't expect. +Thomas Hannigan, a former state assemblyman from Solano County and author of the inheritance tax break, admits he did not foresee that the heirs of homeowners would use his law as a moneymaker. +"I tried to do the right thing," said Hannigan, a Democrat, in an interview with The Times. "Obviously, it had unintended consequences." +Jon Coupal, the head of the Howard Jarvis Taxpayers' Assn., the anti-tax organization founded by the driving force behind Proposition 13, said he believed the inheritance benefit continues to protect children from losing their family homes to tax hikes. But even he was surprised the provision had led to so many heirs using the property as rentals. +"That was probably not in the voters' minds," Coupal said. An inherited home once owned by comedian Dom DeLuise in Malibu has received a large property tax break and is available for rent. Brian van der Brug / Los Angeles Times +Less than five miles up the coast from the Bridges' house, actor Peter DeLuise inherited a three-story, white-stucco home from his father, the late comedian Dom DeLuise. Advertisements for the $24,000 monthly rental tout its oceanfront master suite with an attached sauna, walk-in closets and wet bar on the top-floor deck. The rental payment would cover DeLuise's annual property tax bill in just over three weeks. +The daughter of billionaire arts and education patron Leonore Annenberg would have paid more than $500,000 in additional taxes in the nine years since she inherited a Beverly Hills home if not for the tax break, according to a Times' analysis. The home is worth an estimated $10.3 million, according to Zillow. +In another case, descendants of a United Airlines founder owe less than $10,000 a year in property taxes for a palatial 1.75-acre estate on the Santa Barbara coast in Montecito that's on the rental market for $20,000 a month. +In San Francisco's exclusive Presidio Heights neighborhood, a six-bedroom home with an elevator, wine cellar and painted mural and crystal chandelier hanging from the dining room ceiling is estimated by Zillow to be worth nearly $10 million, but is taxed based on a value from the 1970s that is just 3% of that figure. The owners, who inherited the property two years ago, recently listed it for $17,500 a month in rent. +To receive the benefit, it isn't even necessary to live in California. An attorney in Boca Raton, Fla., has advertised the two-bedroom Santa Monica home he inherited from his parents near the Brentwood Country Club for $5,900 a month, which would pay his annual property taxes in a little more than two weeks. +The Times requested interviews with DeLuise and the others. All declined. As many as 63% of homes receiving the inheritance tax break in L.A. County are used as second residences or rental properties like the above property in Santa Monica. (Brian van der Brug / Los Angeles Times) Beneficiaries of the inheritance tax break don't need to live in California. An attorney in Boca Raton, Fla., owns the above home in Santa Monica. (Brian van der Brug / Los Angeles Times) +To understand the tax break's effects, The Times obtained a decade's worth of property records from 13 counties along California's coast, where the state's housing problems are the most acute and real estate prices are generally the highest. Those records were compared with public assessor data provided by real estate website Zillow. +Up and down the coast, inherited houses are clustered in neighborhoods with higher property values, from the Bay Area's wealthy Hillsborough area to coastal Santa Barbara. Local governments are missing out on the larger tax payments that would come from these expensive homes. Areas of Beverly Hills and Manhattan Beach could have collected an additional $7 million and $5.5 million, respectively, in property tax receipts last year without the inheritance benefit, The Times found. +Vacation enclaves serve as the most popular locations for heirs using their parents' homes as investments. Owners of at least five short-term rentals receive the inheritance tax break within five blocks of Beach Drive on the Santa Cruz County coastline alone. +The same trend holds true in affluent pockets of Los Angeles County. +In Malibu, Hollywood Hills and Playa del Rey, more than 80% of owners report their inherited property is not their primary residence, according to The Times analysis. Families who have owned property the longest are also more likely to rent the houses out or use them as second residences, the records show. In L.A. County, three-quarters of heirs whose parents owned homes at the time of Proposition 13's 1978 passage don't report the property as their primary home, The Times found. MORE: Inherited properties: How we reported the story » +The tax privileges afforded current homeowner families stand in contrast to the higher taxes many newcomers face. The Bridges children had a $5,700 tax bill last year for their Malibu home now estimated by Zillow to be worth $6.8 million. If someone bought the home at that price today, they'd pay more than $76,000 annually in property taxes. +The higher taxes on properties changing hands has had a major impact, especially on middle- and lower-income Californians trying to enter the market. +California's home prices have neared record highs, with median values of $539,800 and monthly two-bedroom rents averaging $2,400. The state has the nation's highest poverty rate when housing costs are included, and 1.7 million families spend more than half their income on rent. +"The story of California in 2018 is skyrocketing inequality," said Assemblyman David Chiu, a San Francisco Democrat who leads the Assembly's housing committee. The inheritance tax break, he continued, "has exacerbated that inequality and is symbolic of that inequality. The idea of the American Dream of everyday people being able to make it is completely impacted when the haves get more, and the have-nots have no chance of benefiting from property investment windfalls." +In the late 1970s, California's property values were rising and so were the property taxes tied to them. Elderly homeowners became alarmed. Taxes, they worried, would go so high that they couldn't afford to pay their bills, forcing them to sell their homes. Those fears led to the passage of Proposition 13 in 1978, revolutionizing the state's property tax system. +The initiative limits property taxes to 1% of a home's taxable value, which is based on the year the house was purchased. It also restricts how much that taxable value can go up every year even if a home's market value actually increases much more. After a house is sold, property tax bills are recalculated for the new owner based on the new purchase price. So the longer someone owns their home, the lower their property taxes are as a percentage of the home's actual market value. +The inheritance tax break, known as Proposition 58, added a new twist. It ensured that the transfer of a home from a parent to a child wasn't treated like a property sale. Instead, it allows the heirs of the original owner to inherit the lower property tax bill. This is why the Bridges home is still levied property taxes based on its value in the 1970s, instead of its value when the children inherited it in 2009. +The inheritance tax break allows parents to give primary residences to their children, stepchildren, adopted children, or sons- or daughters-in-law without triggering a reassessment no matter how much the home is worth. Parents also can transfer their businesses, farms, second homes and rentals provided the total assessed value is less than $1 million, something very common for properties owned a long time. Jon Schleuss / Los Angeles Times +Hannigan said he wrote the inheritance tax break as a way to level the playing field for families, regardless of income. The assemblyman was bothered that under Proposition 13 companies could maintain low property tax bills on their buildings forever even as management — in effect, the company's owners — changed over time. Families were a sort of corporation, too, and should be treated similarly, he wrote in a June 1985 memo to fellow lawmakers. +"It was the family economic unit that made this country the financial superpower that it is today," Hannigan wrote in the memo. +The Legislature unanimously supported putting Proposition 58 on the ballot in 1986. It passed with more than 75% of the vote. +The law set California apart. No other state provides similar property tax relief to the children of homeowners, according to the Lincoln Institute of Land Policy, a Massachusetts-based think tank that studies land taxation. +At the time, Hannigan said, he and other lawmakers did not consider the long-term effects of Proposition 58. The Legislature, he said, was simply responding to California's anti-tax political fervor. +"We weren't practicing good tax policy," Hannigan said. +U.S. Supreme Court justices have felt the same way. +In 1992, the court heard a challenge to the broad property tax policy created by Proposition 13. Lawyers defending it contended the state was trying to protect elderly homeowners. But during oral arguments , Justice Harry Blackmun questioned why those homeowners' children received tax breaks, too. +"They get the same benefit and they're not all that elderly, as I understand it. They're just sort of a class of nobility in California," Blackmun said, causing the courtroom to erupt in laughter . "They inherit this tax break and it goes on through generation to generation." +The court ultimately ruled in favor of Proposition 13, though. It decided that the state's unique property tax structure was its prerogative, and that it could justify the inheritance tax break on the grounds of supporting neighborhood continuity. But in his dissenting opinion , Justice John Paul Stevens called the inheritance benefit one of the most unfair provisions in California's system. +The tax break, Stevens wrote, "establishes a privilege of a medieval character: Two families with equal needs and equal resources are treated differently solely because of their different heritage." +Since then, there has been little public debate over the inheritance tax break. In 1996, voters extended the same benefits to the grandchildren of property owners, a provision rarely used because it requires both parents of the new owner to be deceased. Even so, the inheritance tax break has become pricier than anticipated. +The original estimate of lost tax revenue, adjusted for inflation, was $137 million a year, along with a warning that the price tag would grow every year. Today, the cost has ballooned to more than 10 times that amount, according to a recent statewide report by the state's nonpartisan Legislative Analyst's Office . +The report also determined that about 650,000 property owners in California received the inheritance tax break over the last decade, or one out of every 20 times a property changed hands. Bob Flasher, a 73-year-old retired park ranger, inherited a home in Sonoma County five years ago. (Josh Edelson/For The Times) Bob Flasher looks at the Russian River from the dock of a home he inherited. (Josh Edelson/For The Times) A home Bob Flasher inherited in Sonoma County. His parents purchased the property in the early 1970s for less than $30,000. (Josh Edelson/For The Times) +Some who have received the benefit aren't part of California's elite and simply see it as a way to ensure property remains in their family. +Bob Flasher's parents purchased a home along the Russian River in Sonoma County in the early 1970s for less than $30,000. +Five years ago, Flasher, a 73-year-old retired park ranger who lives in Berkeley, inherited the property. He's replaced the roof, deck and picture windows. To recoup the cost of the improvements, Flasher recently put the property on the rental market for $3,000 a month, which would quickly cover the $2,500 he owes annually in property taxes. Zillow now estimates the home to be worth $744,000. +"If we had had to do a property tax increase, we would have had to sell it," Flasher said. "People don't have thousands and thousands of dollars on hand to pay these increases." +Flasher's two brothers inherited their parents' lower property taxes on two other homes in Berkeley and Sebastopol. +Flasher said he'd be willing to pay more in taxes, but argued that the state should instead have higher taxes on corporations. Other defenders of the program contend the state's taxes already are too high. +And not all of the inheritance tax breaks are going to children renting out their parents' homes. +Democratic Rep. Brad Sherman lives in a Northridge house his mother transferred to him four years ago after she moved to an independent living facility. It was important to her, Sherman said, to keep the property in the family while she's alive. She gave the house to him after she discovered she could do so without a tax hit. "This is hardly a tax ruse," Sherman said. +Others say the inheritance tax break is ripe for reexamination. Children of homeowners are more affluent and have greater financial advantages than those of renters, according to research cited by the legislative analyst . Inherited homes are more likely to have paid off mortgages and allow children to tap the home's equity for loans. Plus, white households in California own homes at much higher rates than black and Latino families. First-time homebuyers James Cunningham and Heather Mathiesen play with their son, Hugo, at home in Lancaster. Christina House / Los Angeles Times +The situation leaves new homeowners at a distinct disadvantage. +James Cunningham, 35, and Heather Mathiesen, 34, had to tap their 401(k) retirement plans to afford the down payment on the $350,000, four-bedroom home they purchased in Lancaster, a city on the outskirts of L.A. County. Cunningham, an engineer, and Mathiesen, a costume designer, had their first child, Hugo, just before they bought the house last fall. +The couple's first annual property tax bill was $4,800. By contrast, the Bridges paid $5,700 last year for their home worth nearly 20 times more. +"It's pretty frustrating to feel like some people are able to follow the rules and get incredible benefits while we're following the rules and we're just trying to live," Cunningham said. +Prospects for changing the inheritance tax break could depend on broader efforts to reexamine the state's property tax system. The California Assn. of Realtors, a powerful interest group, wants to downsize the program so it could be used just for children who live in their parents' homes. They would only do so, though, as part of a larger measure that also would expand other Proposition 13 tax breaks . +Chiu, the San Francisco lawmaker, would like to eliminate the inheritance tax break. But he worries that because of its ties to Proposition 13, which nearly two-thirds of likely California voters support , doing so would be politically difficult. Efforts to curtail Proposition 13's effects over the last four decades have largely failed. +Coupal, the Howard Jarvis Taxpayers Assn. president, said the inheritance tax break provides policy benefits. He argued those who want to live in their parents' homes, maintain family farms or hardware stores, and inherit small apartment buildings shouldn't face huge property tax bills after their parents die. +Still, Coupal said he believes voters did not intend to grant as broad tax relief as they did when they passed the 1986 measure. +"The average voter probably did not have in mind a multimillion-dollar property being given [to children] that they could use as income-producing property and then live out of state," Coupal said. +But, he added, those early homeowners are simply being rewarded for their smart investment. +"It's like somebody who invested in Bitcoin," he said. "Somebody put in $500 in Bitcoin, it's worth $2 million today. Good for them." +As for the adult children inheriting old high-value properties and their tax benefits? +Coupal says that's "the luck of the gene. \ No newline at end of file diff --git a/input/test/Test4455.txt b/input/test/Test4455.txt new file mode 100644 index 0000000..4f6e12c --- /dev/null +++ b/input/test/Test4455.txt @@ -0,0 +1,10 @@ +| 17th August 2018 "Collectively BOMAD is a major UK financial institution but one that needs advice and guidance so that parents feel empowered to make the right financial decisions" +The Bank of Mum and Dad "desperately needs financial advice and guidance", according to equity release adviser Key. +Its study found that over three quarters (76%) of all parents aged 55 and over find gifting rules complicated and are concerned about making mistakes with nearly a quarter (24%) worrying that they don't have the financial knowledge to make the right financial decisions. +With industry figures showing that more than one in four housing transactions in the UK are financed by BOMAD, Key's research indicated that the over 55s are looking for additional help and guidance in this area. +Two-fifths (40%) of parents aged over 55 believe there needs to be more support to help the Bank of Mum and Dad by offering online guidance. In addition, 78% of the over 55s would welcome tax incentives for gifting to children providing the money is used for major life events, such as a first property purchase, university fees or to clear debt. +Concerns are also by the younger 'generation rent', with 46% living in rented accommodation worry that their parents potentially don't have sufficient financial knowledge to make the right decisions as Bank of Mum and Dad. Over three-quarters (76%) of those in rented accommodation want more done to assist the Bank of Mum and Dad with specific online information and guidance. +Key's research also shows over a quarter (26%) of parents over 55 want to seek financial advice on how to make financial gifts and that 46% want to seek legal advice but are worried it will be expensive. +Dean Mirfin, chief product officer at Key, said: "Collectively BOMAD is a major UK financial institution but one that needs advice and guidance so that parents feel empowered to make the right financial decisions for themselves and for the next generations. +"Older homeowners in the UK own as much as £1 trillion in housing wealth according to our estimates and are also likely to have generated significant pension wealth as well as other retirement savings. The challenge for parents wishing to lend or gift money is to decide which assets are the most appropriate and most tax-efficient for gifting. We believe advice is key. +"The over 55s are right to demand increased guidance and support and it's no surprise that the vast majority would support tax incentives providing the money is used for major life events, such as a first property purchase, university fees or debt repayment. At Key, we would support any initiatives which give clearer guidance to the Bank of Mum and Dad about the important intergenerational financial decisions. \ No newline at end of file diff --git a/input/test/Test4456.txt b/input/test/Test4456.txt new file mode 100644 index 0000000..a89064a --- /dev/null +++ b/input/test/Test4456.txt @@ -0,0 +1,8 @@ +Tweet +CDK Global Inc (NASDAQ:CDK) reached a new 52-week low during trading on Wednesday after Morgan Stanley lowered their price target on the stock from $75.00 to $68.00. Morgan Stanley currently has an equal weight rating on the stock. CDK Global traded as low as $59.84 and last traded at $60.56, with a volume of 54440 shares trading hands. The stock had previously closed at $60.77. +A number of other brokerages have also recently issued reports on CDK. Barrington Research upgraded CDK Global from a "market perform" rating to an "outperform" rating and set a $80.00 price objective on the stock in a research note on Tuesday, May 29th. Zacks Investment Research upgraded CDK Global from a "hold" rating to a "buy" rating and set a $72.00 price objective on the stock in a research note on Friday, April 27th. ValuEngine cut CDK Global from a "hold" rating to a "sell" rating in a research note on Tuesday, July 24th. Finally, BidaskClub upgraded CDK Global from a "strong sell" rating to a "sell" rating in a research note on Saturday, June 16th. One analyst has rated the stock with a sell rating, three have issued a hold rating and two have issued a buy rating to the company. The company presently has an average rating of "Hold" and an average target price of $75.00. Get CDK Global alerts: +Several institutional investors have recently made changes to their positions in the company. WealthTrust Fairport LLC bought a new stake in CDK Global in the 1st quarter valued at $105,000. Qube Research & Technologies Ltd bought a new stake in CDK Global in the 2nd quarter valued at $109,000. Fort L.P. bought a new stake in CDK Global in the 2nd quarter valued at $121,000. Legacy Financial Advisors Inc. raised its stake in CDK Global by 91.0% in the 2nd quarter. Legacy Financial Advisors Inc. now owns 1,899 shares of the software maker's stock valued at $128,000 after acquiring an additional 905 shares during the period. Finally, Itau Unibanco Holding S.A. bought a new stake in CDK Global in the 2nd quarter valued at $170,000. Institutional investors own 85.87% of the company's stock. The company has a quick ratio of 1.80, a current ratio of 1.80 and a debt-to-equity ratio of -9.65. The company has a market cap of $8.42 billion, a price-to-earnings ratio of 25.17, a price-to-earnings-growth ratio of 1.57 and a beta of 0.69. +CDK Global (NASDAQ:CDK) last posted its quarterly earnings results on Tuesday, August 14th. The software maker reported $0.87 earnings per share for the quarter, beating analysts' consensus estimates of $0.80 by $0.07. CDK Global had a negative return on equity of 361.64% and a net margin of 14.99%. The business had revenue of $569.20 million for the quarter, compared to analysts' expectations of $578.99 million. During the same quarter in the prior year, the business earned $0.55 EPS. The firm's revenue for the quarter was up .7% on a year-over-year basis. equities analysts forecast that CDK Global Inc will post 3.06 earnings per share for the current year. +The firm also recently declared a quarterly dividend, which will be paid on Friday, September 28th. Investors of record on Tuesday, September 4th will be paid a $0.15 dividend. This represents a $0.60 dividend on an annualized basis and a yield of 0.98%. The ex-dividend date of this dividend is Friday, August 31st. CDK Global's dividend payout ratio (DPR) is presently 24.69%. +CDK Global Company Profile ( NASDAQ:CDK ) +CDK Global, Inc provides integrated information technology and digital marketing solutions to the automotive retail and other industries worldwide. The company operates through Retail Solutions North America, Advertising North America, and CDK International segments. It offers technology-based solutions, including automotive Website platforms; and advertising solutions comprising the management of digital advertising spend for original equipment manufacturers and automotive retailers \ No newline at end of file diff --git a/input/test/Test4457.txt b/input/test/Test4457.txt new file mode 100644 index 0000000..e032dea --- /dev/null +++ b/input/test/Test4457.txt @@ -0,0 +1,15 @@ +Salary range (Full Time) £25,499 to £29,999 per annum (Discretionary range to £34,499) +Post Type Full time / Fixed term +Term 1 year +Provisional Interview Dates 20th September +Closing Date 16/09/2018 +Ref No 10044 +Diamond Light Source is the UK's national synchrotron science facility. Located on the Harwell Science & Innovation Campus in Oxfordshire a 20 minute drive south of Oxford in a designated Area of Outstanding Natural Beauty, Diamond Light Source conducts world-class research in virtually all fields of science and offers rewarding career opportunities. +The Science Division is seeking to recruit a Surface Science Technician. The main duties will be to provide laboratory support to scientists, visitors and Users of the Diamond beamlines and peripheral laboratories. You will be expected to provide technical and operational support to users of the surface science and microscopy equipment in the laboratories of the Surface Science Village and to be involved in beamline and support laboratory developments, specifically design input for future projects. +The successful candidate will have experience of ultrahigh vacuum and sample environment equipment and the ability to design, maintain and support the equipment. Experience in the maintenance of microscopes e.g AFM , Raman, optical etc would be useful. +Experience with the handling of hazardous chemicals and specialist gases and supervising, monitoring and maintaining equipment in laboratories would be useful but not essential. +You should be highly motivated and able to work under your own initiative. Good communication skills are essential and experience of working in a multi-discipline environment with scientists would be an advantage. +There is a strong emphasis on Health and Safety so familiarity of risk assessments and legislation would be desirable but not essential. +Job Description – To provide technical and operational support to users of the surface science and microscopy equipment in the surface science support laboratory of the Surfaces and Interfaces Village. To support the beamlines of the Surfaces and Interfaces Village. Provide a high quality support laboratory for UHV surface science; Maintain UHV laboratory equipment; Maintain and develop the UHV laboratory; Support the research projects of the users and in-house research teams using the UHV laboratory; Assist users to characterise samples; Be involved in support laboratory developments, specifically design input for beamline experiments involving sample transfers etc; Perform assembly tasks for the Surface and Interfaces Village Beamlines. +… Don't forget to mention Naturejobs when applying. Apply through the recruiter's website +This recruiter would like you to apply via their website. Follow the link below for further instructions. When applying for this position please quote the following requisition number: 10044 Job detail \ No newline at end of file diff --git a/input/test/Test4458.txt b/input/test/Test4458.txt new file mode 100644 index 0000000..3ae479e --- /dev/null +++ b/input/test/Test4458.txt @@ -0,0 +1,36 @@ +By Loren Marks and David C. Dollahite · August 16, +The Abiding Power of Sacred Family Rituals [1] +"What is the best thing I can do as a parent to bring our family closer together?" . . . "How can I best strengthen my child's faith?" As scholars and researchers of family and religion, questions like these are sometimes directed our way. Our two decades of interviewing about 200 very strong, "exemplar" families of various faiths from around the United States have revealed some answers to these difficult but vital questions. Across religion, race, and region, mothers and fathers (and their children) have emphasized the power of sacred family rituals. Drawing from the diverse families who taught us, we explore, explain, and illustrate why sacred family rituals matter, with the hope that your family and ours will more effectively harness this power in our own homes and families. +THEME 1: The Costs and Challenges of Religious, Family-Level Rituals +Rituals require structure, effort, organization, and flexibility in families. Often, family-level rituals present enough challenges that resolving the accompanying conflict is an integral element of success. Many contemporary religious families reportedly struggle to maintain meaningful rituals and sacred practices due to the competing challenges of life from myriad outside forces. There are also challenges from within the home, including the reluctance of children to participate. Jackie [2] , an African-American Methodist mother of three daughters, reported: You know what we try to do? And it kinda works. We get our kids to sit down at the table with us and we have a little Bible study and have some passages read around. And we just talk about their day, about something that's bothering them. Someone will read a scripture or explain something that they've heard in church . . . so that they will have a base that they can build upon. But sometimes they'll say, "Mom, we don't want to do that right now." +Mitchell, a Baptist father of seven, similarly explained that although their weekly family night was important to him and to his wife, there was often resistance from their teenagers: There's always the challenge of . . . let's really make this relevant and helping [our children] see the usefulness. Sometimes I think [the resistance is] because of the pressures of their schedule, they've got homework, they've got this or that. (Sometimes) we need . . . to say, "Okay, listen . . . we can spend time complaining about this or we can actually have some meaningful time." And . . . I think for the most part, when we do have those times, they do appreciate it. [But there are] challenges…. +Mitchell's 18 year old son, Byron, then interjected, "[We] might not always enter into it with the most willing attitude, but it's definitely a blessing at the end." Reports such as Jackie and Mitchell's remind us that family rituals are, often, rituals in overcoming resistance. The balance can be a delicate one—if there is too little structure and commitment and the ritual is likely to die. However, it is also possible to push too hard. Research has found that while some religious family practices seem to facilitate marriage and family relations, "compulsory" family worship can sometimes be counter-productive. Several parents addressed the tension between actively engaging versus blatantly forcing children in connection with family-level rituals. +Rachel, a Jewish mother of three (including two teenagers), explained: We do the same rituals for our holidays and all our Sabbath activities and you know, a lot of times we have to nag the kids and pull them into things, but if we don't do something or if something is missed or if we say, "We are not going to do Shabbat," they say [with excited animation], "What do you mean we're not doing it!?!"….They'll get mad that we don't do [Shabbat]. They're upset because life is not the way it usually is. They get upset if we don't hallow [the Sabbath]. It's very interesting. Sometimes they act like we are annoying them by dragging them through the ritual but if we don't have it there for them they get upset by it….The religion provides a lot of strength and comfort and structure. +Patricia, an LDS mother of six (with just one child still at home) said: Family home evening, is a family get-together on Monday night when we have fun and play together, [and pray together], and teach the children. When our children were very young, we used to think, "Why are we doing this? This is crazy, they are not listening to a word." And now, as adults, they will come back and say, "Family home evening was so wonderful!" [Laughter.] You don't realize the impact a lot of things have when you are doing them. . . . We have also done a lot of summer vacations and family reunions. They used to fight us tooth and toenail every summer, and now the one who fought us the hardest will do anything to be there. It's payday, you just have to hang in there. +One common theme between Rachel and Patricia's reflections is the effort required. Note the language of these two mothers (e.g., Rachel's statements that "we have to nag them or pull them" and "they act like we are annoying them by dragging them through the ritual," and Patricia's reference that her children would "fight us tooth and toenail."). A second common theme is the (often less evident) meaning of the familial religious practice to the children. In Rachel's case, this did not become apparent until she suggested not carrying through with Shabbat observance. In Patricia's case, the power of the family home evening ritual did not come to her attention until literally years later. In connection with both the effort required and invested in ritual, as well as the subsequent outcome, we note sociologist Douglas Marshall's statement that "The strength of Belief/Belonging created by a ritual increases with the Effortfulness its practice entails." [3] From this vantage, challenges to ritual, if met by the necessary effort to overcome them, serve to magnify a ritual's power. The repeated testimony of these diverse families is that in ritual, as in weight training, difficulty and strain are benefits in disguise. +THEME 2: Studying the Sacred Word Together – Family Scripture Study +For several of the families we interviewed, studying or reviewing scripture or sacred text together was a meaningful religious ritual. Natalie, a 14-year old LDS daughter, said: [Mom and Dad] know the scriptures really well, which helps them in their lives. And then we have scripture study every morning so . . . they help us [and] . . . are teaching us that too. The gospel plays a huge role in their lives, which therefore plays a huge role in my life, 'cause they teach it to us. +Trey and Rischelle's LDS family also held daily family scripture study but offered a less idyllic report on their teenager, Cyndi. Trey explained: Cyndi complains that [our study] lessons are boring sometimes . . . and I'll admit a lot of them are boring. But every once in a while it just clicks. You know, everybody's interested and everybody has questions and it's a real feeling of oneness as a family. It just kind of all comes together…Those are the times that I think, you kind of have to live through all the boring stuff, and keep doing it, even though it is boring, and then occasionally [when] it really clicks and . . . those are the ones that [are] really special. +In some families, the most salient examples of family scripture study were not daily but were connected to annual holy days. For many of the Jewish families we interviewed, the most poignant scriptural recitation and reading took place as part of sacred rituals such as the Passover Seder, where God's sparing of the children of Israel and their liberation from slavery are revisited in narrative and with several symbols. One mother, Rachel, related: A Seder is telling a story. . .You tell the story and you remember. . . . Mostly, [in] our family we take turns reading through the Hagaddah , [then] we say [scripture-based] blessings together. +For Jasmine, an African-American Methodist teen, and her family, Christmas sparked a family scripture study with elements that are similar to those reported by Rachel. Jasmine said: [There is a] ritualistic nature of the things that kind of bring us together. Like every Christmas, before I get to open any presents, we always read the Christmas story; and it's not because we don't know the Christmas story. We can all recite it from memory . . . but [what's important is] just being together and reliving that story every year. And it's not even necessarily [just] the religious aspect of it. I think it's just because we're all together . . . and we can appreciate each other in that way. +Note that Rachel and Jasmine emphasize at least three shared central elements: (1) Story (both mention it multiple times), (2) Remembering , ("You tell the story and you remember," and "We can all recite it from memory…we [are] reliving that story every year"), and (3) Unity ("we take turns reading…then we say blessings together ," and "[it] brings us together …[what's important is] just being together …we can appreciate each other "). +While annual remembrances such as Seder and Christmas were the scripture-infused rituals that were most salient to some, many other families talked of less dramatic but more frequent scripture study rituals—in many cases, these were daily. One of the more striking examples was offered by a Jehovah's Witness family with two children. Jennifer (Mother): When the kids were younger . . . our family study was reading through the Bible. Each kid read out loud through the entire Bible. It took about three years. . . . We used all different Bible translations. Mark (Father): And . . . we discussed it. Jennifer : And then when Nick did it, then Erica started doing it. . . . And we did it as a whole family. So the whole family, we have listened [to] both of our kids read the Bible out loud from beginning to end. +An Arab-American Muslim mother named Asalah similarly explained her family's approach to studying sacred texts together: [After] saying prayers together as an entire family, most evenings . . . we read from the religious books [ The Koran and Hadith (teachings of Mohammed)] and talk about Islam and the values, which in your daily life you can sometimes forget. [It serves as] a reminder to everyone again [and it] is done as a family. +Elise, an LDS mother, reflected on the value of daily scripture study in her family: One of the most important [sacred practices] for me is [reading] scripture verses. . . . Each night we gather together and we study from the scriptures, and each child who can read [will] take turns reading verses from the scriptures and when the kids don't understand something they'll stop us . . . and it's wonderful opportunity for us every day to teach them a little bit more, and to find out what they know. We never cease to be surprised at how much they are already picking up and how much they understand. And doing that every day is something that I hope will continue to instill . . . what we believe. +As we revisit the common elements from the annual rituals mentioned previously, we note that although the powerful narrative element of the Seder or Christmas celebration may be difficult to capture on a daily basis, the two earlier identified elements of remembering and unity are clearly integral in these daily scripture-based rituals. In connection with remembering , Asalah says of their families' Koran study, "In your daily life, you can sometimes forget. [It serves as] a reminder"). In connection with unity , the participants reported, "We did it as a whole family," "[It] is done as a family," and "Each night we gather together." We note that in the narratives from the three different families, the word we appears nine times, while I appears only once. This is significant because the singular first-person is typical in our interviews, but this is not the case in parents' discussion of family rituals . Our participants' discussions of family rituals seem to convey and invite unity, we-ness, and relationship. +As we conclude our discussion of families and the sacred word, we note that in families where scripture study is important, an underlying theme is that what is taking place is, in some ways, more than the reading of a sacred text. It is a time for motivation, discussion, learning, and worship; but perhaps above all, it is a time for hearing the sacred word together . Belief and Belonging are infused and interconnected. We now move to our third and final theme. (A fourth theme, Connecting with the Creator: The Power of Family Prayer , will be addressed in a future Meridian article.) +THEME 3: Finding Meaning in a Hurry-up World: Sacred Family Rituals [4] +Although scripture study was important to some families, other families mentioned other rituals that held sacred meaning for them. The focus, however, seemed to remain upon a unifying and coming together of the family that centered on faith. A Muslim father, Ibrahim, explained: In addition to prayer and scripture. . .we cherish the month [long fast] of Ramadan, [be]cause we do so many things together as a family. We wake up in the middle of the night. We sit together, we eat together, we pray together. . .It's a very, very good experience for us. . .The month of Ramadan has been prescribed to us where every Muslim is supposed to. . . fast from dawn to sunset. So what we do is we get up early— very early in the morning—[and] we have a meal together, and then after the meal, we read Qur'an (Koran), our scripture. And after we do that, it's time for prayer. We pray together. . . . [I]n the evening during breaking of the fast, again, the same thing happens as during the morning. We all come together as a family, and we eat together and we thank God together, we pray together, [then] we break the fast. . . . So the whole month of Ramadan is a . . . unique experience. We do a lot less of the worldly things and a lot more of godly things than we normally do. . .And especially when you do those kinds of things together every day . . .it tends to bring people together and it strengthens our beliefs and family. +Once again, we see a familial fusion of Belief and Belonging. For Ibrahim and his family the month of Ramadan means "a lot less of the worldly things and a lot more of the godly things"—a month-long resistance to the often frenetic pace of modern life. We have suggested that, often, the best things in life are slow . Several of the families we interviewed, including Ibrahim's, discussed sacred ritual as a cadence mechanism that provided a "rhythm to life" and that helped to "slow things down when things get too crazy." Several Jewish families similarly explained how the Jewish ritual of welcoming in the Sabbath (on Friday evening) with the lighting of the candles and the Sabbath meal has added depth to their family relationships. A 17-year old daughter, Hannah, explained: [Shabbas] means that I don't have to worry about the usual things. The rest of the week [is a] totally different time. We have Shabbas, and that's Shabbas—[it is] different. We don't have to worry about the rest of the world. The rest of the world goes on, but we're here with our family and our religion. That's just. . . it's our time. +Note that although Hannah was in the "me-first" years of teenage life, her description of the familial Shabbas ritual invoked we three times, our three times, and I only once. A Jewish husband named Daniel, summarized, "I don't know that the Sabbath meal is a religious experience for most people, but for me it's the heart of religion." +Aida, a Latina Mormon mother of two, similarly mentioned a family ritual of faith that has some interesting similarities to Sarah and Daniel's Sabbath meal. Family home evening is a meeting we have; the whole family, parents and the children. We have the meeting every week [on Monday night]. We sing a hymn, and we have a prayer. My husband or I will prepare a short lesson or teaching from the gospel and [then] our older daughter will retell the lesson in her words. This has had a tremendous impact on her [and her younger sister]. +There are common elements in Shabbat and family home evening. First, the time is consistent (Friday or Monday evening, respectively). Second, the event is not haphazard. In fact, the time is consecrated (made sacred or set apart), as formally designated in Judaism by the lighting of the Sabbath candles, or with hymn singing and prayer for Aida's LDS family. Third, the rituals take place even when life is "crazy"—indeed, the hectic and harried times are when sacred ritual is most needed to restore a sense of structure, order, and reverence to chaotic life. A fourth commonality is that, to the degree possible, all family members are involved. Fifth, a variety of practices are integrated into a single family ritual, including prayer, singing of sacred songs, spiritual teaching, and discussion. For the families of Ibrahim, Hannah, Daniel, and Aida, it is as if several religious elements are being combined week after week to communicate, exemplify, and reinforce the intersection of faith and family as the axis mundi or center of life. +The families we have interviewed have emphasized that introducing, integrating, and maintaining sacred family rituals was difficult work. The considerable benefits for this work, however, included: (1) a time of relaxation and the ability "to breathe," (2) a better structure and "rhythm to life," (3) increased physical, mental, and/or spiritual health and quality of life, (4) improved (direct and indirect) parent-child communication, (5) a stronger marriage relationship, (6) a sense of "comfort" and "meaning," and (7) a personal relationship and connection with God. +In conclusion, ultimately, what seems to matter most is not the specific rituals, but that there are family rituals at all—that a family has sacred, meaningful experiences together. Is there perfection these family rituals? Never. Is there some effort, hassle, friction, and chaos? Almost always. But is there sometimes a spark of sacred, transcendent magic? In truth, it's rare. But tonight might just be one of those nights. [5] +Notes: +[1] This article is adapted and compressed from: Marks, L. D., & Dollahite, D. C. (2012). "Don't forget home": The importance of sacred ritual in families. In J. Hoffman (Ed.), Understanding religious rituals (pp. 186-203). New York: Routledge. +[2] All participants' names are pseudonyms. +[3] Marshall, D. A. (2002). Behavior, belonging, and belief: A theory of ritual practice. Sociological Theory, 20, 360- +380 (quote from p. 371). +[4] A fourth theme, Connecting with the Creator: The Power of Family Prayer , will be addressed in a future Meridian article. +[5] Adapted from Dollahite, D., & Marks, L. (2018). Mormons' Weekly Family Ritual Is an Antidote to Fast-Paced Living. The Atlantic, March 29, 2018 \ No newline at end of file diff --git a/input/test/Test4459.txt b/input/test/Test4459.txt new file mode 100644 index 0000000..6209e12 --- /dev/null +++ b/input/test/Test4459.txt @@ -0,0 +1,10 @@ +Indo-Asian News Service 17 August, 2018 16:23 IST Google's censored Chinese search engine at an exploratory stage: Sundar Pichai 0 Sundar Pichai also addressed the controversy surrounding the secrecy of the project. +Facing backlash from employees for its reported plan to enter China with a censored version of its search engine, Google CEO Sundar Pichai addressed them in an internal meeting and informed that the project, called Dragonfly , was at an exploratory stage, the media reported. +Pichai also addressed the controversy surrounding the secrecy of the project, BuzzFeed News reported late on 17 August. +"I think there are a lot of times when people are in exploratory stages where teams are debating and doing things, so sometimes being fully transparent at that stage can cause issues," the Google CEO was quoted as saying. Sundar Pichai, Chief Executive Officer of Google, looks on during the World Economic Forum (WEF). Image: Reuters +The news about Google's plan to build a censored search engine in China broke earlier this month when The Intercept reported that the search platform would blacklist 'sensitive queries' about topics including politics, free speech, democracy, human rights and peaceful protest. +This triggered an outrage among some Google staff who complained of lack of transparency within the company. +Over 1,400 employees reportedly signed a petition demanding more insight into the project. +At the company meeting on 16 August, Pichai said that Google has been "very open about our desire to do more in China," and that the team "has been in an exploration stage for quite a while now" and "exploring many options", CNBC reported . +While expressing interest in continuing to expand the company's services in China, Pichai told the employees that the company was "not close" to launching a search product there and that whether it would, or could, "is all very unclear", the CNBC report said. +Google had earlier launched a search engine in China in 2006, but pulled the service out of the country in 2010, citing Chinese government efforts to limit free speech and block websites. tag \ No newline at end of file diff --git a/input/test/Test446.txt b/input/test/Test446.txt new file mode 100644 index 0000000..7003cdf --- /dev/null +++ b/input/test/Test446.txt @@ -0,0 +1 @@ +Situs RERC Releases the European Edition of its Real Estate Report: Focus on Real Assets August 16 Share it With Friends LONDON – 16 August, 2018 – Whilst political and economic uncertainty continue to make investors nervous, it is crucial for investors to focus on real assets. The steady source of income and low volatility make commercial real estate (CRE) a safe harbour during times of turbu­lence in the investment environment. Ken Riggs, President of Situs RERC , states that "For investors, it's ultimately about risk and return compared to alternative investments such as stocks and bonds. CRE has come a long way in fulfilling investor requirements as a viable investment option because of its strong risk-adjusted returns, which capture many of the investment traits of CRE." These and other issues are explored in the latest Situs RERC Real Estate Report – European Edition, which presents an analysis of the European political and economic environment and their impact on CRE, including analyses of the major European regions and property types. The wildly fluctuating political environment will continue to be a major contributor to stock market volatility. Despite a signal from the European Central Bank (ECB) that rates will remain unchanged for the next year, the winding down of the ECB's asset purchasing programme (APP) may produce some volatility in the bond markets. Additionally, interest rates remain at historic lows, reducing demand for bonds. Focusing on real assets will help investors weather the next downturn. According to European investors surveyed by Situs RERC in 2Q 2018, political unrest and future interest rate hikes are by far the biggest potential pitfalls for CRE. Taco Brink, Managing Director and Head of Situs RERC Europe & Asia, adds, "As a real asset, CRE offers consist­ent cash flow, downside protection, tangibility, and low correlation with other asset classes. CRE has enjoyed an upward momentum in prices and values during this past business cycle. Nonetheless, the recovery phase after the Global Financial Crisis (GFC) is becoming long in the tooth, increasing the probability that we are due for a CRE correction." However, we are unlikely to be headed for another GFCs, particularly in the CRE market. Despite rising asset prices, strong economic data and strong CRE fundamentals – including rent levels – are supporting these prices. "In general, the markets seem to be making reasonable and rational investment decisions and CRE pricing is consistent with market realities, indicating that the next downturn – whenever it occurs – should prove to be a manageable correction, not a major crash," says Riggs. The Situs RERC Real Estate Report – European Edition also presents the results of its 2Q 2018 European Investor Survey, which provides investor sentiment regarding capital availability, lending conditions and investment recommendations, among other topics. To download your free copy, click here . ABOUT SITUS AND SITUS RERC Situs has been the premier global provider of strategic business solutions for the finance and commercial real estate industries for over 30 years. Situs RERC , a wholly owned subsidiary of Situs, is one of the longest-serving and most well-recognized national firms devoted to valuation management and fiduciary services, appraisal and litigation services, and research, risk analysis and publications. A rated servicer with Moody's, Fitch and Morningstar, Situs has more than $165 billion of assets under management and is ranked a top 20 servicer in multiple categories by the Mortgage Bankers Association. In 2016, Situs received a second consecutive "Advisor of the Year" award by Real Estate Finance & Investment magazine, and the "Capital Advisor Firm of the Year" award by Property Investor Europe. In 2017, the firm won the "Industry Contributor of the Year" award from Real Estate Finance & Investment magazine. Media Contacts: Ken Riggs, CFA, CRE, FRICS, MAI President, Global Head of Situs RER \ No newline at end of file diff --git a/input/test/Test4460.txt b/input/test/Test4460.txt new file mode 100644 index 0000000..f066da3 --- /dev/null +++ b/input/test/Test4460.txt @@ -0,0 +1,48 @@ +A VISIONARY MEN PAVES THE WAY TO SPACE A TRUE VISIONARY MAN +I remember, when I was young there was a place which attracted me magically, the Virgin Mega Store. In that paradise for all music enthusiasts you could find nearly everything. When you didn't find an album or single, the staff used the latest technologies to organize it for you. This place was my second home. It was founded by one of the most visionary men of our century Sir Richard Branson. Moreover, he is also the founder of Virgin Galactic. SIR RICHARD BRANSON ABOUT VIRGIN GALACTIC "From the Renaissance to modern space science, Italy has always been a natural home to great innovators and breakthrough ideas which have shaped the human experience. I believe Italy's vision which has led to this collaboration with our Virgin space companies will provide a real impetus as we strive to open space for the benefit of life on Earth. This partnership could see Virgin Galactic launch the first person in history into space from Italian soil – and in fact from any European territory. Together, we will help to expand opportunities for science, industry and the millions of people who dream of experiencing space for themselves." Actor and Pilot Harrison Ford listens to Virgin Galactic chief pilot Dave Mackay inside the new SS2.Virgin Spaceship Unity is unveiled in Mojave, California, Friday February 19th, 2016. VSS Unity is the first vehicle to be manufactured by The Spaceship Company, Virgin Galactic's wholly owned manufacturing arm, and is the second vehicle of its design ever constructed. VSS Unity was unveiled in FAITH (Final Assembly Integration Test Hangar), the Mojave-based home of manufacturing and testing for Virgin Galactic's human space flight program. VSS Unity featured a new silver and white livery and was guided into position by one of the company's support Range Rovers, provided by its exclusive automotive partner Land Rover... © Virgin Galactic VIRGIN GALACTIC SPACEFLIGHTS COME TO ITALY +Nicola Zaccheo, Sitael CEO, Vincenzo Giorgio, Altec CEO, and George Whitesides, Virgin Galactic CEO, signed at Sitael headquarters a framework agreement that intends to bring Virgin Galactic spaceflights to Italy. +The agreement comes after two years of business discussions, government regulatory analysis, studies on potential operations and market assessment. Finally, the signature was witnessed by the founder of Virgin Group Sir Richard Branson. Furthermore, the founder of Angel Group Mr. Vito Pertosa, the President of the Italian Space Agency Mr. Roberto Battiston, the Italian Minister Ms. Barbara Lezzi, the President of Apulia Region Mr. Michele Emiliano, the President of the Aeroporti di Puglia Mr. Tiziano Onesti and the Commercial Officer of the U.S. Embassy in Rome Todd Avery were present. A MEMORANDUM OF UNDERSTANDING +In September 2016 Altec – a public-private company owned by the Italian Space Agency and Thales Alenia +Space – signed a Memorandum of Understanding with Virgin Galactic. Later, in August 2017, the U.S. Department of State approved a Technical Assistance Agreement for the development of a plan for ultimate construction of an Italian spaceport. Hence, that area that will provide the infrastructure for future Virgin Galactic suborbital flights. VIRGIN GALACTIC'S HQ REMAINS IN NEW MEXICO +However, Virgin Galactic's operational headquarters remains at Spaceport America in New Mexico, the world's first purpose built commercial spaceport. Earlier this year, following in-depth analysis of potential locations, the Italian aviation authority ENAC designated the Taranto-Grottaglie Airport as the future home for horizontally-launched spaceflights in Italy. THE SPACEPORT IN ITALY +Besides, Sitael, the largest privately-owned space company in Italy with headquarters in Puglia region, is partnering with Altec and Virgin Galactic in order to define the framework that will lead the spaceflight operations from Grottaglie Spaceport. +The agreement signed in July this year envisions a dedicated space vehicle system, built by Virgin Galactic's sister enterprise The Spaceship Company. It's being positioned at the future Grottaglie Spaceport, which will +integrate significant technological and industrial contribution from Sitael and the rest of Italian Aerospace industry, pending regulatory approvals. THE SPACE VEHICLE +The space vehicle would be utilized by customers like the Italian Space Agency as a science platform for high-frequency space research, as well as private individuals to experience space. So, this dual nature will drive innovation spur industrial development, STEM education (Science, Technology, Engineering and Math), as well as promote further investments and economic growth in Puglia and Italy as a whole. +Representatives of Italian Government and Puglia Region together with leadership of the U.S. Embassy in Rome were present to show their support for the plan. They highlighted the strategic relevance of the project for both US and Italy. ABOUT VIRGIN GALACTIC – THE WAY TO SPACE +Virgin Galactic is the world's first commercial spaceline. It was founded by Sir Richard Branson. Besides, the owners are the Virgin Group and Aabar Investments PJS and Virgin Galactic. Furthermore, the latter sister companies-Virgin Orbit and The Spaceship Company open access to space to change the world for good. +Thus, to revolutionize human spaceflight, Virgin Galactic tests the SpaceShipTwo VSS Unity, a reusable space launch system. The number of customers who paid to reserve places to fly on SpaceShipTwo is already greater than the total number of humans who have ever been to space throughout history. +SpaceShipTwo and its carrier aircraft, WhiteKnightTwo, are manufactured and tested in Mojave, California by Virgin Galactic's manufacturing wing, The Spaceship Company. Commercial operations will be based in New Mexico at Spaceport America, the world's first purpose-built commercial spaceport. To learn more or to apply to join Virgin Galactic's talented and growing team, visit virgingalactic.com. ABOUT THE SPACESHIP COMPANY +The Spaceship Company is Virgin Galactic's aerospace-system manufacturing sister organization. Headquartered in Mojave Air and Space Port in Mojave, California, it's building and testing a fleet of WhiteKnightTwo carrier aircraft and SpaceShipTwo reusable spaceships that, together, form Virgin Galactic's human spaceflight system. +Like many Virgin companies across the world, its team of over 500 talented and dedicated engineers, technicians and professionals are drawn together by a willingness to disrupt and challenge the status quo and deliver innovative aerospace solutions to our customers' needs. +The Spaceship Company has a straightforward name: as you would expect, we build spaceships. But we also do much more. The Spaceship Company's extensive capabilities encompass preliminary vehicle design and analysis, manufacturing, ground testing, flight testing and post-delivery support. +The Spaceship Company team is uniquely positioned to offer end-to-end aerospace development with thousands of years of cumulative experience in design, manufacturing, and testing. VIRGIN GALACTIC AT A GLANCE WHO +Virgin Galactic is the world's first commercial spaceline. VISION +Virgin Galactic is transforming access to space. Thus, the company will provide affordable and safe launch opportunities for private individuals and research payloads via their human space flight system. +Thanks to their innovative design, the vehicles are built to dramatically increase the frequency and safety of space flight. Virgin Galactic's human spaceflight business aims to fly more people to space in its first few years of service than have been there through all of history. Besides, the sister company, Virgin Orbit, will provide launch opportunities for new orbital technology via its small satellite launch service. +Its launch vehicle will open up the space frontier to innovators of all sorts, from start-ups and schools to established space companies and national space agencies. So, by achieving these objectives, Virgin Galactic and Virgin Orbit will be playing their part in opening space to change the world for good. VSS Unity's 7th Glide Flight in Mojave, CA on Jan. 11, 2018. © Virgin Galactic HUMAN SPACEFLIGHT EXPERIENCE +Passengers aboard Virgin Galactic's SpaceShipTwo – the first commercial human spaceflight vehicle – will experience the unique thrills of spaceflight, enjoying the opportunity to leave their seats to float in zero gravity for several minutes. So, from an official space altitude, Virgin Galactic astronauts will experience astounding views of Earth from the black sky of space. Additionally, three days of preparation at New Mexico's Spaceport America prior to the flight will ensure a safe, enjoyable and unforgettable journey. Finally, the whole experience will be captured on film for each astronaut as a unique personal record of history in the making. Virgin Mothership Eve carries Virgin Spaceship Unity for its first flight ever over Mojave, CA on Thursday September 8, 2016. © Virgin Galactic RESEARCH/ EDUCATION EXPERIENCE +SpaceShipTwo can also be configured to carry research payloads by replacing astronauts' seats with mounting racks that can accommodate the leading payload container systems. Each flight can carry as much as 1,000 pounds (450 kilograms) of payload into space in addition to an onboard Payload Engineer. This offers an unparalleled opportunity to conduct high-quality, affordable experiments. +Many researchers are looking at SpaceShipTwo as an invaluable stepping stone on their way to orbital systems, while others are conducting unique research custom-designed for suborbital flight. NASA is already a customer, having chartered a flight on SpaceShipTwo through its Flight Opportunities Program. Virgin Spaceship Unity is unveiled in Mojave, California, Friday February 19th, 2016 and christened by Richard Branson's Granddaughter, Eva-Deia who turned 1 years old that same day. © Virgin Galactic VSS Unity is the first vehicle to be manufactured by The Spaceship Company, Virgin Galactic's wholly owned manufacturing arm, and is the second vehicle of its design ever constructed. VSS Unity was unveiled in FAITH (Final Assembly Integration Test Hangar), the Mojave-based home of manufacturing and testing for Virgin Galactic's human space flight program. VSS Unity featured a new silver and white livery and was guided into position by one of the company's support Range Rovers, provided by its exclusive automotive partner Jaguar Land Rover. SMALL SATELLITE LAUNCH +Virgin Galactic's sister company Virgin Orbit will provide launch services for small satellites to Sun Synchronous Orbit (SSO) and Low Earth Orbit (LEO) with the LauncherOne vehicle. Traditionally, small satellites have been launched as secondary payloads, which constrains the satellite provider's choice of launch characteristics. Besides, LauncherOne will allow small satellite providers with greater flexibility and responsiveness in selecting launch dates, locations and orbits that are optimized for their mission goals. Road leading up to Spaceport America, Virgin Galactic's Gateway to Space © Virgin Galactic OWNERS +Sir Richard Branson's Virgin Group, and Aabar Investments PJS. HISTORY +The Ansari XPRIZE called for private sector innovations in the field of manned space exploration. Specifically, participants had to design, build and fly a privately funded vehicle that could deliver the weight of three people (including one actual person) to space. Moreover, the vehicle had to be at least 80 percent reusable and fly twice within a two-week period. +Mojave Aerospace Ventures, a Paul G. Allen company, and Burt Rutan's Scaled Composites pursued the prize with Rutan-designed SpaceShipOne, an air-launched all-composite rocket ship. Furthermore, the Virgin Group sponsored both of SpaceShipOne's XPRIZE winning flights, flown in September and October 2004 by pilots Mike Melville and Brian Binnie respectively. +SpaceShipOne is now permanently displayed in the Milestones of Flight Gallery at the Smithsonian National Air and Space Museum. +With this success, the Virgin Group licensed Mojave Aerospace Ventures' technology and invested in the development of a second-generation vehicle for commercial ventures. Virgin Galactic was born. +Seeing private space travel as a reality, early adopters began making reservations for flights, providing vital and tangible proof of a readily available market at a commercially viable price. To date, more than 600 people from 60 nations around the world have secured reservations to fly on SpaceShipTwo. VSS Unity First Powered Flight, April 5, 2018 © Virgin Galactic VEHICLES +Virgin Galactic has developed two types of vehicles for suborbital operations, which were originally designed by Scaled Composites: +SpaceShipTwo (SS2) – SS2 is a reusable spaceplane designed to carry two pilots and up to six passengers into suborbital space. It uses much of the same technology, construction techniques, and basic design of SpaceShipOne, but is much bigger. For example the cabin volume of SpaceShipTwo is almost six times that of SpaceShipOne. The first vehicle was unveiled in December 2009, and test flights began in March 2010. The second vehicle was unveiled in February 2016; its first flight (captive with its carrier aircraft) was in September 2016 and its first free flight (operating as a crewed glider) was on 3rd December 2016. +WhiteKnightTwo (WK2) – WK2 is the carrier aircraft specifically designed for air launch of SS2. It is the largest 100-percent carbon composite carrier craft ever built and made its first flight in December 2008. CURRENT STATUS HUMAN SPACEFLIGHT +The WhiteKnightTwo test flight program is complete. The first SpaceShipTwo vehicle was at an advanced stage of testing when it was lost during its fourth powered test flight in October 2014. Following its February 2016 unveil, the second SpaceShipTwo vehicle completed its ground test program and its flight test program is in progress. Virgin Galactic will officially launch operations from Spaceport America in New Mexico with paying passengers once it believes it is safe to do so and has received all regulatory approvals. OPERATIONS +Virgin Galactic's Mojave-based The Spaceship Company (TSC) now has the third and fourth spaceships in production as part of the fleet of vehicles on order for Virgin Galactic. +Spaceport America (SA) – the state of New Mexico and the counties of Sierra and Do ña Ana funded the world's first purpose-built spaceport complete with a 12,000-foot runway. Located some 47 miles north of Las Cruces, N.M., Spaceport America will serve as Virgin Galactic's base of operations for human spaceflight. The "Virgin Galactic Gateway to Space" terminal and hangar facility was designed by Foster + Partners, URS Corporation, and New Mexico firm SMPC Architects, and it was dedicated in October 2011. Virgin Spaceship Unity and Virgin Mothership Eve take to the skies on it's first captive carry flight on 8th September 2016 © Virgin Galactic LEADERSHIP +George Whitesides, CEO of Virgin Galactic and The Spaceship Company. +Mike Moses, President of Virgin Galactic. +Doug Shane, Chairman of The Spaceship Company. +Enrico Palermo, President of The Spaceship Company. +Stephen Attenborough, Commercial Director for Virgin Galactic. +Jonathan Firth, Executive Vice President, Spaceport & Program Development for Virgin Galactic. +Todd Ericson, Vice President of Safety and Test for Virgin Galactic. +Julia Hunter, Vice President, Operations for Virgin Galactic. Visionary Sir Richard Branson in front of his space vehicles © Virgin Galactic +Pictures: © Virgin Galacti \ No newline at end of file diff --git a/input/test/Test4461.txt b/input/test/Test4461.txt new file mode 100644 index 0000000..50427ef --- /dev/null +++ b/input/test/Test4461.txt @@ -0,0 +1,3 @@ +The Insight Partners - Friday, August 17, 2018. High carbon content with organic material such as coal, wood, and coconut husks is processed to manufacture activated carbon. The main property of activated carbon is physical absorption which is useful for the purification of water treatment, metal finishing, medicine, fuel storage and many others. Porous structure of activated carbon along with its versatility, have made it one of the most extensively used adsorbents. Increased demand for clean drinking water and environment protocols to control carbon and pollutants emission are the major drivers which help in surging the growth of activated carbon market whereas high price of raw material act as a restraining factor for this market. Application such as decolonization, deodorization, and solvent recovery is expected to drive the demand in the forecast period. The "Global Activated Carbon Market Analysis to 2025" is a specialized and in-depth study of the activated carbon industry with a focus on the global market trend. The report aims to provide an overview of global activated carbon market with detailed market segmentation by type, application and geography. The global activated carbon market is expected to witness high growth during the forecast period. The report provides key statistics on the market status of the leading market players and offers key trends and opportunities in the market. Download PDF Sample: https://www.theinsightpartners.com/sample/TIPTE1 777/ The report provides a detailed overview of the industry including both qualitative and quantitative information. It provides overview and forecast of the global activated carbon market based on type and application. It also provides market size and forecast till 2025 for overall activated carbon market with respect to five major regions, namely; North America, Europe, Asia-Pacific (APAC), Middle East and Africa (MEA) and South America (SAM). The market by each region is later sub-segmented by respective countries and segments. The report covers analysis and forecast of 16 counties globally along with current trend and opportunities prevailing in the region. Besides this, the report analyzes factors affecting market from both demand and supply side and further evaluates market dynamics effecting the market during the forecast period i.e., drivers, restraints, opportunities, and future trend. The report also provides exhaustive PEST analysis for all five regions namely; North America, Europe, APAC, MEA and South America after evaluating political, economic, social and technological factors effecting the market in these regions. Also, key activated carbon market players influencing the market are profiled in the study along with their SWOT analysis and market strategies. The report also focuses on leading industry players with information such as company profiles, products and services offered, financial information of last 3 years, key development in past five years. For More Information and TOC: https://www.theinsightpartners.com/inquiry/TIPTE1 777/ Some of the key players influencing the market are Osaka Gas Co., Ltd., Haycarb PLC, Donau Carbon GmbH, Silcarbon, Aktivkohle GmbH, Prominent Systems, Inc., Oxbow Activated Carbon LLC, Jacobi Carbons AB, Cabot Corporation., Calgon Carbon Corporation and Kuraray Co., Ltd. among others. About The Insight Partners: The Insight Partners is a one stop industry research provider of actionable intelligence. We help our clients in getting solutions to their research requirements through our syndicated and consulting research services. We are a specialist in Technology, Media, and Telecommunication industries. +About The Insight Partners +The Insight Partners is a one stop industry research provider of actionable intelligence. We help our clients in getting solutions to their research requirements through our syndicated and consulting research services. We are a specialist in Technology, Media, and Telecommunication industries \ No newline at end of file diff --git a/input/test/Test4462.txt b/input/test/Test4462.txt new file mode 100644 index 0000000..48276fe --- /dev/null +++ b/input/test/Test4462.txt @@ -0,0 +1,62 @@ +Narendra Modi, Amit Shah, Rajnath Singh pay last respects to Vajpayee +​ +The senior BJP leadership — Prime Minister Narendra Modi, party chief Amit Shah and Home Minister Rajnath Singh — paid their last respects to the former prime minister. Other BJP leaders were present too. +The last remains of Vajpayee will be taken to Rashtriya Smriti Sthal at 4 pm. 11:07 (IST) +Mortal remains of Vajpayee reach BJP HQ +Atal Bihari Vajpayee's mortal remains have reached the BJP headquarters, where party workers will be able to pay their tributes till 1 pm, after which the body will be take for cremation at 4 pm. #Delhi : The mortal remains of former PM #AtalBihariVajpayee have been brought to BJP Headquarters pic.twitter.com/R0MCPh9LS9 11:05 (IST) +How Vajpayee initiated peace talks with Pakistan after Pokhran-II tests +On 19 February, 1999, Vajpayee rode the bus to Pakistan on the Delhi-Lahore bus service called 'Sada-e-Sarhad', which means 'Call of the Frontier'. It was launched as a symbol of the efforts made by the Vajpayee government to initiate a peaceful equation with Pakistan. Vajpayee made a visit to Minar-e-Pakistan where he re-affirmed India's commitment to the existence of Pakistan. +His emotional speech in Lahore made Sharif say, "Mr Vajpayee, now you can win elections even in Pakistan." +Even in the face of Pakistan's attack in Kargil between May and June 1999, Vajpayee did not terminate the bus service. The attack was successfully pushed back by the Indian armed forces. 10:46 (IST) +Delhi HC, district courts to work only till 1 pm +The Delhi High Court and all district courts will function till 1 pm on Friday. The half-day holiday has been given to allow officials and staff to attend former prime minister Atal Bihari Vajpayee's funeral at the Rashtriya Smriti Sthal at 4 pm, reported ANI. Load More +Atal Bihari Vajpayee funeral latest updates: Representatives from SAARC paid last respects to former prime minister Atal Bihari Vajpayee at Smriti Sthal in Delhi. King of Bhutan Jigme Khesar Namgyel Wangchuck, Pakistan law minister Ali Zafar were among those from the South East Asia who paid homage. +All three forces — army, navy and air force — laid wreath on the mortal remains of former prime minister Atal Bihari Vajpayee. Army chief Bipin Rawat and Defence Minister Nirmala Sitharaman paid last respects. Several leaders across party lines are present at the venue for the last rites ceremony. +While Narendra Modi and Amit Shah walked behind the hearse of the former prime minister Atal Bihari Vajpayee, the Chef de Mission of Asian Games Brij Bhushan Charan Singh said, "All the medals which will be won by the Indian athletes in Asian Games 2018 will be dedicated to Atal Bihari Vajpayee." +If reports are to be believed, Prime Minister Narendra Modi and BJP chief Amit Shah are probably going to walk the entire 3.6-kilometre stretch from BJP headquarter to the Rashtriya Smriti Sthal behind the cortege along with ex-prime minister Atal Bihari Vajpayee's mortal remains. +Thousands of mourners jostled and some clambered on trees to capture the moment on their phones as former prime minister Atal Bihari Vajpayee's cortege left the BJP's headquarters for Rashtriya Smriti Sthal for the last rites of the poet-politician. +Former prime minister Atal Bihari Vajpayee's mortal remains are being take from the BJP headquarters in New Delhi to the Rashtriya Smriti Sthal for cremation. As the coffin carrying his remains is carried out of the BJP headquarters, party chief Amit Shah and Prime Minister Narendra Modi can be seen walking behind it. +The European Union said they bloc will remember Vajpayee's visionary contributions to EU-India relations. "We express our deepest sympathies on the passing away of former Prime Minister Atal Bihari Vajpayee. Our thoughts are with his family, friends and with the people of India," it said in a tweet. +The cremation of veteran BJP leader and three time prime minister Atal Bihari Vajpayee will take place at Smriti Sthal near Rajghat in Delhi on Friday. +Senior BJP leaders such as Assam chief minister Sarbananda Sonowal, Manipur chief minister N Biren Singh, Uttar Pradesh chief minister Yogi Adityanath and Governor Ram Naik gathered at the saffron party headquarters to pay their last respects to former prime minister Atal Bihari Vajpayee. +A host of foreign dignitaries including foreign ministers of Nepal and Bangladesh will attend former prime minister Atal Bihari Vajpayee's funeral on Friday. Bhutan King Jigme Khesar Namgyal Wangchuk has already reached New Delhi. The Sri Lankan government announced country's acting foreign affairs minister Lakshman Kiriella will be attending the funeral. +The senior leadership of the BJP — Narendra Modi, Amit Shah and Rajnath Singh — paid their respects to Atal Bihari Vajpayee at the party headquarters. The last remains of Vajpayee will be taken to Rashtriya Smriti Sthal at 4 pm. +After the last rites of former prime minister Atal Bihari Vajpayee are conducted, authorities reportedly plan to construct a memorial for the BJP veteran near Raj Ghat. An MCD official told News18 , that following an inspection of the site, plans for a memorial have been finalised. Prime Minister Narendra Modi lays a wreath on the mortal remains of former prime minister Atal Bihari Vajpayee as he pays last respects at BJP headquarters. PTI +Penning an eulogy to BJP stalwart Atal Bihari Vajpayee, Prime Minister Narendra Modi called him the nation's 'moral compass' and 'guiding spirit'. "In times of turbulence and disruption, a nation is blessed to have a leader who rises to become its moral compass and guiding spirit, providing vision, cohesion and direction to his people. And, in such a moment at the turn of the century, India found one in Atal Bihari Vajpayee, who was gifted in spirit, heart and mind," he wrote. +The Supreme Court of India and the Registry will observe a half-day holiday on Friday to mark the demise of former prime minister Atal Bihari Vajpayee. Meanwhile, Prime Minister Narendra Modi reached the BJP headquarters in New Delhi ahead of the convoy carrying Vajpayee's mortal remains' arrival. +Former prime minister Atal Bihari Vajpayee's mortal remains are being moved in a flower-decorated truck to the BJP headquarters at Deendayal Upadhyay Marg in New Delhi. They will remain there till 1 pm, after which the final funeral procession to the cremation ground on the banks of river Yamuna will take place. +Over five lakh people are expected to attend late prime minister Atal Bihari Vajpayee's funeral on Friday, including VVIPs, politicians and dignitaries at the BJP headquarters and the Rashtriya Smriti Sthal. +On Friday morning, hundreds of people gathered outside Atal Bihari Vajpayee's New Delhi residence to pay their last respects to the former prime minister. His body has been kept at his home for public viewing from 7.30 am to 8.30 am. +Atal Bihari Vajpayee's former private secretary Shakti Sinha wrote in the Hindustan Times about his experience working with the late prime minister closely. "Vajpayee was an uncompromising patriot, with a strong sense of his Hinduness, which was cultural and civilisational. That meant that the primary loyalty citizens was to the country." +Central Delhi has been placed under heavy security due to Atal Bihari Vajpayee's funeral procession that will take place on Friday. More than 20,000 security personnel have been deployed and Independence Day security arrangement has been extended as well. +Veteran leader Atal Bihari Vajpayee's body has been kept at his official residence: 6A Krishna Menon Marg. People can pay homage to the late prime minister at his home between 7.30 am and 8.30 am on Friday. +The funeral procession for former prime minister Atal Bihari Vajpayee will leave the BJP headquarters at 1 pm and the last rites performed at the Rashtriya Smriti Sthal at 4 pm on Friday. The Smriti Sthal is a common memorial site, located between Jawaharlal Nehru's memorial 'Shanti Van' and Lal Bahadur Shahstri's 'Vijay Ghat'. Vajpayee's last rites will be performed on a raised platform, surrounded by greenery. +Keeping in mind the final procession of former prime minister Atal Bihari Vajpayee on Friday, the Delhi Police has issued a traffic advisory for the National Capital. Almost all roads leading to central Delhi including Krishna Memon Marg, Akbar Road, Janpath and India Gate C-Hexagon, among others, will remain closed from 8 am onwards for the general public today in order to ensure smooth vehicular movement during Vajpayee's final journey. +Leaving boundaries of their respective parties, political leaders on Thursday bid an emotional goodbye to former prime minister Atal Bihari Vajpayee describing him as a visionary statesman with acceptability across a diverse ideological spectrum, a gentle giant and a consensus seeker. +Vajpayee, who was 93, died at AIIMS on Thursday evening after a prolonged illness. Several leaders saw a personal loss in death of Vajpayee, one of India's most respected leaders who led the nation through several crises and held together a tenuous coalition with his inclusive politics. +Prime Minister Narendra Modi described Vajpayee as a "father figure" who taught him valuable aspects about Sangathan (organisation) and Shaasan (administration)." In a brief televised address, Modi said Vajpayee used to hug him with affection whenever they met. +Veteran BJP leader LK Advani, who along with Vajpayee was a central figure in the party for much of its existence, described the former prime minister as one of the country's tallest statesmen and his closest friend for over 65 years whom he will miss immensely. Leaders pay tributes to former prime minister Atal Bihari Vajpayee, at his Krishna Menon Marg residence, in New Delhi. PTI +President Ram Nath Kovind said the "gentle giant" will be missed by one and all. Former prime minister Manmohan Singh said Vajpayee was a great patriot and among modern India's tallest leaders who spent his whole life serving the country. +Former president Pranab Mukherjee said India had lost a great son and an era has come to an end, as he described the BJP stalwart as a reasoned critique in the opposition, who dominated the space like a titan, and a seeker of consensus as prime minister. +Describing him as a democrat to the core, Mukherjee, in a letter to Vajpayee's adopted daughter Namita Kaul Bhattacharya, said the former prime minister led the government with aplomb and was an inheritor and practitioner of the best traditions and qualities of leadership. +Congress president Rahul Gandhi said India has lost "a great son" who was loved and respected by millions. Several of his own party leaders also said Vajpayee was an inspiration to millions, an intense speaker and a true diplomat. +BJP chief Amit Shah said Vajpayee nursed the party from its inception to make it a banyan tree and left an indelible mark in Indian politics. +The party would work to fulfil the mission he has left behind, Shah told reporters. +West Bengal chief minister Mamata Banerjee said Vajpayee would always listen to his alliance partners as that was his style of working. The Trinamool leader flew to Delhi from Kolkata on Thursday evening and spent an hour at Vajpayee's residence to pay her last respects to the leader, under whom she had served as a union minister. +Union minister Jitendra Singh said even non-BJP supporters would listen to Vajpayee in public rallies just to pick up speaking skills from his oratory. +Singh, minister of state in the prime minister's office, said, "We grew up listening to him, learning from him, inspired by him. There was no electronic media those days, but many of our college-mates, who did not subscribe to our ideology, would come over to his rallies, just to pick up speaking skills from his oratory," Singh told PTI . +Union minister Harsh Vardhan said he has lost his "mentor and guide" who hand-held him into politics. +He said the Indian scientific community would ever be grateful to Vajpayee who he expanded the ' Jai Jawan, Jai Kisan ' slogan to include ' Jai Vigyan ' after the Pokhran nuclear test and his courageous decision to go for the second nuclear test was the beginning of an India to reckon with. +Paying tribute to Vajpayee, Union minister Nitin Gadkari said his government is trying to follow the path shown by the former prime minister. +Veteran leader Sharad Yadav said Vajpayee was a great human being whose qualities cannot be explained in words, besides being "a great poet, leader, Parliamentarian and an able Administrator." +Lok Sabha speaker Sumitra Mahajan said Vajpayee's affectionate nature was unique to him. "He was crafted by the god with special care," she said. +Leader of Opposition in Rajya Sabha Ghulam Nabi Azad said he was deeply saddened by the sad demise of Vajpayee who was a great human being and a true statesman. "He never hesitated in giving full credit to his Opposition party leaders whenever due," he said. +Lok Janshakti Party chief Ram Vilas Paswan said many people are known by the post, but the post of prime minister was very small in front of Vajpayee. +"He was a great politician, intense speaker, a true diplomat, having clarity in thinking, warrior of social justice and a great nationalist," Paswan tweeted. +Senior Congress leader Anand Sharma said, "It is a great loss to the country. It was a joy to listen to Atal ji. He cut across ideology, he was a person who had compassion and his belief to take India together is to be remembered. India has become poor in his loss. He has left a deep imprint." +Maharashtra chief minister Devendra Fadnavis described the death as his personal loss and Vajpayee encouraged and taught everyone to serve the last man with the weapon of democracy. +Odisha chief minister Naveen Patnaik said,"India has lost the tallest leader." +Madhya Pradesh chief minister Shivraj Singh Chouhan said, "It's an end of an era of Indian politics. He wasn't among those to lose battle. He was a fighter," he said. +Andhra Pradesh chief minister N Chandra Babu Naidu and former Uttar Pradesh chief minister Akhilesh Yadav also offered their condolences. +With inputs from PTI +Updated Date: Aug 17, 2018 16:35 PM Tags : #AIIMS #Atal Bihari Vajpayee #Atal Bihari Vajpayee Death #Atal Bihari Vajpayee Funeral #Atal Bihari Vajpayee LIVE #BJP #LK Advani #New Delhi #NewsTracker #Prime Minister Narendra Modi #Rashtriya Smriti Sthal Also Se \ No newline at end of file diff --git a/input/test/Test4463.txt b/input/test/Test4463.txt new file mode 100644 index 0000000..b157eaa --- /dev/null +++ b/input/test/Test4463.txt @@ -0,0 +1,4 @@ +up vote 0 down vote favorite +I want to use Jenkins to run automated hardware tests controlled by various python scripts. I have a Jenkins master installed on a Linux server and a Jenkins slave on the Test server (a windows server). I need the master to pull the test code from a github repo and then the slave to execute the test code. +What is the best/simplest way for the master to pull the code and have the slave execute the code? Can I pull the code from the slave through the master? Only from the server I can access my github repo, not from the slave.. Currently I am setting up different jobs to pull the code on the master, then copy it to the slave using plugin copyArtifacts and then execute the code on the slave. This seems cumbersome.. +Thanks, Marti \ No newline at end of file diff --git a/input/test/Test4464.txt b/input/test/Test4464.txt new file mode 100644 index 0000000..ff5c973 --- /dev/null +++ b/input/test/Test4464.txt @@ -0,0 +1 @@ +Orange Romania starts new First Step internship programme 13:02 CET | News Orange Romania started accepting applications for a new edition of its 'Orange First Step' programme aimed at students who recently started their career. The internship programme is addressed to all students and master students irrespective of the profile of their university, the form of education or the year of study they are in. The duration of the training course is 6 months. In this edition, Orange offers 16 intern positions in Bucharest, with the possibility of taking a paid internship in one of the following 8 departments: IT, technical, financial, marketing, B2B, human resources \ No newline at end of file diff --git a/input/test/Test4465.txt b/input/test/Test4465.txt new file mode 100644 index 0000000..b59a33f --- /dev/null +++ b/input/test/Test4465.txt @@ -0,0 +1,9 @@ + Lisa Pomrenke on Aug 17th, 2018 // No Comments +Pacific Premier Bancorp (NASDAQ:PPBI) was upgraded by analysts at ValuEngine from a "sell" rating to a "hold" rating in a research report issued on Wednesday. +A number of other brokerages also recently issued reports on PPBI. BidaskClub downgraded shares of Pacific Premier Bancorp from a "buy" rating to a "hold" rating in a research report on Friday, June 8th. Zacks Investment Research downgraded shares of Pacific Premier Bancorp from a "strong-buy" rating to a "hold" rating in a research report on Tuesday, April 17th. Finally, Stephens reaffirmed a "hold" rating and issued a $43.00 price objective on shares of Pacific Premier Bancorp in a research report on Wednesday, July 25th. One investment analyst has rated the stock with a sell rating, three have assigned a hold rating and one has assigned a buy rating to the company's stock. Pacific Premier Bancorp has a consensus rating of "Hold" and a consensus target price of $48.00. Get Pacific Premier Bancorp alerts: +Shares of Pacific Premier Bancorp stock opened at $38.45 on Wednesday. The company has a current ratio of 1.01, a quick ratio of 1.00 and a debt-to-equity ratio of 0.38. Pacific Premier Bancorp has a 52-week low of $32.05 and a 52-week high of $46.05. The company has a market capitalization of $2.34 billion, a PE ratio of 21.72, a PEG ratio of 1.84 and a beta of 0.68. Pacific Premier Bancorp (NASDAQ:PPBI) last issued its quarterly earnings data on Tuesday, July 24th. The financial services provider reported $0.60 earnings per share (EPS) for the quarter, missing analysts' consensus estimates of $0.62 by ($0.02). Pacific Premier Bancorp had a return on equity of 8.61% and a net margin of 24.60%. The firm had revenue of $89.32 million during the quarter, compared to analysts' expectations of $92.28 million. During the same period in the previous year, the firm earned $0.35 EPS. equities research analysts expect that Pacific Premier Bancorp will post 2.55 earnings per share for the current fiscal year. +In related news, Chairman Steven R. Gardner sold 37,438 shares of Pacific Premier Bancorp stock in a transaction that occurred on Thursday, May 24th. The shares were sold at an average price of $41.43, for a total value of $1,551,056.34. The transaction was disclosed in a legal filing with the Securities & Exchange Commission, which is available through the SEC website . 4.12% of the stock is owned by insiders. +A number of hedge funds have recently added to or reduced their stakes in the stock. Putnam Investments LLC boosted its stake in Pacific Premier Bancorp by 112.8% in the 2nd quarter. Putnam Investments LLC now owns 110,510 shares of the financial services provider's stock worth $4,216,000 after purchasing an additional 58,583 shares in the last quarter. Millennium Management LLC boosted its stake in Pacific Premier Bancorp by 35.7% in the 2nd quarter. Millennium Management LLC now owns 606,810 shares of the financial services provider's stock worth $23,150,000 after purchasing an additional 159,700 shares in the last quarter. MetLife Investment Advisors LLC boosted its stake in Pacific Premier Bancorp by 13.3% in the 2nd quarter. MetLife Investment Advisors LLC now owns 21,020 shares of the financial services provider's stock worth $802,000 after purchasing an additional 2,475 shares in the last quarter. Metropolitan Life Insurance Co. NY boosted its stake in Pacific Premier Bancorp by 15.2% in the 2nd quarter. Metropolitan Life Insurance Co. NY now owns 14,844 shares of the financial services provider's stock worth $566,000 after purchasing an additional 1,962 shares in the last quarter. Finally, Bank of America Corp DE boosted its stake in Pacific Premier Bancorp by 22.4% in the 2nd quarter. Bank of America Corp DE now owns 100,700 shares of the financial services provider's stock worth $3,841,000 after purchasing an additional 18,426 shares in the last quarter. Institutional investors own 67.87% of the company's stock. +Pacific Premier Bancorp Company Profile +Pacific Premier Bancorp, Inc operates as the bank holding company for Pacific Premier Bank that provides banking services to businesses, professionals, real estate investors, and non-profit organizations. Its deposit products include checking, money market, and savings accounts. The company's loan portfolio comprises commercial business loans, lines of credit, small business administration loans, commercial real estate loans, agribusiness loans, home equity lines of credit, construction loans, farmland, and consumer loans, as well as multi-family residential, one-to-four family real estate, commercial and industrial, and franchise lending; warehouse repurchase facilities; and credit facilities to Home Owners' Associations (HOA) and HOA management companies. +To view ValuEngine's full report, visit ValuEngine's official website . Receive News & Ratings for Pacific Premier Bancorp Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Pacific Premier Bancorp and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4466.txt b/input/test/Test4466.txt new file mode 100644 index 0000000..e9e0896 --- /dev/null +++ b/input/test/Test4466.txt @@ -0,0 +1,14 @@ +Kelly divine Career Planning 109 Career Choices , Career Choices For High School Students , Career Choices Quiz , Career Choices Test , Career Cruising , Career Planning , Career Test , Choosing Career Share With Your Friends! +Being a tradesman puts you between laborers and professionals. This means that you have more and more flexible career development options. Additionally, you can expect to make a good living from your vocation. Before you can enjoy the occupational benefits, you have to consider the type of training needed to become a tradesman. Training Needed For Tradesman Careers. More Competitive Tradesmen Have Better Education And Work Experience. Choosing Career | Career Choices For High School Students | Career Choices | Career Choices Test | Career Choices Quiz | Career Planning | Career Test | Career Cruising +Powered By Getwhatever.com +As a start, you have to decide what kind of tradesman career suits you best. If you are inclined into doing more technical work, you can readily consider becoming an electrician or a home appliance technician. You can become a mechanic or a car mechanic. If you have a talent for cooking, you can become a chef. If you have an interest in assembling things, you might choose a career in watch making or jewelry making. +Many people prefer a more artistically inclined career and choose to go for hair styling, barber styling or nail styling. It can be said that the largest group of tradesman careers are in construction and building. You can specialize in any area of this industry, including roofing, carpentry and furniture design and making. +There are literally hundreds of tradesman careers to select from. The most important thing is to pick one in line with your talents and interests. It is also a good idea to research the employment options as well as the demand for services of tradesmen. This can also help you make a final choice on a career. +In the past, tradesmen were required to have practical training in a workshop and/or under the supervision if a master tradesman only. Today, things are very different. You will need formal training that is considered higher education. This means that you have to complete your secondary education, before you can learn to be a tradesman. Simply put, you have to graduate from high school first. It is possible to start your training, while you are still at school, but you will be required to study the necessary academic disciplines as well. +The tradesman career training is usually provided by technical and community colleges, vocational schools and business colleges. There are different programs to select from. The most widely available choice is an associate's degree program. It usually takes two years to complete, but given the fast development of the labor market nowadays, many higher education institutions offer programs that last for eighteen months, a year and a half. +You have two alternatives to obtaining an associate's degree. You can sign up for a diploma program or a certificate course. These are shorter than associate's degree programs and offer more basic knowledge. In general, the diploma programs are more highly valued because they involve the teaching of more academic subjects. Both types of courses last for a year or slightly more. +You should decide carefully which one of the training options suits you best. Statistics show that the more competitive tradesmen have better education and greater work experience. If you choose a diploma or a certificate program, you will have to make up for the educational qualification with more work experience. +In general, the cost of education should not be a major concern, even if you come from a low-income family. There are government grants as well as school-specific scholarships available for students enrolled in associate's degree programs, diploma and certificate program. In addition, you might be able to keep your day job during the training. Many technical colleges and vocational schools offer evening and weekend classes as well as distance and online training. +It is worth learning more about tradesman career training. It consists of classroom training. You will be taught by an instructor who has experience in the respective field of operation as well as in teaching. A large part of your education will consist of practical training. This is a form of apprenticeship. In some cases, this apprenticeship mandatory and is organized by the school, but it is not part of the curriculum. This means that you will have to work as well as to study or to work for some time after you complete the course to obtain the degree, diploma or certificate. +The training to become a tradesman is not particularly hard, especially if you enjoy what you are doing. Becoming a tradesman offers excellent career opportunities. You can readily develop your own individual business and turn it into a successful small or even large company. Training Needed For Tradesman Careers. More Competitive Tradesmen Have Better Education And Work Experience. Choosing Career | Career Choices For High School Students | Career Choices | Career Choices Test | Career Choices Quiz | Career Planning | Career Test | Career Cruising +Powered By Getwhatever.co \ No newline at end of file diff --git a/input/test/Test4467.txt b/input/test/Test4467.txt new file mode 100644 index 0000000..e54a921 --- /dev/null +++ b/input/test/Test4467.txt @@ -0,0 +1,23 @@ +6:07 AM EDT Aug 17, 2018 Baker who refused to make gay wedding cake sues again over gender transition cake Share 6:07 AM EDT Aug 17, 2018 Associated Press DENVER — +A Colorado baker who refused to make a wedding cake for a gay couple on religious grounds — a stance partially upheld by the U.S. Supreme Court — has sued the state over its opposition to his refusal to bake a cake celebrating a gender transition, his attorneys said Wednesday. +Jack Phillips, owner of the Masterpiece Cakeshop in suburban Denver, claimed that Colorado officials are on a "crusade to crush" him and force him into mediation over the gender transition cake because of his religious beliefs, according to a federal lawsuit filed Tuesday. Advertisement +Phillips is seeking to overturn a Colorado Civil Rights Commission ruling that he discriminated against a transgender person by refusing to make a cake celebrating that person's transition from male to female. +His lawsuit came after the Supreme Court ruled in June that Colorado's Civil Rights Commission displayed anti-religious bias when it sanctioned Phillips for refusing to make a wedding cake in 2012 for Charlie Craig and Dave Mullins, a same-sex couple. +The justices voted 7-2 that the commission violated Phillips' rights under the First Amendment. But the court did not rule on the larger issue of whether businesses can invoke religious objections to refuse service to gays and lesbians. +The Alliance Defending Freedom, a conservative Christian nonprofit law firm, represented Phillips in the case and filed the new lawsuit. +Phillips operates a small, family-run bakery located in a strip mall in the southwest Denver suburb of Lakewood. He told the state civil rights commission that he can make no more than two to five custom cakes per week, depending on time constraints and consumer demand for the cakes that he sells in his store that are not for special orders. +Autumn Scardina, a Denver attorney whose practice includes family, personal injury, insurance and employment law, filed the Colorado complaint — saying that Phillips refused her request for a gender transition cake in 2017. +Scardina said she asked for a cake with a pink interior and a blue exterior and told Phillips it was intended to celebrate her gender transition. She did not state in her complaint whether she asked for the cake to have a message on it. +The commission found on June 28 that Scardina was discriminated against because of her transgender status. It ordered both parties to seek a mediated solution. +Phillips sued in response, citing his belief that "the status of being male or female ... is given by God, is biologically determined, is not determined by perceptions or feelings, and cannot be chosen or changed," according to his lawsuit. +Phillips alleges that Colorado violated his First Amendment right to practice his faith and the 14th Amendment right to equal protection, citing commission rulings upholding other bakers' refusal to make cakes with messages that are offensive to them. +"For over six years now, Colorado has been on a crusade to crush Plaintiff Jack Phillips ... because its officials despise what he believes and how he practices his faith," the lawsuit said. "This lawsuit is necessary to stop Colorado's continuing persecution of Phillips." +Phillips' lawyers also suggested that Scardina may have targeted Phillips several times after he refused her original request. The lawsuit said he received several anonymous requests to make cakes depicting Satan and Satanic symbols and that he believed she made the requests. +Reached by telephone Wednesday, Scardina declined to comment, citing the pending litigation. Her brother, attorney Todd Scardina, is representing her in the case and did not immediately return a phone message seeking comment. +Phillips' lawsuit refers to a website for Scardina's practice, Scardina Law. The site states, in part: "We take great pride in taking on employers who discriminate against lesbian, gay, bisexual and transgender people and serving them their just desserts." +The lawsuit said that Phillips has been harassed, received death threats, and that his small shop was vandalized while the wedding cake case wound its way through the judicial system. +Phillips' suit names as defendants members of the Colorado Civil Rights Division, including division director Aubrey Elenis; Republican state Attorney General Cynthia Coffman; and Democratic Gov. John Hickenlooper. It seeks a reversal of the commission ruling and at least $100,000 in punitive damages from Elenis. +Hickenlooper told reporters he learned about the lawsuit Wednesday and that the state had no vendetta against Phillips. +Rebecca Laurie, a spokeswoman for the civil rights commission, declined comment Wednesday, citing pending litigation. Also declining comment was Coffman spokeswoman Annie Skinner. +The Masterpiece Cakeshop wedding cake case stirred intense debate about the mission and composition of Colorado's civil rights commission during the 2018 legislative session. Its seven members are appointed by the governor. +Lawmakers added a business representative to the commission and, among other things, moved to ensure that no political party has an advantage on the panel \ No newline at end of file diff --git a/input/test/Test4468.txt b/input/test/Test4468.txt new file mode 100644 index 0000000..e54a921 --- /dev/null +++ b/input/test/Test4468.txt @@ -0,0 +1,23 @@ +6:07 AM EDT Aug 17, 2018 Baker who refused to make gay wedding cake sues again over gender transition cake Share 6:07 AM EDT Aug 17, 2018 Associated Press DENVER — +A Colorado baker who refused to make a wedding cake for a gay couple on religious grounds — a stance partially upheld by the U.S. Supreme Court — has sued the state over its opposition to his refusal to bake a cake celebrating a gender transition, his attorneys said Wednesday. +Jack Phillips, owner of the Masterpiece Cakeshop in suburban Denver, claimed that Colorado officials are on a "crusade to crush" him and force him into mediation over the gender transition cake because of his religious beliefs, according to a federal lawsuit filed Tuesday. Advertisement +Phillips is seeking to overturn a Colorado Civil Rights Commission ruling that he discriminated against a transgender person by refusing to make a cake celebrating that person's transition from male to female. +His lawsuit came after the Supreme Court ruled in June that Colorado's Civil Rights Commission displayed anti-religious bias when it sanctioned Phillips for refusing to make a wedding cake in 2012 for Charlie Craig and Dave Mullins, a same-sex couple. +The justices voted 7-2 that the commission violated Phillips' rights under the First Amendment. But the court did not rule on the larger issue of whether businesses can invoke religious objections to refuse service to gays and lesbians. +The Alliance Defending Freedom, a conservative Christian nonprofit law firm, represented Phillips in the case and filed the new lawsuit. +Phillips operates a small, family-run bakery located in a strip mall in the southwest Denver suburb of Lakewood. He told the state civil rights commission that he can make no more than two to five custom cakes per week, depending on time constraints and consumer demand for the cakes that he sells in his store that are not for special orders. +Autumn Scardina, a Denver attorney whose practice includes family, personal injury, insurance and employment law, filed the Colorado complaint — saying that Phillips refused her request for a gender transition cake in 2017. +Scardina said she asked for a cake with a pink interior and a blue exterior and told Phillips it was intended to celebrate her gender transition. She did not state in her complaint whether she asked for the cake to have a message on it. +The commission found on June 28 that Scardina was discriminated against because of her transgender status. It ordered both parties to seek a mediated solution. +Phillips sued in response, citing his belief that "the status of being male or female ... is given by God, is biologically determined, is not determined by perceptions or feelings, and cannot be chosen or changed," according to his lawsuit. +Phillips alleges that Colorado violated his First Amendment right to practice his faith and the 14th Amendment right to equal protection, citing commission rulings upholding other bakers' refusal to make cakes with messages that are offensive to them. +"For over six years now, Colorado has been on a crusade to crush Plaintiff Jack Phillips ... because its officials despise what he believes and how he practices his faith," the lawsuit said. "This lawsuit is necessary to stop Colorado's continuing persecution of Phillips." +Phillips' lawyers also suggested that Scardina may have targeted Phillips several times after he refused her original request. The lawsuit said he received several anonymous requests to make cakes depicting Satan and Satanic symbols and that he believed she made the requests. +Reached by telephone Wednesday, Scardina declined to comment, citing the pending litigation. Her brother, attorney Todd Scardina, is representing her in the case and did not immediately return a phone message seeking comment. +Phillips' lawsuit refers to a website for Scardina's practice, Scardina Law. The site states, in part: "We take great pride in taking on employers who discriminate against lesbian, gay, bisexual and transgender people and serving them their just desserts." +The lawsuit said that Phillips has been harassed, received death threats, and that his small shop was vandalized while the wedding cake case wound its way through the judicial system. +Phillips' suit names as defendants members of the Colorado Civil Rights Division, including division director Aubrey Elenis; Republican state Attorney General Cynthia Coffman; and Democratic Gov. John Hickenlooper. It seeks a reversal of the commission ruling and at least $100,000 in punitive damages from Elenis. +Hickenlooper told reporters he learned about the lawsuit Wednesday and that the state had no vendetta against Phillips. +Rebecca Laurie, a spokeswoman for the civil rights commission, declined comment Wednesday, citing pending litigation. Also declining comment was Coffman spokeswoman Annie Skinner. +The Masterpiece Cakeshop wedding cake case stirred intense debate about the mission and composition of Colorado's civil rights commission during the 2018 legislative session. Its seven members are appointed by the governor. +Lawmakers added a business representative to the commission and, among other things, moved to ensure that no political party has an advantage on the panel \ No newline at end of file diff --git a/input/test/Test4469.txt b/input/test/Test4469.txt new file mode 100644 index 0000000..43d6a82 --- /dev/null +++ b/input/test/Test4469.txt @@ -0,0 +1,18 @@ +Home » Social Media News » Facebook begins to shift… Facebook begins to shift from being a free and open platform into a responsible public utility 6:20 am 08/17/2018 06:20am Share +(The Conversation is an independent and nonprofit source of news, analysis and commentary from academic experts.) +Anjana Susarla, Michigan State University +(THE CONVERSATION) When Facebook recently removed several accounts for trying to influence the 2018 midterm elections, it was the company's latest move acknowledging the key challenge facing the social media giant: It is both an open platform for free expression of diverse viewpoints and a public utility on which huge numbers of people – and democracy itself – rely for accurate information. +Under pressure from the public and lawmakers alike since 2016, Facebook responded in early 2018 by making significant changes to the algorithms it uses to deliver posts and shared items to users. The changes were intended to show more status updates from friends and family – sparking "meaningful interactions" – and fewer viral videos and news articles that don't get people talking to each other. As a result, users have spent far less time on the site, and the company's stock-market valuehas dropped. +Yet the problem remains: The very features of social media that encourage participation and citizen engagement also make them vulnerable to hate speech, fake news and interference in the democratic process. This inherent contradiction is what the company must resolve as it shifts from being just one startup company in a crowded marketplace of big-data businesses to a public information utility with monopoly power and broad social influence. +No longer a platform +Facebook continues to struggle with the intersection or convergence of three related developments over the past few years. My own research describes the first, the rise of social media networks designed for constant interaction and engagement with users. That enabled the second, getting rid of gatekeepers for news and information: Now anyone can post or share information, whether it's true or not. And in the third development, these systems have given companies huge amounts of detailed personal information about their users, enabling them to display information – and paid advertisements – matched to an individual's likes, political and religious views, hobbies, marital status, drug use and sexual orientation. +The company's founder and CEO, Mark Zuckerberg, is most comfortable describing his creation in terms often used for technology firms, with words like like "connections" and phrases like "bring people closer together." And the company is still structured as a regular corporation, responsible only for maximizing value for shareholders. +That mindset avoids the fact that Facebook wields societal power on an unprecedented scale. The company's decisions about what behaviors, words and accounts it will allow govern billions of private interactions, shape public opinion and affect people's confidence in democratic institutions. +Facebook used to be about extracting profit from data about its users. Now the company is starting to realize it needs its users' trust even more than their information. +Becoming a utility +What the public expects from a technology company is substantially different from what people expect in, say, a water company or the landline telephone company. Utility companies need to be accountable to the public, offering transparency about their operations, providing accountability when things go wrong, allowing verification of their claims and obedience to regulations meant to protect the public interest. +I expect Facebook will face increasing pressure from politicians, government communications regulators, researchers and social commentators to go beyond filtering out fake news. Soon, the company will be asked to acknowledge what its actual role in democracy has become. +Technological advances mean what used to be extra services – like internet access and social media – are now necessary parts of modern life. Internet service providers are facing similar transitions, as the net neutrality policy debate lays ground rules for the future of an open internet. +Facebook has already signaled its understanding of that pressure – and not only with the algorithm changes and the shutdown of the fake accounts leading up to the midterm elections. In a recent court filing in California, Facebook claimed it was a publisher of information, protected by the First Amendment against possible government regulation. +It's true that overregulation does run the risk of censorship and limiting free expression. But the dangers of too little regulation are already clear, in the toxic hate, fake news and intentionally misleading propaganda proliferating online and poisoning democracy. In my view, taking no action is no longer an option. +This article was originally published on The Conversation. Read the original article here: http://theconversation.com/facebook-begins-to-shift-from-being-a-free-and-open-platform-into-a-responsible-public-utility-101577 \ No newline at end of file diff --git a/input/test/Test447.txt b/input/test/Test447.txt new file mode 100644 index 0000000..db1c489 --- /dev/null +++ b/input/test/Test447.txt @@ -0,0 +1,9 @@ +Doc and Woody Invitational Entry #9 Final 01:04 August 17, 2018 If you bet Doc would get closest using Randalls ancient wedge then you're one step closer to earning an invite to the Marshes August 17th. Join The ROCK Empire +Listen live on your mobile device anytime and anywhere Join In Terms of Service Create a new password +We've sent an email with instructions to create a new password. Your existing password has not been changed. We'll send you a link to create a new password. {* #forgotPasswordForm *} {* #legalAcceptancePostLoginForm_radio *} {* name *} {* email *} {* postalCode *} {* gender *} {* birthdate_required *} Subscribe to 106.1 CHEZ newsletters 106.1 CHEZ Rock News Weekly updates on contests, events, and special deals or information. Promotions Send me promotions, surveys and info from 106.1 CHEZ and other Rogers brands. It's Your Birthday! Send me a special email on my birthday. From Our Partners Send me alerts, event notifications and special deals or information from our carefully screened partners that may be of interest to me. +I understand that I can withdraw my consent at any time Loading newsletters By clicking Confirm Account, I agree to the terms of service and privacy policy of Rogers Media. {* backButton *} {* legalAcceptanceAcceptButton *} for signing up! Updating your profile data... +You have activated your account, please feel free to browse our exclusive contests, videos and content. +You have activated your account, please feel free to browse our exclusive contests, videos and content. +An error has occurred while trying to update your details. Please contact us . Please confirm the information below before signing up. {* #socialRegistrationForm_radio_2 *} {* socialRegistration_firstName *} {* socialRegistration_lastName *} {* socialRegistration_emailAddress *} {* socialRegistration_displayName *} {* socialRegistration_postalCode *} {* socialRegistration_gender *} {* socialRegistration_birthdate_required *} Subscribe to 106.1 CHEZ newsletters 106.1 CHEZ Rock News Weekly updates on contests, events, and special deals or information. Promotions Send me promotions, surveys and info from 106.1 CHEZ and other Rogers brands. It's Your Birthday! Send me a special email on my birthday. From Our Partners Send me alerts, event notifications and special deals or information from our carefully screened partners that may be of interest to me. +I understand that I can withdraw my consent at any time By checking this box, I agree to the terms of service and privacy policy of Rogers Media. {* backButton *} Sign in to complete account merge {* #tradAuthenticateMergeForm *} Please confirm the information below before signing up. {* #registrationForm_radio_2 *} {* traditionalRegistration_firstName *} {* traditionalRegistration_lastName *} {* traditionalRegistration_emailAddress *} {* traditionalRegistration_displayName *} {* traditionalRegistration_password *} {* traditionalRegistration_passwordConfirm *} {* traditionalRegistration_postalCode *} {* traditionalRegistration_gender *} {* traditionalRegistration_birthdate_required *} Subscribe to 106.1 CHEZ newsletters 106.1 CHEZ Rock News Weekly updates on contests, events, and special deals or information. Promotions Send me promotions, surveys and info from 106.1 CHEZ and other Rogers brands. It's Your Birthday! Send me a special email on my birthday. From Our Partners Send me alerts, event notifications and special deals or information from our carefully screened partners that may be of interest to me. +I understand that I can withdraw my consent at any time By checking this box, I agree to the terms of service and privacy policy of Rogers Media. {* backButton *} {* createAccountButton *} Your Verification Email Has Been Sent Check your email for a link to reset your password. Sign in Create a new password We've sent an email with instructions to create a new password. Your existing password has not been changed \ No newline at end of file diff --git a/input/test/Test4470.txt b/input/test/Test4470.txt new file mode 100644 index 0000000..df62c1a --- /dev/null +++ b/input/test/Test4470.txt @@ -0,0 +1,4 @@ +16. August 2018 - 15:18 +Netflix has a lot of great stuff available, but looking for something to watch can be overwhelming. This Netflix master list has every category code sorted by genre, making it easier to find what you want to see. +The Netflix ID Bible lets you browse by popular genres and genres that may not be available on the home page. The site maintains an updated list of all the Netflix category codes, sorted by genre. Each genre has subcategories with numerical codes. Here's how it works: Get the URL from the Netflix search page: http://www.netflix.com/browse/genre/INSERTNUMBER Replace INSERTNUMBER with the specific category code you want to view. +There are over 100 genres on the list, culled from the most active and most requested categories. This is a partial list (there are over 30,000 codes), and not all codes work in all regions. A more complete list can be found at this site \ No newline at end of file diff --git a/input/test/Test4471.txt b/input/test/Test4471.txt new file mode 100644 index 0000000..3ca0c9b --- /dev/null +++ b/input/test/Test4471.txt @@ -0,0 +1,12 @@ +by 2015-2023 World Industrial Pails & Drums Market Research Report by Product Type, End-User (Application) and Regions (Countries) +The comprehensive analysis of Global Industrial Pails & Drums Market along with the market elements such as market drivers, market trends, challenges and restraints. The various factors which will help the buyer in studying the Industrial Pails & Drums market on competitive landscape analysis of prime manufacturers, trends, opportunities, marketing strategies analysis, Market Effect Factor Analysis and Consumer Needs by major regions, types, applications in Global market considering the past, present and future state of the industry.In addition, this report consists of the in-depth study of potential opportunities available in the market on a global level. +The report begins with a market overview and moves on to cover the growth prospects of the Industrial Pails & Drums market. The current environment of the global Industrial Pails & Drums industry and the key trends shaping the market are presented in the report. Insightful predictions for the coming few years have also been included in the report. These predictions feature important inputs from leading industry experts and take into account every statistical detail regarding the Industrial Pails & Drums market. The market is growing at a very rapid face and with rise in technological innovation, competition and M&A activities in the industry many local and regional vendors are offering specific application products for varied end-users. +Request for free sample report @ https://www.indexmarketsresearch.com/report/2015-2023-world-industrial-pails-drums-market/16199/#requestforsample +The statistical surveying report comprises of a meticulous study of the Industrial Pails & Drums Market along with the industry trends, size, share, growth drivers, challenges, competitive analysis, and revenue. The report also includes an analysis on the overall market competition as well as the product portfolio of major players functioning in the market. To understand the competitive scenario of the market, an analysis of the Porter's Five Forces model has also been included for the market.This market research is conducted leveraging the data sourced from the primary and secondary research team of industry professionals as well as the in-house databases. Research analysts and consultants cooperate with the key organizations of the concerned domain to verify every value of data exists in this report. +Industrial Pails & Drums industry report contains proven by regions, especially Asia-Pacific, North America, Europe, South America, Middle East & Africa, focusing top manufacturers in global market, with Production, price, revenue and market share for each manufacturer, covering following top players: Qorpak, Orora, SCHUTZ, Grief Inc., Mauser Group B.V., Balmer Lawrie & Co. Ltd., Industrial Container Services, Delta Containers Direct Limited, FDL Packaging Group, Fibrestar Drums Ltd +Split By Product Type, With Production, Income, Value, Market Share, And Development Rate Of Each Kind Can Be Partitioned Into: High Density Polyethylene (HDPE), Low Density Polyethylene (LDPE), Polypropylene (PP), Metal, Others. +Split By Application, This Report Centers Around Utilization, Market Share And Development Rate In Every Application, Can Be Categorized Into: Chemicals, Pharmaceuticals, Food and Beverages, Petroleum & Petrochemicals, Lubricants, Others. +Key Reasons to Purchase: 1) To gain insightful analyses of the market and have comprehensive understanding of the Industrial Pails & Drums Market and its commercial landscape. 2) Assess the Industrial Pails & Drums Market production processes, major issues, and solutions to mitigate the development risk. 3) To understand the most affecting driving and restraining forces in the Industrial Pails & Drums Market and its impact in the global market. 4) Learn about the market strategies that are being adopted by leading respective organizations. 5) To understand the outlook and prospects for Industrial Pails & Drums Market. +Get 25% Discount Click here @ https://www.indexmarketsresearch.com/report/2015-2023-world-industrial-pails-drums-market/16199/#inquiry +Topics such as sales and sales revenue overview, production market share by product type, capacity and production overview, import, export, and consumption are covered under the development trend section of the Industrial Pails & Drums market report.Lastly, the feasibility analysis of new project investment is done in the report, which consist of a detailed SWOT analysis of the Industrial Pails & Drums market. +Get Customized report please contact \ No newline at end of file diff --git a/input/test/Test4472.txt b/input/test/Test4472.txt new file mode 100644 index 0000000..ce735bd --- /dev/null +++ b/input/test/Test4472.txt @@ -0,0 +1,7 @@ +Tweet +Zacks Investment Research upgraded shares of CARREFOUR SA/S (OTCMKTS:CRRFY) from a sell rating to a hold rating in a research report sent to investors on Tuesday. +According to Zacks, "Carrefour S.A. operates hypermarkets, supermarkets, convenience stores and cash and carry stores in Europe, the Americas and Asia. Carrefour S.A. is headquartered in Boulogne-Billancourt, France. " Get CARREFOUR SA/S alerts: +Shares of CRRFY opened at $3.48 on Tuesday. The company has a market capitalization of $13.22 billion, a price-to-earnings ratio of 15.13, a PEG ratio of 2.63 and a beta of 1.12. CARREFOUR SA/S has a twelve month low of $2.99 and a twelve month high of $4.93. The company has a debt-to-equity ratio of 0.53, a current ratio of 0.82 and a quick ratio of 0.53. About CARREFOUR SA/S +Carrefour SA operates stores in various formats and channels in France, Spain, Italy, Belgium, Poland, Romania, Brazil, Argentina, China, and Taiwan. The company operates hypermarkets, supermarkets, convenience stores, cash and carry stores, and hypercash stores; e-commerce sites and m-commerce channels; and service stations. +Get a free copy of the Zacks research report on CARREFOUR SA/S (CRRFY) +For more information about research offerings from Zacks Investment Research, visit Zacks.com Receive News & Ratings for CARREFOUR SA/S Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for CARREFOUR SA/S and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4473.txt b/input/test/Test4473.txt new file mode 100644 index 0000000..ffdcc8b --- /dev/null +++ b/input/test/Test4473.txt @@ -0,0 +1,8 @@ +| 17th August 2018 "This is a fantastic opportunity for hard-working families - many who have rented their homes from housing associations for years - to be able to own them outright " +The Midlands Voluntary Right to Buy Pilot has launched to help up to 1.3 million tenants in the Midlands buy their own homes. +The £200 million pilot gives individuals and families who have been living in the property for more than three years large discounts of up 50% on price of their home. +Nearly 20 housing associations in areas including Birmingham, Nottingham, Leicester and Stafford have already signed up to the voluntary scheme, which follows an earlier pilot of five associations in 2016. The government has said that any properties bought under the scheme will be replaced like-for-like. +Those who meet the government's eligibility criteria will be entitled to a Right to Buy discount. Tenants living in houses will get a 35% discount (50% discount for flats) on the price of the property, if they have been a public sector tenant for three years. After five years the discount increases by 1% for every year up to a maximum of 70% or £80,900, whichever is lower. +Pete Ball, personal finance CEO at the specialist lender Together, said: "This is a fantastic opportunity for hard-working families - many who have rented their homes from housing associations for years - to be able to own them outright for the first time. +"We can help by providing right to buy mortgages for those who are often underserved by mainstream banks and building societies. For example, borrowers may be self-employed or reaching retirement; they may want to buy a house made of concrete or a flat more than six floors up and could struggle to get a mortgage in such situations. +"Home ownership plays a vital role in social mobility, and the financial security needed for people to build a future. We're excited to be helping housing association tenants do this under the voluntary Right to Buy scheme to give them the opportunity to realise their dreams. \ No newline at end of file diff --git a/input/test/Test4474.txt b/input/test/Test4474.txt new file mode 100644 index 0000000..4bd8d4e --- /dev/null +++ b/input/test/Test4474.txt @@ -0,0 +1,4 @@ +I love Amul ice cream 4 hrs 55 mins ago 31 Views (via Android App ) +Flavor: +Packaging: +My every time liking ice cream I give to first place cone amul cone is sup r I love butter skotch cone ice cream 2nd kulfi is wonderfull test is hummmm very yummy 3one chocho bar I cont explan that test I never forget amul ice cream test when I lek cone first I feeling very very happy and I dont share ice cream to others why means its test is very very sweet friends you also test ones you also never share to othere and never forget amul cone ice cream and kulfi test i'm not jocking you can tast ones \ No newline at end of file diff --git a/input/test/Test4475.txt b/input/test/Test4475.txt new file mode 100644 index 0000000..b87a621 --- /dev/null +++ b/input/test/Test4475.txt @@ -0,0 +1,9 @@ +Tweet +Boston Partners boosted its stake in Abbott Laboratories (NYSE:ABT) by 9.2% in the second quarter, according to its most recent Form 13F filing with the Securities & Exchange Commission. The firm owned 2,542,151 shares of the healthcare product maker's stock after purchasing an additional 213,732 shares during the period. Boston Partners owned about 0.15% of Abbott Laboratories worth $155,046,000 at the end of the most recent reporting period. +A number of other hedge funds and other institutional investors also recently bought and sold shares of ABT. BlackRock Inc. increased its holdings in Abbott Laboratories by 1.6% in the first quarter. BlackRock Inc. now owns 111,996,583 shares of the healthcare product maker's stock valued at $6,710,836,000 after purchasing an additional 1,795,199 shares during the period. Swedbank acquired a new stake in Abbott Laboratories during the 2nd quarter worth about $101,535,000. Montag & Caldwell LLC acquired a new stake in Abbott Laboratories during the 1st quarter worth about $97,503,000. Ceredex Value Advisors LLC acquired a new stake in Abbott Laboratories during the 1st quarter worth about $97,236,000. Finally, Cornerstone Wealth Management LLC grew its holdings in Abbott Laboratories by 6,017.4% during the 2nd quarter. Cornerstone Wealth Management LLC now owns 960,183 shares of the healthcare product maker's stock worth $15,739,000 after acquiring an additional 944,487 shares during the period. Institutional investors and hedge funds own 71.80% of the company's stock. Get Abbott Laboratories alerts: +Shares of ABT opened at $64.16 on Friday. The company has a debt-to-equity ratio of 0.64, a current ratio of 1.58 and a quick ratio of 1.16. The stock has a market capitalization of $112.33 billion, a PE ratio of 25.66, a PEG ratio of 1.79 and a beta of 1.53. Abbott Laboratories has a one year low of $48.58 and a one year high of $65.90. Abbott Laboratories (NYSE:ABT) last issued its earnings results on Wednesday, July 18th. The healthcare product maker reported $0.73 EPS for the quarter, beating the Thomson Reuters' consensus estimate of $0.71 by $0.02. The company had revenue of $7.77 billion during the quarter, compared to the consensus estimate of $7.71 billion. Abbott Laboratories had a return on equity of 15.30% and a net margin of 3.13%. The firm's revenue for the quarter was up 17.0% compared to the same quarter last year. During the same period last year, the business posted $0.62 EPS. sell-side analysts forecast that Abbott Laboratories will post 2.88 earnings per share for the current fiscal year. +The company also recently announced a quarterly dividend, which was paid on Wednesday, August 15th. Stockholders of record on Friday, July 13th were paid a $0.28 dividend. The ex-dividend date was Thursday, July 12th. This represents a $1.12 annualized dividend and a dividend yield of 1.75%. Abbott Laboratories's dividend payout ratio is presently 44.80%. +A number of analysts have weighed in on the company. Zacks Investment Research downgraded Abbott Laboratories from a "buy" rating to a "hold" rating in a report on Tuesday, July 31st. Citigroup decreased their price target on Abbott Laboratories from $66.00 to $65.00 and set a "neutral" rating for the company in a report on Tuesday, April 24th. Sanford C. Bernstein assumed coverage on Abbott Laboratories in a report on Wednesday, June 27th. They set an "outperform" rating and a $73.00 price target for the company. BTIG Research reiterated a "hold" rating on shares of Abbott Laboratories in a report on Sunday, April 22nd. Finally, Royal Bank of Canada reiterated a "buy" rating and set a $70.00 price target on shares of Abbott Laboratories in a report on Thursday, July 19th. Four analysts have rated the stock with a hold rating and sixteen have issued a buy rating to the company. The stock has a consensus rating of "Buy" and an average price target of $69.88. +In other news, insider Michael J. Pederson sold 1,050 shares of the firm's stock in a transaction dated Tuesday, July 24th. The stock was sold at an average price of $63.43, for a total value of $66,601.50. Following the completion of the sale, the insider now directly owns 79,467 shares in the company, valued at approximately $5,040,591.81. The sale was disclosed in a document filed with the SEC, which is accessible through this link . Also, EVP Brian J. Blaser sold 15,100 shares of the firm's stock in a transaction dated Tuesday, July 24th. The shares were sold at an average price of $63.96, for a total value of $965,796.00. Following the completion of the sale, the executive vice president now owns 151,718 shares of the company's stock, valued at $9,703,883.28. The disclosure for this sale can be found here . Over the last 90 days, insiders sold 17,024 shares of company stock valued at $1,088,840. 0.74% of the stock is currently owned by company insiders. +Abbott Laboratories Profile +Abbott Laboratories discovers, develops, manufactures, and sells health care products worldwide. The company's Established Pharmaceutical Products segment offers branded generic pharmaceuticals for the treatment of pancreatic exocrine insufficiency; irritable bowel syndrome or biliary spasm; intrahepatic cholestasis or depressive symptoms; gynecological disorders; hormone replacement therapy; dyslipidemia; hypertension; hypothyroidism; Ménière's disease and vestibular vertigo; pain, fever, and inflammation; migraines; and anti-infective clarithromycin, as well as provides influenza vaccine and products that regulate physiological rhythm of the colon \ No newline at end of file diff --git a/input/test/Test4476.txt b/input/test/Test4476.txt new file mode 100644 index 0000000..54b79bd --- /dev/null +++ b/input/test/Test4476.txt @@ -0,0 +1,20 @@ +Port Macquarie trainer Marc Quinn doesn't think the step up to 2000m will pose any problem when his in-form gelding Cogliere lines up in Sunday's $80,000 Stacks Law Firm Taree Cup. +Cogliere, winner of the South Grafton Cup (1610m) two starts back on July 8 before his latest 1.5 length third behind Glitra and Curragh in the Coffs Harbour Cup (1600m) on August 2, is yet to win beyond 'the mile'. +His two previous runs over longer trips in November last year resulted in an eighth to Carzoff over 1800m at Rosehill and another eighth to Miss Dubois in the $200,000 Country Classic over 2000m, also at Rosehill. Cogliere was beaten just over four lengths on both occasions. But Quinn doesn't think those performances are a true guide to his ability to handle a middle-distance test. +"I had originally planned to set him for the Port Macquarie Cup last year but when they announced that TAB Anniversary Highway to be run at Randwick over 1400m in October on the same day as The Everest, the $200,000 prizemoney for country gallopers was too good to ignore so I kept him to the shorter trips and aimed him for that," said Quinn. +Cogliere subsequently ran seventh to After All That in the Anniversary Highway on October 14, the day Redzel won the inaugural running of the $10m The Everest. +Cogliere winning the 2017 MNCR Country Championships Qualifier at Taree. Credit: Ashley Images. +"After the Anniversary race he stepped up in distance so he didn't really have the best prep going into that Country Classic over the 2000m last November. And he's certainly a much better horse this prep." +Quinn admits Cogliere's barrier 13 in the Sunday's race is not ideal but believes if the pace is on and jockey Matt McGuren can get some cover, the gelding will be competitive. +"The draw is what it is - I'll leave that up to Matt - but I'm confident he'll run the mile and a quarter (2000m). Hopefully he can settle midfield with cover with the speed on and with any luck he should be right in the finish," he said. +The form around Cogliere's recent performances is certainly very strong. Five starts back he beat recent Randwick winner Bergerac over 1600m at the Sunshine Coast. He then beat Brazen and subsequent winner American Diva in the South Grafton Cup and the form out of the Coffs Harbour Cup looks particularly strong with Glitra then coming out to win in Brisbane last Saturday. +"The form out the Coffs Harbour Cup looks terrific," Quinn said. "Cogliere had to give Glitra 3kg at Coffs Harbour and the runner-up Curragh was coming off a Sydney win and has always been a horse who's shown ability." +Quinn is hoping Cogliere can repeat the performance he produced at his only previous appearance at Taree back on February 26, 2017 when he powered home from back in the field to win the $100,000 MNC Country Championship Qualifier (1400m). +"That was one of his best performances," he said "He's always shown ability and has now matured into a really nice horse who I think, over the next 12 months, can win some good races. Hopefully that starts on Sunday with a Taree Cup win." +All being well after Sunday's assignment, Quinn will give Cogliere a freshen up and prepare him for his hometown $150,000 Port Macquaire Cup (2000m) on October 5. +Wyong trainer Damien Lane and jockey Travis Wolfgram are searching for back-to-back Taree Cup wins with All But Gone, a last-start eye-catching fourth at big odds in Glitra's Coffs Harbour Cup. +Lane and Wolfgram combined last year to pull off a shock win with Pirate Ben, a $31 outsider in the race. +Sunday's eight-race Showcase Taree meeting also features the running of the $35,000 Mid Coast Automotive The Manning Lightning (1000m) and sees the return to NSW of veteran Coffs Harbour sprinter Plateau Gold. +Nine-year-old Plateau Gold is back with his Coffs Harbour trainer Jim Jarvis after a 10-month stint in Victoria with the Quinton Scott stable. He showed two starts ago that he still had plenty of zest for racing with a win over 1000m at Geelong. +Plateau Gold, topweight with 58.5kg after apprentice Lexi McPherson's 3kg claim, chases the 13th win of his career in Sunday's sprint, a race he won in 2016. He also finished fourth behind Arise Augustus in last year's event, carrying 62kg and jumping from a wide gate. He has drawn ideally in gate two this time around. +View the fields and form (include race replays) for Sunday's Taree Cup meeting here \ No newline at end of file diff --git a/input/test/Test4477.txt b/input/test/Test4477.txt new file mode 100644 index 0000000..88ba4fa --- /dev/null +++ b/input/test/Test4477.txt @@ -0,0 +1,10 @@ +Gold prices traded slightly higher on Friday More Investing.com – Gold prices traded slightly higher on Friday while the U.S. dollar dropped after White House economic advisor Larry Kudlow confirmed that Chinese and U.S. officials will meet later in August to resume trade talks. +Gold Futures for December delivery rose 0.03% to $1,184.2 per troy ounce at 12:08AM ET (04:08 GMT) on the Comex division of the New York Mercantile Exchange, while the U.S. dollar index that tracks the greenback against six currencies slid by 0.03% to 96.45. +"The 'risk on' mood generated by news of the U.S.-China trade talks is weighing on the dollar, while prompting some buy backs of the euro, which has been hit earlier this week by Turkish concerns," said Shin Kadota, senior strategist at Barclays (LON:BARC). +"Next week, the main focus will likely shift to U.S.-China trade issues from Turkey with the Chinese delegation visiting Washington and as $16 billion in new tariffs on Chinese good are due to take effect," he added. +Meanwhile, the lira crisis also eased somewhat as Berat Albayrak, Turkey's finance minister, described the current situation as a "market anomaly" and that he is confident Turkey would emerge stronger from the crisis. +However, some analysts remained concerned despite the minister's speech. "Albayrak's plan to stabilize Turkey's economy invites skepticism. Fiscal policy to do heavy lifting via cuts. Little to say on interest rates. Thus Edogan's dotty views on rate rises/inflation still prevail," said Robert Ward of the Economist Intelligence Unit. + +Oil Prices Slip Despite Signs of Easing Tensions Between U.S., China +Oil prices slip amid fears over global economic growth +Trump Says Farmers Are Starting to Do Well. The Data Says Otherwis \ No newline at end of file diff --git a/input/test/Test4478.txt b/input/test/Test4478.txt new file mode 100644 index 0000000..62de7b7 --- /dev/null +++ b/input/test/Test4478.txt @@ -0,0 +1,10 @@ +Tweet +CIBC Private Wealth Group LLC decreased its stake in Planet Fitness Inc (NYSE:PLNT) by 7.9% during the 2nd quarter, HoldingsChannel.com reports. The institutional investor owned 28,540 shares of the company's stock after selling 2,450 shares during the period. CIBC Private Wealth Group LLC's holdings in Planet Fitness were worth $1,254,000 at the end of the most recent quarter. +A number of other large investors also recently added to or reduced their stakes in PLNT. Renaissance Technologies LLC acquired a new stake in shares of Planet Fitness during the fourth quarter worth about $4,298,000. Guggenheim Capital LLC acquired a new stake in shares of Planet Fitness during the fourth quarter worth about $239,000. Algert Global LLC acquired a new stake in shares of Planet Fitness during the first quarter worth about $235,000. SG Americas Securities LLC raised its position in shares of Planet Fitness by 138.7% during the first quarter. SG Americas Securities LLC now owns 7,871 shares of the company's stock worth $297,000 after purchasing an additional 4,574 shares during the period. Finally, Trexquant Investment LP acquired a new stake in shares of Planet Fitness during the first quarter worth about $1,396,000. 92.67% of the stock is currently owned by hedge funds and other institutional investors. Get Planet Fitness alerts: +In related news, CEO Christopher Rondeau sold 100,000 shares of Planet Fitness stock in a transaction that occurred on Wednesday, June 6th. The stock was sold at an average price of $43.38, for a total value of $4,338,000.00. The sale was disclosed in a document filed with the SEC, which is available at this link . In the last three months, insiders sold 520,660 shares of company stock worth $24,378,891. 16.38% of the stock is owned by insiders. A number of equities research analysts have recently commented on the company. Wedbush raised their price target on Planet Fitness from $35.00 to $48.00 and gave the stock a "neutral" rating in a research report on Friday, August 10th. TheStreet raised Planet Fitness from a "c-" rating to a "b" rating in a research report on Monday, August 6th. ValuEngine raised Planet Fitness from a "hold" rating to a "buy" rating in a research report on Wednesday, May 2nd. DA Davidson raised their price target on Planet Fitness to $56.00 and gave the stock a "buy" rating in a research report on Monday, July 23rd. Finally, Cowen raised their price target on Planet Fitness from $45.00 to $50.00 and gave the stock an "outperform" rating in a research report on Monday, June 11th. Five investment analysts have rated the stock with a hold rating, eight have given a buy rating and one has issued a strong buy rating to the company. The stock currently has an average rating of "Buy" and a consensus price target of $49.58. +NYSE PLNT opened at $51.61 on Friday. The stock has a market cap of $5.11 billion, a PE ratio of 61.44, a price-to-earnings-growth ratio of 2.34 and a beta of 0.52. The company has a current ratio of 2.08, a quick ratio of 2.05 and a debt-to-equity ratio of -7.61. Planet Fitness Inc has a one year low of $23.49 and a one year high of $53.41. +Planet Fitness (NYSE:PLNT) last announced its earnings results on Thursday, August 9th. The company reported $0.34 earnings per share (EPS) for the quarter, beating the Zacks' consensus estimate of $0.31 by $0.03. Planet Fitness had a negative return on equity of 82.89% and a net margin of 11.68%. The business had revenue of $140.55 million for the quarter, compared to analyst estimates of $130.99 million. During the same quarter last year, the firm earned $0.22 EPS. Planet Fitness's revenue for the quarter was up 31.0% compared to the same quarter last year. research analysts anticipate that Planet Fitness Inc will post 1.12 earnings per share for the current fiscal year. +Planet Fitness Profile +Planet Fitness, Inc, together with its subsidiaries, franchises and operates fitness centers under the Planet Fitness name. It operates through three segments: Franchise, Corporate-Owned Stores, and Equipment. The Franchise segment is involved in franchising business in the United States, Puerto Rico, Canada, the Dominican Republic, and Panama. +Read More: Growth Stocks, What They Are, What They Are Not +Want to see what other hedge funds are holding PLNT? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Planet Fitness Inc (NYSE:PLNT). Receive News & Ratings for Planet Fitness Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Planet Fitness and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4479.txt b/input/test/Test4479.txt new file mode 100644 index 0000000..00617c5 --- /dev/null +++ b/input/test/Test4479.txt @@ -0,0 +1,6 @@ +Turkish finance ministry says credit channels to remain open Reuters Staff +1 Min Read +ANKARA, Aug 17 (Reuters) - Turkey's finance ministry said on Friday that credit channels would remain open and that it would take measures to relieve banks and the real sector, after the Turkish lira currency crashed to a record low against the dollar earlier this week. +The lira hit a record low of 7.24 against the U.S. dollar over concerns about President Tayyip Erdogan's grip on monetary policy and an ongoing row with the United States. Finance Minister Berat Albayrak told investors on Thursday that Turkey would emerge stronger from the crisis, which Ankara has cast as an economic war. +In a statement, the ministry also said it would provide flexibility on maturities and pricing to endure cash flow for companies, while taking additional measures to avoid obstacles against borrowing for companies. (Reporting by Orhan Coskun Writing by Tuvan Gumrukcu Editing by Ece Toksabay) +Our Standards: The Thomson Reuters Trust Principles \ No newline at end of file diff --git a/input/test/Test448.txt b/input/test/Test448.txt new file mode 100644 index 0000000..fa80ac7 --- /dev/null +++ b/input/test/Test448.txt @@ -0,0 +1 @@ +No posts were found Merger & Acquisition Services Inc is the Best Specialist Advisory and Financial Services Firm to Work with August 17 Share it With Friends 1 (212) 750-0630 Merger & Acquisition Services, Inc. is a unique Corporate Finance Advisory staffed by a team of corporate finance experts with extensive experience in the financial field Merger & Acquisition Services, Inc. is essentially concerned with boosting shareholder value through long-term and short-term financial planning and the implementation of various strategies. Everything from capital investment decisions to investment banking, Merger & Acquisition Services, Inc. aims at providing expert financial advice to help transform your business. Merger & Acquisition Services, Inc. is made up of an insurance investment banking team that specializes in insurance-related investment banking transactions, including clients in property, casualty, life and health. They join extensive industry-specific expertise with investment banking best-practices to ensure their clients receive the support and assistance they desire through a complex and innovative process. As insurers seek to secure profitable growth, mergers and acquisitions are an increasingly important element of the overall strategy. MGU insurance agencies offers both buyers and sellers a solution which is designed to cover breaches in representations and warranties that are provided by sellers in the process of the transaction. This form of insurance has the potential to significantly reduce both parties' inherent risk in completing a transaction, as well as help minimize the time needed to reach an agreement and close the deal. Merger & Acquisition Services, Inc. works on insurance mergers and acquisitions, providing industry specific expertise to the transaction process including a deep understanding of risk-based capital, ratings agency impacts and statutory accounting rules and regulations. They deliver desirable results in insurance mergers and acquisitions which is a combination of deep industry-specific knowledge, the appropriate network of buyers and proper timing. Merger & Acquisition Services, Inc. assists their insurance clients across the corporate finance advisory spectrum by providing merger, acquisition, restructuring, agency insurance financing and general financial advisory assistance to insurance firms in the middle market. Their use of technical and transactional expertise across the insurance industry provides with the comfort and confidence any client would expect from an expert team of transaction professionals. Merger & Acquisition Services' incredible network of insurance merger and acquisition professionals includes representative individuals from nearly every possible background and industry. Their in depth industry knowledge of each of the various sectors they represent facilitates hassle-free insurance merger and acquisitions. The long-term growth and effectiveness realized through effective insurance mergers and acquisitions is often compelling. To ensure strategic success in such transactions, the corporate finance advisory team at Merger & Acquisition Services, Inc. is fully able to address the risks and opportunities of each transaction, whatever industry may be represented. They combine a relentless focus on the numbers with a comprehensive view of market economics and finesse to ensure clients maximize their business potential. Media Contac \ No newline at end of file diff --git a/input/test/Test4480.txt b/input/test/Test4480.txt new file mode 100644 index 0000000..db1a2e5 --- /dev/null +++ b/input/test/Test4480.txt @@ -0,0 +1,28 @@ +Private prison corporation CoreCivic facing multiple lawsuits for endangering Tennessee inmates By Keisha Gibbs 17 August 2018 +There are currently three ongoing lawsuits regarding the endangerment of diabetic inmates at the Trousdale Turner Correctional Facility in rural Tennessee. +The facility, located in north central Tennessee approximately an hour north east of Nashville, is owned and operated by the for-profit prison company CoreCivic (formerly Corrections Corporation of America) under a state contract. Since its opening in 2016, the Trousdale prison has been the site of one abuse after another. +In a class-action lawsuit brought against CoreCivic earlier this month, Trousdale inmates say they were denied diabetic medication. One of the prisoners, Douglas Dodson, wrote on a prisoner complaint form, "For the past 2 ½ weeks we have been on lock down, and it has been several evenings that we have not been called to the clinic to get our insulin." +Inmates say around 60 diabetic prisoners are in danger because of inadequate access to diabetic medication. The danger of life-threatening complications is further heightened by what prisoners describe as unhealthy food and erratic meal times. +Understaffing—a byproduct of CoreCivic's focus on locking down the facility and maximizing profits rather than adequately providing such things as healthcare or meals for the inmates—has resulted in inmates waiting for hours before they receive needed insulin shots after meals. +In 2016, a former Trousdale inmate sued over similar circumstances, and a third lawsuit was filed earlier this year after an inmate, Jonathan Salada, died after several days in excruciating pain due to diabetes complications and lack of care. +According to an August 7 report in the Tennessean , "CoreCivic has denied wrongdoing in all three suits and insisted that the plaintiffs in the class-action care are responsible for their own diabetes complications." +Numerous other lawsuits across the state of Tennessee against the company suggest degrading and lethal conditions throughout CoreCivic facilities. +In Davidson County, where the state capital of Nashville is located, officers and employees' families sued CoreCivic over a scabies outbreak. The company failed to address the complaints of employees for months until CoreCivic notified the health department. Employees had to be quarantined. One inmate said she had a rash for about four months and 80 other women in the facility were treated as well. +A former chaplain, who states she was fired after making complaints to staff about prisoners being denied religious services, filed another lawsuit for wrongful and defamation. +A judge in Chattanooga subpoenaed Silverdale Detention Center for five cases of medical abuse occurring over just a few months. Medication was reportedly being withheld. Women's healthcare was neglected, with some women developing infections due to lack of adequate feminine hygiene products. One inmate reported being told, after she was denied the birth control pills she took to stabilize mood swings, "Well, you got yourself in here." +In one particularly harrowing case at the South Central Correctional Facility in Clifton, Tennessee, Christopher Hall cut off his testicles after not receiving medical attention. Hall had to be transported to a hospital Nashville because medics could not control the bleeding. +A state audit also found rampant gang activity at CoreCivic facilities. A former employee told USA Today Network – Tennessee he felt less safe working at Trousdale Turner Correctional Facility than he did during his two decades in the Army, which included a deployment to the Middle East during the first Gulf War. +However, these problems are not isolated to Tennessee. Private prisons all over the country are routinely the sites of prisoner abuse and neglect. In T. Don Hutto Residential Center, a CoreCivic immigration detention center run on behalf of Immigration and Customs Enforcement (ICE) in Taylor, Texas, female inmates reported being continually sexually harassed by a guard. +Inmates at a for-profit facility in San Diego sued CoreCivic for forcing them to clean their own jail for less than a dollar a day. According to the lawsuit, "In some instances, CoreCivic pays detainees $1 dollar per day, and in other instances detainees are not compensated with wages at all, for their labor and services." +Prisoners were ordered to clean the jail, prepare and serve meals, and do laundry, among other many other duties. Jonathan Gomez, one of the plaintiffs, described his work environment as "unsafe." +In addition to understaffing, cutting corners on medical care, and using the slave labor of inmates, CoreCivic maximizes profits by being organized as a Real Estate Investment Trust (REIT). This allows the company to avoid paying taxes at the corporate rate. In 2013, before the company converted to a REIT, it was subject to a 36 percent tax rate. In 2015, the company reported paying an effective tax rate of just 3 percent. +Both CoreCivic and Geo Group reorganized as REITs following a private letter ruling by the Obama administration changing the IRS tax classification. Private prison companies argue renting out cells to the government is the equivalent of charging tenants, therefore, the business is actually a real estate venture. +This past week, protesters blocked the entrance to CoreCivic's corporate headquarters in Nashville, Tennessee. Police dispersed the Occupy-style protest in approximately 9 hours, arresting twenty protesters who were charged with criminal trespassing. +Among the protesters was former CoreCivic employee Ashley Dixon. Dixon worked at Trousdale Turner Correctional Center. This past December, she testified to the Tennessee state legislature about the horrible conditions she witnessed at the prison, including the deaths of two inmates. +"The first death, I missed work for days. I just couldn't go in. I actually attended the prisoner's funeral out of state," she told lawmakers. She repeatedly reported problems to superiors, but nothing changed. +"I was just so wrecked because I don't think he needed to die, and I tried so hard to convince people of that for three days." +She told the Nashville Scene during the protest: "One of them [a prisoner who died] was only 25 years old, and I listened to him scream in pain for three days. I tried to get him help, but the higher-ups just told me, 'He's just faking it, don't worry about it.'" +For-profit prisons like CoreCivic are not a new phenomenon associated with the Trump administration. In 2016, the Obama administration awarded CoreCivic a $1 billion no-bid contract to detain asylum seekers from Central America. +The company has been richly rewarded for its long-term services to the state; the company's reported revenue for the fourth quarter of 2017 alone was $440.6 million. As of 2015, over half of its revenues were generated through contracts with federal prison authorities. +In fact, the profits of private prisons have soared since September 11, 2001. Investors in these companies are aware that the United States represents only 4.4 percent of the world's population but accounts for 22 percent of the world's prisoners, and are keen to turn a profit on these modern-day dungeons. +The author recommends \ No newline at end of file diff --git a/input/test/Test4481.txt b/input/test/Test4481.txt new file mode 100644 index 0000000..86ec60b --- /dev/null +++ b/input/test/Test4481.txt @@ -0,0 +1,11 @@ +Tweet +Wall Street brokerages expect that Krystal Biotech Inc (NASDAQ:KRYS) will report earnings of ($0.31) per share for the current quarter, Zacks Investment Research reports. Zero analysts have issued estimates for Krystal Biotech's earnings. Krystal Biotech reported earnings of ($1.26) per share during the same quarter last year, which would suggest a positive year-over-year growth rate of 75.4%. The company is expected to report its next quarterly earnings results on Monday, November 12th. +According to Zacks, analysts expect that Krystal Biotech will report full-year earnings of ($1.04) per share for the current year, with EPS estimates ranging from ($1.13) to ($0.92). For the next financial year, analysts anticipate that the company will post earnings of ($1.52) per share, with EPS estimates ranging from ($1.75) to ($1.26). Zacks Investment Research's earnings per share averages are an average based on a survey of analysts that that provide coverage for Krystal Biotech. Get Krystal Biotech alerts: +Krystal Biotech (NASDAQ:KRYS) last announced its quarterly earnings data on Monday, August 6th. The company reported ($0.22) EPS for the quarter, topping the consensus estimate of ($0.34) by $0.12. Several analysts have commented on the stock. Zacks Investment Research raised shares of Krystal Biotech from a "hold" rating to a "buy" rating and set a $18.00 price objective on the stock in a research report on Saturday, August 11th. Chardan Capital reaffirmed a "buy" rating and issued a $35.00 price objective on shares of Krystal Biotech in a research report on Monday, August 6th. William Blair started coverage on shares of Krystal Biotech in a research report on Monday, August 6th. They issued a "buy" rating on the stock. LADENBURG THALM/SH SH set a $38.00 price target on shares of Krystal Biotech and gave the company a "buy" rating in a research report on Thursday, July 19th. Finally, ValuEngine raised shares of Krystal Biotech from a "sell" rating to a "hold" rating in a research report on Wednesday, May 2nd. One equities research analyst has rated the stock with a hold rating and four have issued a buy rating to the stock. The company has an average rating of "Buy" and an average price target of $30.33. +Shares of KRYS stock opened at $15.43 on Tuesday. The stock has a market capitalization of $165.77 million and a price-to-earnings ratio of -10.74. Krystal Biotech has a 52 week low of $8.03 and a 52 week high of $19.25. +In other Krystal Biotech news, COO Suma Krishnan purchased 25,000 shares of the stock in a transaction dated Wednesday, June 6th. The shares were bought at an average price of $11.02 per share, with a total value of $275,500.00. The transaction was disclosed in a legal filing with the Securities & Exchange Commission, which can be accessed through the SEC website . Also, CFO Antony A. Riley purchased 2,800 shares of the stock in a transaction dated Tuesday, May 22nd. The stock was acquired at an average cost of $10.75 per share, for a total transaction of $30,100.00. The disclosure for this purchase can be found here . Insiders own 45.80% of the company's stock. +Hedge funds and other institutional investors have recently bought and sold shares of the company. Acadian Asset Management LLC increased its holdings in Krystal Biotech by 552.2% during the 2nd quarter. Acadian Asset Management LLC now owns 12,202 shares of the company's stock worth $182,000 after acquiring an additional 10,331 shares during the period. BlackRock Inc. increased its holdings in Krystal Biotech by 75.4% during the 2nd quarter. BlackRock Inc. now owns 13,040 shares of the company's stock worth $194,000 after acquiring an additional 5,607 shares during the period. Finally, Millennium Management LLC bought a new stake in Krystal Biotech during the 4th quarter worth approximately $266,000. 29.92% of the stock is currently owned by institutional investors. +About Krystal Biotech +Krystal Biotech, Inc, a gene therapy company, develops and commercializes pharmaceutical products for patients suffering from dermatological diseases in the United States. The company's lead product candidate is KB103, which is in preclinical development to treat dystrophic epidermolysis bullosa, a genetic disease. +Get a free copy of the Zacks research report on Krystal Biotech (KRYS) +For more information about research offerings from Zacks Investment Research, visit Zacks.com Receive News & Ratings for Krystal Biotech Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Krystal Biotech and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4482.txt b/input/test/Test4482.txt new file mode 100644 index 0000000..de236f5 --- /dev/null +++ b/input/test/Test4482.txt @@ -0,0 +1,35 @@ +0 +One could be pardoned for thinking that India, and not England, are leading the five-match Test series 2-0 after witnessing Ravi Shastri's unfounded optimism in the press conference on Thursday. +Even though Shastri's expressions during the second Test summarised the sorry state of the Indian team at Lord's, his customary positive answers in the presser on Thursday painted a different picture of the team atmosphere particularly after Virat Kohli's immediate and honest assessment of the crushing loss. +Despite the contrasting tone of the two press conferences, both the captain and coach shared a similar school of thought: The problems Indian batsmen are facing aren't technical but mental. Indian batsmen have struggled to apply themselves in the five-match Test series so far. AFP +Their assessment of the cause behind India's collective batting failures in consecutive games might be true. But those comments, if you play the devil's advocate, ring a bell or two. +India have never played the same XI in consecutive Tests under Kohli's captaincy. The run of matches where Kohli has made changes to the team is now 37. While a lot of those changes were down to injury or niggle issues during the long home season, Kohli has continued the tradition on overseas tours as well. In fact, when Bhuvneshwar Kumar was dropped for the Centurion Test — after he took 6 wickets and did decently with the bat in the Cape Town Test — a joke circulated on social media that apart from Kohli's place, no one is assured of his spot in the team. If not the joke, but its premise could very well be one of the reasons why this team is underperforming. +Constant chopping and changing create insecurity. No player remains certain of his place. That the talk of this series ending careers of a few players has already begun just after two Tests is enough proof of Indian team's current situation. It is anyone's guess as to how players, who want to book their spot in the XI, will perform under this tremendous pressure. It is not only physically but mentally straining. +A lot of talk from the Indian camp is focused on the mental aspect of the side, but it is rather ironic to see that India neither have a mental conditioning coach nor a sports psychologist travelling with the team. This though has been the team's situation since Gary Kirsten's tenure ended. +Paddy Upton's appointment as India's mental conditioning and strategic leadership coach was a first of the kind in Indian cricket. He was in charge of the team for almost three years till the 2011 World Cup. The stories of how Upton mentally prepared the Indian team to handle the pressure during the successful run in 2011 World Cup are well-documented. Since then though, India haven't officially hired a mental conditioning coach. +"A lot of the mental side of the game relates not just to the game of cricket but it also relates to the culture of the team," Upton told Firstpost in a telephonic conversation. +Upton, while, insisting that without Indian team's insights, it would be difficult to predict the culture of the team admitted, "The better the culture the more secure the players are, the comfortable they are in an environment, the better their mindset would then be. The converse is also true. The more unsettled, under-confident, insecure the players are in an environment adds to the pressure, that's already naturally there in international cricket. There's a saying that culture eats strategy for breakfast in business. It really does apply in sport as well; culture's critically important." he added. +How do players react to the constant changes in the team? +"If it's an agreed upon and explicit strategy the team needs to manage, then a player does understand and does know what's going to happen from one game to next. So as such, the more time there is to strategise the more chance it has of working as compared to a strategy which is imposed on people who have less time to know," Upton said. +A lot of changes in this Indian team have come as a surprise to many experts. Right from dropping Murali Vijay in Windies to swapping Karun Nair, who had scored a triple ton in his previous Test, for Ajinkya Rahane. But probably the most inexplicable one came in January when India's vice-captain Rahane, who incidentally was the team's most successful overseas batsman in the previous cycle, was benched for the first two Tests in South Africa due to his poor form in sub-continent conditions. Rahane duly returned for the final Test and contributed with an important knock in the second innings. File image of Paddy Upton during his time as mental conditioning coach of Indian cricket team. AFP +Shikhar Dhawan's case, like Rahane's, has been slightly difficult to understand. The southpaw has always been backed by the management at the start of an away series but as the end of the tour approaches, he always finds himself warming the bench. The question here is: If a player is good enough to be selected for the first Test of an overseas tour consistently, why can't he be given a longer rope to prove himself? +India are a side that firmly believes in horses for courses policy but these decisions do not seem strategic. In fact, when Kohli was asked who will open ahead of the first Test, he answered 'it all boils down to your gut feel'. So it wouldn't be wrong to assume that Dhawan was selected for Edgbaston and then dropped for Lord's because of the team management's 'gut feeling'. +Upton, as a coach, did face similar situations where players went through a lean patch. But he emphasised that it is necessary to interpret the situation maturely. +"The reality is the players have very highs and lows when it comes to form. It is very natural. Nobody stays in form all the time. So, ups and downs are normal. The better the culture is, the less insecure a player is of his position, the more he understands what's going on, the more chance he has of having less lows. Or his dips in form last for only a shorter period of time. In a worse environment, the more lows players have the longer they stay in it. It's all down the concept of culture." +After India suffered their worst defeat under Kohli's captaincy at Lord's, the Indian skipper talked about how the players need to step up and take responsibility. +For an outsider, it is nothing but a captain's suggestion to his teammates. But Kohli is a captain, who is extremely driven. Facing probably the biggest obstacle of his career in England after a disastrous 2014 tour, Kohli surpassed his 2014 tally of runs in one innings. It is a known fact that there is a big difference in his and the other batsmen's skill level in the squad. +So is it practically possible for batsmen to mentally come to terms with such demands in five days? +"A mindset is something that is very transient. And because it's transient it can change in any moment in time. So five days is enough to change a mindset but the game can't change. One of the things that can help change something positively is a healthy team culture and environment and one of the things that can make it more difficult but not impossible is an unhappy, insecure, unhealthy team environment. So team environment certainly has a deep impact on the players but five days are enough to change it," Upton remarked. +When asked what would he do if he was put in the same shoes, Upton answered, "I would ask questions as to what players are needing. what their concerns are and help them. I would guide the players. Rather ask players questions than imposing their ideas on the players." +Interestingly, this Indian team has had honest conversations after dismal performances and scripted turnarounds in the past. One such instance was in Galle in 2015 which serves as a very good example. India bounced back against Sri Lanka to win the Test series 2-1 after their failure to chase 176 in familiar conditions. Kohli has often spoken of how the talk in Galle's dressing room helped this team recover well but having said that, India are currently in a worse situation. The matches are played in England and not Sri Lanka, where Indian players are more used to the conditions. +If one goes by the captain and coach's remarks, India must be working on the mindset of the players in the last few days. But should a captain or a coach, who have not specialised in mental conditioning be playing that role? +Shouldn't handling the mental aspect of players be a responsibility of experts? +"Well, yes. But you know the coach and the captain have a really significant role to play in the mental game of players. So if there was a mental coach, it would have to be someone who works really closely with the coach and captain. So the success that Gary Kirsten and I had was that I often talked not just with the players but I would talk to the players through Gary and I would ask Gary to take the information to the players. So the critical thing is that there needs to be a strong connection between captain, head coach and a mental (conditioning) person (coach). You can't just get a psychologist from somewhere, throw him into the nets and expect them to help on a one-on-one conversation," Upton said. Paddy Upton with Gary Kirsten during their time with South African cricket team. Image Courtesy: PaddyUpton.com +When asked if India need a mental conditioning coach, he stated, "It's difficult to say. The captain and the coach are more influential. If there is good leadership, not all players would need a mental conditioning coach. It also influences the mindset positively. It's nice to have (a mental conditioning coach) not have-to-have." +In a short span of time, India have suffered two energy-sapping defeats. Though it is widely believed that the Lord's Test will affect the team's morale more than Edgbaston loss, Upton said it is the opposite. +"A very tight game drains players mentally and emotionally but an easy loss doesn't have a heavy mental component because there is no stress of the game being in balance. So it's more the pride that hurts in a tough loss but the mental game is affected more in a hard loss." +From 0-2 down, India face an uphill task to stage a comeback in this series. Mentally, Upton proclaimed it is possible. +"It's (mentally) possible... but it will take a mammoth effort because it's not often done in Test cricket. India have the ability to do that but it's a big task. But that's what Test cricket is. You have got to ask big things from players and big teams rise up to big challenges." +How can they overcome the challenges? Upton quickly answered, "That's up to the team." +This Kohli-led team is believed to be one of the most resilient sides in Indian cricket. Be it the Benglauru Test against Australia when India were pushed against the wall or the Johannesburg Test where Dean Elgar and Hashim Amla threatened to deny India a memorable win, the never-say-die spirit is quite visible. That is partly down to Kohli's captaincy, consistent performances at home and the perception created by an ' overconfident ' Shastri. +Upton's continuous emphasis on team culture highlights the importance of it. Kohli has also credited ' team culture ' for the side's brilliant run from 2015 to 2017. Can that team culture help the team in this dire situation? Only time will tell. Updated Date: Aug 17, 2018 04:28 PM Tags : #Ajinkya Rahane #Cricket #England #England Vs India 2018 #India #India Vs England #Paddy Upton #Ravi Shastri #Test Cricket #Virat Kohli Also Se \ No newline at end of file diff --git a/input/test/Test4483.txt b/input/test/Test4483.txt new file mode 100644 index 0000000..b87f167 --- /dev/null +++ b/input/test/Test4483.txt @@ -0,0 +1,10 @@ +WhatsApp backup will no longer use up Google Drive storage 0 views Email +Is your Google Drive running out of space? Well, here's one less thing to worry about. If you're using WhatsApp and use the chat backup to Google Drive feature, you're in luck. Starting 12 November, your backups will no longer account to Google Drive storage quota. +For the 1 billion-odd WhatsApp users in the world, this is welcomed news indeed. +Backing up your WhatsApp chats and media is important in case anything happens to your device, or you migrate to another device. +WhatsApp recommends that you connect to Wi-Fi prior to backing up your chats via Google Drive as backup files may be large and consume mobile data. Do note that any backups that have not been updated for more than a year will be wiped out with the November update. +WhatsApp's backup feature allows you to backup automatically at a set interval – daily, weekly or monthly. You can also do it manually within the Settings tab. You can set it to backup over Wi-Fi or Wi-Fi + Cellular. Backup now +If you've never done a backup before, good Lord, please do it now. Here's how: Open WhatsApp. Tap Menu > Settings > Chats > Chat backup. Tap Back up to Google Driveand select a backup frequency other than Never. Select a Google account that you'll back up your chat history to. If you don't have a Google account, tap Add accountwhen prompted and enter your login credentials. Please remember the Google account you're using for the backup. Tap Back up overto choose the network you wish to use for backup. Please note that backing up over a cellular data network might result in additional data charges. Restoring backup +To restore your chats and media to your device (using the same mobile number), follow these steps: Make sure the same Google account that was used to perform the backup has been added to your phone. After verifying your phone number, you'll be prompted to restore your chats and media from Google Drive. Tap RESTORE. After the restoration process is complete, tap NEXTand your chats will be displayed once initialization is complete. After restoring your chats, WhatsApp will begin restoring your media files. +Note: If you're installing WhatsApp without any prior backups from Google Drive, WhatsApp will automatically restore from your local backup file. +For more information, visit the WhatsApp FAQ \ No newline at end of file diff --git a/input/test/Test4484.txt b/input/test/Test4484.txt new file mode 100644 index 0000000..36d6ff1 --- /dev/null +++ b/input/test/Test4484.txt @@ -0,0 +1,8 @@ +Tweet +CDK Global Inc (NASDAQ:CDK) shares hit a new 52-week low during trading on Wednesday after Morgan Stanley lowered their price target on the stock from $75.00 to $68.00. Morgan Stanley currently has an equal weight rating on the stock. CDK Global traded as low as $59.84 and last traded at $60.56, with a volume of 54440 shares changing hands. The stock had previously closed at $60.77. +CDK has been the topic of a number of other reports. Zacks Investment Research lowered CDK Global from a "hold" rating to a "sell" rating in a report on Monday, June 18th. Barrington Research reaffirmed a "buy" rating and issued a $80.00 price objective on shares of CDK Global in a report on Monday. BidaskClub lowered CDK Global from a "sell" rating to a "strong sell" rating in a report on Thursday, August 2nd. Finally, ValuEngine raised CDK Global from a "sell" rating to a "hold" rating in a report on Tuesday, May 29th. One investment analyst has rated the stock with a sell rating, three have given a hold rating and two have assigned a buy rating to the company's stock. The stock currently has a consensus rating of "Hold" and a consensus target price of $75.00. Get CDK Global alerts: +Several institutional investors and hedge funds have recently added to or reduced their stakes in the company. BlackRock Inc. grew its holdings in shares of CDK Global by 6.8% during the 1st quarter. BlackRock Inc. now owns 13,565,807 shares of the software maker's stock worth $859,260,000 after purchasing an additional 859,949 shares in the last quarter. Senator Investment Group LP grew its holdings in shares of CDK Global by 43.1% during the 2nd quarter. Senator Investment Group LP now owns 3,005,000 shares of the software maker's stock worth $195,475,000 after purchasing an additional 905,000 shares in the last quarter. FMR LLC grew its holdings in shares of CDK Global by 35.1% during the 2nd quarter. FMR LLC now owns 2,846,088 shares of the software maker's stock worth $185,138,000 after purchasing an additional 739,661 shares in the last quarter. Boston Partners acquired a new stake in shares of CDK Global during the 2nd quarter worth $156,134,000. Finally, Bank of New York Mellon Corp grew its holdings in shares of CDK Global by 19.7% during the 2nd quarter. Bank of New York Mellon Corp now owns 2,344,089 shares of the software maker's stock worth $152,484,000 after purchasing an additional 386,080 shares in the last quarter. 85.87% of the stock is currently owned by institutional investors. The firm has a market capitalization of $8.42 billion, a PE ratio of 25.17, a price-to-earnings-growth ratio of 1.57 and a beta of 0.69. The company has a debt-to-equity ratio of -9.65, a current ratio of 1.80 and a quick ratio of 1.80. +CDK Global (NASDAQ:CDK) last released its earnings results on Tuesday, August 14th. The software maker reported $0.87 earnings per share (EPS) for the quarter, topping the consensus estimate of $0.80 by $0.07. The company had revenue of $569.20 million for the quarter, compared to analyst estimates of $578.99 million. CDK Global had a negative return on equity of 361.64% and a net margin of 14.99%. CDK Global's quarterly revenue was up .7% on a year-over-year basis. During the same period in the prior year, the firm posted $0.55 EPS. equities research analysts anticipate that CDK Global Inc will post 3.06 EPS for the current year. +The business also recently announced a quarterly dividend, which will be paid on Friday, September 28th. Stockholders of record on Tuesday, September 4th will be issued a dividend of $0.15 per share. This represents a $0.60 annualized dividend and a dividend yield of 0.98%. The ex-dividend date of this dividend is Friday, August 31st. CDK Global's dividend payout ratio (DPR) is currently 24.69%. +CDK Global Company Profile ( NASDAQ:CDK ) +CDK Global, Inc provides integrated information technology and digital marketing solutions to the automotive retail and other industries worldwide. The company operates through Retail Solutions North America, Advertising North America, and CDK International segments. It offers technology-based solutions, including automotive Website platforms; and advertising solutions comprising the management of digital advertising spend for original equipment manufacturers and automotive retailers \ No newline at end of file diff --git a/input/test/Test4485.txt b/input/test/Test4485.txt new file mode 100644 index 0000000..802522e --- /dev/null +++ b/input/test/Test4485.txt @@ -0,0 +1,18 @@ +By Rachel J. Trotter · August 16, +To read more from Rachel J. Trotter visit her blog, Evalogue Life . +Sometimes events happen in life that force us to remember. We go about our busy lives – taking kids to soccer and football, or picking up grandchildren (depending on your phase of life) and trying to fit exercise into our schedule and then bam! Something happens and we are forced into remembering our ancestors – those who have gone before us or even those we have had lifelong relationships that have passed. That happened for me this week. +When my mom called to tell me my Aunt Linda had passed away I wasn't surprised. She really hasn't been with us for several years. Her mind has been trapped by dementia and the lively, kind sometimes sassy aunt I adored just wasn't herself for so very long. But at the news of her passing I was surprised by the sadness I felt, but also the happiness as my memories of her came flooding back. I talked to my husband about it, who hadn't really known my aunt when she was healthy, I talked to my kids, because they knew how much I loved her, but the true remembering didn't come until I talked to my sister. We talked for a long time about close experiences we each had with her and how thankful we were for parents who gave us opportunities to love our aunts and uncles even though we love and miss them when they are gone. But the most important part of our talk was, you guessed it, the remembering. My Aunt Linda holding me when I was toddler over 40 years ago. I love to remember her. +For the past few nights since her death, as I've tried to find sleep I remember her. The way she smelled (of some kind of floral lotion she wore), the way she looked (always beautiful – perfect makeup and hair) and the way she sounded (she was from Texas and her southern drawl was both appealing and comforting.) She could shop like no other and put on a "supper" spread that would make anyone hungry. Those memories are sweet to me and I feel the need to capture them. But remembering her late at night isn't enough. I need to document her life – remember her with purpose. How? Write it down! Journal it! Record her life story somewhere so other people can enjoy it. That is the true power in remembering. +A few weeks ago I wrote about how important it is to teach our children to remember who they are. (Read it here .) But why is it important for adults to remember our family history and stories? I have a few ideas. Remembering ancestors gives us confidence. Everyone deserves to be remembered. It brings us closer to our living and dead relatives. It helps us understand who we are. Uncovering the mysteries of our ancestors keeps our minds sharp and it is fun! 1. Remembering ancestors gives us confidence. +I have done quite a bit of research as to why telling our children their family stories gives them confidence and it only makes sense it does the same for us as adults. How many of your great-grandparents can you name? Do you know a story for each? Discovering those stories can be somewhat of a miracle in our lives. The other day my husband made a huge discovery with his family history, finding an ancestor that fought in the Revolutionary War directly with George Washington. Wow! No matter how distant that relative is, how can you not feel good about yourself knowing someone with your blood rubbed elbows with George Washington? Professional genealogist, Jacqueline Kirk, said she got "hooked" on genealogy when she found a census record from the UK 1901 census. She learned new skills and found she had a talent for the work. "When my husband died family history gave me an escape from grief. I have made so many friends in the family history world and at a time when my confidence was low family history research restored my self-esteem. I owe it a lot," she said. +It seems the confidence that comes from remembering is two-pronged: Yes, finding family stories takes time and energy, but once a project is completed it is something to be proud of. That gives us confidence. Also, learning the amazing stories of our families can fortify us to combat hard things. The video below by Sheri Dew speaks to that point. 2. Everyone deserves to be remembered. +At RootsTech this past year one of the quotes that stood out to me the most came from FamilySearch CEO, Steve Rockwood: "Everyone deserves to be remembered." As he said it you could hear a collective intake of breath around the room. Such a simple thought, but so profound. Yes, everyone does deserve to be remembered. I was working on a project earlier this year trying to piece some sort of story together from a gentleman's family during Civil War times. As I was looking at the lists of names and dates a semblance of a life well-lived started to come together. Until that project he was a name on a census. With some diligent digging he emerged as a Civil War Veteran who traveled back and forth between his home and the battlefield. He was remembered. And he more than deserved it. Everyone deserves to be remembered. +Family historian, Liz Gauffreau , started researching her maternal grandmother's education after being inspired by a photograph of her university days during World War I. Now she feels a kinship to her that she didn't have when she was alive. "What means the most to me is that I've been able to show this side of her through my blog. She was such a private person that the family sold her short," she said. She deserved to be remembered and Liz did it right. 3. It bring is closer to our relatives – both living and dead. When we remember our family members we get closer to our living relatives too. This is from the post on faceboook of my family's video. There was a lot of love in those comments. +It's no secret that remembering brings us closer to our relatives who have gone before, but what about those still alive? About 20 years ago my husband and I did project where we interviewed every family member on my mother's side from my grandma and grandpa right down to my youngest cousin. We had dozens of video tapes chronicling all the memories shared. Last year we digitized them and shared them on our family Facebook page just a week before our family reunion. The reaction was something special. My cousin Chris Ellis wrote, "I love this so much. Thank you Matt and Rachel for this. It is really emotional for me to hear Grandpa and Grandma voices and the stories. That is shorthand for it made me cry… and laugh, and made me happy." His was one of many echoing the same sentiment. Our family had this moment of closeness because we all remembered together. +I think for many of us who remember our ancestors through genealogy or story writing we feel a tug of the divine as we do the work. I am a firm believer those ancestors are close by helping us find their dates and their stories. That spark keeps us going in the work and we feel a sense of closeness that is hard to describe to others until we experience it ourselves. The phrase "angels among us" comes to mind. My writing partner, Rhonda Lauritzen, had one of those moments and writes about it in detail here . She talked about waking with a start at 3 a.m. Instead of lying awake in bed, she decided to get up and do some work. She started to peruse the Utah Genealogical Society newsletter and ran across a story that loosely related to an ancestor's story she and her brother had spoken about the day before. She emailed it to him with a quick note: "I thought I'd forward in light of our conversation yesterday.' A few hours later, Matthew emails me back and says, 'Very Interesting, Rhonda. Look at the last full paragraph on page two. The Indian girl, Waddie, is the exact girl I was reading about and mentioned to you.'" Rhonda said, "The hairs on my arm prickle, as though I was awakened at 3 a.m. to find this story. As though the story wants to be known." +Rhonda wondered if the Native American woman in the story, Nellie Leithead Justet, wanted to be remembered. Family of Deborah Lamoreaux Leithead, husband James Leithead, and their children including adopted Nellie (Waddie) on the right. Waddie is the woman Rhonda was prompted to find at 3 a.m. 4. It helps us understand who we are. +As adults, although we don't always like to admit it out loud, we feel a little lost at times. We wonder what our purpose is or if we are doing it right. My oldest child is 23 and I am still waiting to feel like a "grown up" myself! Remembering our family gives us purpose and helps us understand who we are. +Diane Lund belongs to the Geneablogger's Tribe and found an interesting sense of belonging in doing some family history research. "I started researching after I found a purple velvet cover photo album with photos from the mid 19th century. It belonged to my grandmother. I only recognized a couple of people, so I started to look for any writing or clues in the photos. There were a few pictures that were taken in Rome – odd, since my grandmother was from Pennsylvania. My brother was able to identify the photographer was the official Vatican photographer. One of the photos was my great grandmother's brother, John, who was sent to Rome to study and who became a Catholic priest. I found the marriage record for my great grandparents, Ida and Charles, and Fr. John was the officiant. It means a little more to me because my uncle was a Catholic priest and was the officiant at my parents' and my sister's wedding and my brother is a Catholic priest and he was the officiant at my wedding." +For Diane and so many others, finding a link or connection to an ancestor we have something in common with gives us a greater sense of self. Seeing old photos and seeing family resemblances is only the beginning of the commonalities that link our families together. DNA is helping people make breakthrough discoveries about themselves and others. I loved what renowned DNA expert CeCe Moore had to say at RootsTech in 2017. In her keynote address, CeCe noted that DNA helps human beings connect – something we all long for. "It's providing answers to hundreds of thousands – maybe even millions of people," she said. One of the most important things she's learned is how strong biological bonds are. She doesn't want to push aside nurturing, but has found that our ancestors live on through us and that nature has a "profound effect on who we are." DNA helps genealogists find out everything they can, not just what appears on a chart. Read more about DNA and connections here . 5. Uncovering the mysteries of our ancestors keeps our minds sharp and it is fun! +I was talking to my aunt recently about why she loves family history and she said, "I feel like I'm an investigator putting together an important puzzle." And she's right. Family history and trying to find the stories so we can remember keeps us thinking and keeps our minds sharp. Remembering isn't about living in the past it's about giving meaning to lives well-lived so we can have one of those well-lived lives ourselves. Unlocking and discovering our ancestors keeps us on our toes in a new and interesting way. Last summer I was looking for some photos of my great-grandmother on FamilySearch. I was shocked to find a large downloaded history that I didn't know existed. After all, only my grandfather and his descendants knew the history, right? Wrong. This relative wrote these words: "I hope that someone will come along that has the talent of writing to write this better than I can. For now here is the history." I believe she wrote those words for me over 20 years ago. Now I need to get to work to write the history into story form. I'm glad she was looking out for me to keep my mind sharp and help me to remember. This is my Great Grandma Kap with my grandpa and great-uncle. I stumbled upon some great stories I never knew just by trying to find some memories. Remembering ancestors keeps your mind sharp. +I hope that one day I will be that help for someone else. We find connections to places and events through remembering family stories the provide deep and abiding spiritual and personal connections. The hard life stories of our ancestors make us stronger as well. Please enjoy a few related to articles to the place, history and overcoming obstacles that make remembering all the more important \ No newline at end of file diff --git a/input/test/Test4486.txt b/input/test/Test4486.txt new file mode 100644 index 0000000..85b6fa1 --- /dev/null +++ b/input/test/Test4486.txt @@ -0,0 +1,2 @@ +business on 15 August, 2018 at 22:57 +This is the time of year when many direct mailing services kick into high gear . In fact, as colleges around the nation begin their final push to reach out to high school seniors, it is important that printing services and direct mailing campaigns work together. Contacting seniors with announcements about application deadlines and scholarship opportunities is an important part of making sure that schools catch the attention of the students they want the most. In fact, direct mailing services play an essential role in the entire college search and application process. With the use of the latest color digital printing, colleges can send personalized mailings to high school seniors who are within a certain scholarship range. These ranges are often determined by national testing scores, and can help colleges make sure that they are able to connect with the students who will be the best fit for a particular campus. Does Your Company or Non Profit Make Use of the Latest Direct Mailing Services? Even in a time when digital marketing is pervasive, direct mail marketing campaigns continue to be important. In fact, as many as 56% of customers think direct mail marketing is the most trustworthy form of marketing. With this bird in a hand thinking, it is no wonder that many companies continue to budget a significant amount of money to direct mailing services. Some of the latest research indicates that direct mail campaigns receive an average of 37 times more responses than email marketing, so it should come as no surprise that as many as 54% of customers say they prefer direct mail marketing. Whether you have a student in the house who is in the process of deciding where they will go to college or you are a family looking for the best vacation spots for the upcoming holiday season, it is likely that some of your decisions will be influenced by the mail that comes into your home. And while many people are influenced by digital marketing methods, there are also many people who are even more influenced by the items that arrive in their mailboxes. As proof of its effectiveness, the digital print market has grown 7.4% over the last five years. Specifically, $131.5 billion was the total in the year 2013, and this number has increased to $187.7 billion in the year 2018. Categorie \ No newline at end of file diff --git a/input/test/Test4487.txt b/input/test/Test4487.txt new file mode 100644 index 0000000..cd1732f --- /dev/null +++ b/input/test/Test4487.txt @@ -0,0 +1,36 @@ +Former US security leaders blast Trump for yanking clearance Jill Colvin And Catherine Lucey, The Associated Press Friday Aug 17, 2018 at 6:00 AM +WASHINGTON (AP) " Former U.S. security officials issued scathing rebukes to President Donald Trump on Thursday, admonishing him for yanking a top former spy chief's security clearance in what they cast as an act of political vengeance. Trump said he'd had to do "something" about the "rigged" federal probe of Russian election interference. +Trump's admission that he acted out of frustration about the Russia probe underscored his willingness to use his executive power to fight back against an investigation he sees as a threat to his presidency. Legal experts said the dispute may add to the evidence being reviewed by special counsel Robert Mueller. +In an opinion piece in The New York Times, former CIA Director John Brennan said Trump's decision, announced Wednesday, to deny him access to classified information was a desperate attempt to end Mueller's investigation. Brennan, who served under President Barack Obama and has become a vocal Trump critic, called Trump's claims that he did not collude with Russia "hogwash." +The only question remaining is whether the collusion amounts to a "constituted criminally liable conspiracy," Brennan wrote. +Later Thursday, the retired Navy admiral who oversaw the raid that killed Osama bin Laden called Trump's moves "McCarthy-era tactics." Writing in The Washington Post, William H. McRaven said he would "consider it an honor" if Trump would revoke his clearance, as well. +"Through your actions, you have embarrassed us in the eyes of our children, humiliated us on the world stage and, worst of all, divided us as a nation," McRaven wrote. +That was followed late Thursday by a joint letter from 12 former senior intelligence officials calling Trump's action "ill-considered and unprecedented." They said it "has nothing to do with who should and should not hold security clearances " and everything to do with an attempt to stifle free speech." +The signees included six former CIA directors, five former deputy directors and former Director of National Intelligence James Clapper. Two of the signees " Clapper and former CIA Director Michael Hayden " have appeared on a White House list of people who may also have their security clearances revoked. +Trump on Wednesday openly tied his decision to strip Brennan of his clearance " and threaten nearly a dozen other former and current officials " to the ongoing investigation into Russian election meddling and possible collusion with his campaign. In an interview with The Wall Street Journal, Trump again called the probe a "rigged witch hunt" and said "these people led it!" +"So I think it's something that had to be done," he said. +The president's comments were a swift departure from the official explanation given by the White House earlier Wednesday that cited the "the risks" posed by Brennan's alleged "erratic conduct and behavior." It marked the latest example of the president contradicting a story his aides had put forward to explain his motivations. +Attorneys said the revocation appeared to be within the president's authority. But they noted the power play also could be used to reinforce a case alleging obstruction of justice, following the president's firing of former FBI Director James Comey and his repeated tweets calling for the investigation to end. +Patrick Cotter, a former assistant U.S. Attorney in the Eastern District of New York and a longtime white-collar defense attorney, said that while a prosecutor could argue that Trump's targeting of clearances was intended as a warning that "if you contribute to, participate in, support the Russia probe and I find out about it, I'm going to punish you," it is likely not obstruction in itself. +But, he said the move would be a "powerful piece of evidence" for prosecutors as part of a pattern to demonstrate an intent to use presidential power in connection with the probe. +Renato Mariotti, a former federal prosecutor agreed. +"What it shows is that the president is fixated on the Russia investigation, he's angry about it, and he wants to do everything he can to discourage or slow down the investigation," he said. +Special Counsel Mueller and his team have been looking at Trump's public statements and tweets as they investigate whether the president could be guilty of obstruction. +"I don't think it advances the criminal obstruction case, but I think it's factually relevant," said Mark Zaid, a national security attorney. "I think it shows the state of mind and intent to interfere or impede any unfavorable discussion of his potential connection to Russia." +Former CIA directors and other top national security officials are typically allowed to keep their clearances, at least for some period. But Trump said Wednesday he is reviewing the clearances of several other former top intelligence and law enforcement officials, including former FBI Director Comey and current senior Justice Department official Bruce Ohr. All are critics of the president or are people who Trump appears to believe are against him. +The initial White House statement about Brennan's clearance made no reference to the Russia investigation. Instead, the president said he was fulfilling his "constitutional responsibility to protect the nation's classified information," even though he made no suggestion that Brennan was improperly exposing the nation's secrets. +"Mr. Brennan's lying and recent conduct characterized by increasingly frenzied commentary is wholly inconsistent with access to the nations' most closely held secrets," Trump said. +Just hours later, his explanation had changed. +"You look at any of them and you see the things they've done," Trump told the Journal. "In some cases, they've lied before Congress. The Hillary Clinton whole investigation was a total sham." +"I don't trust many of those people on that list," he said. "I think that they're very duplicitous. I think they're not good people." +The episode was reminiscent of Trump's shifting explanations for firing Comey and the evolving descriptions of the Trump Tower meeting between top campaign aides and a Kremlin-connected lawyer " both topics of interest to Mueller. +And it underscores why the president's lawyers are fearful of allowing Trump to sit down for an interview with Mueller's team, as Trump has repeatedly said he is interested in doing. +In announcing Comey's firing, the White House initially cited the former FBI director's handling of the probe into Democratic rival Clinton's emails, seizing on the FBI director's decision to divulge details of the probe to the public during her campaign against Trump. +But a few days after Comey was dismissed, Trump told NBC's Lester Holt in an interview that he was really thinking of "this Russia thing" when he fired Comey. +Trump later changed again, tweeting that he "never fired James Comey because of Russia!" +Early this month, he admitted in a tweet that the Trump Tower meeting, which was arranged by his son, Donald Trump Jr., "was a meeting to get information on an opponent." +That directly contradicted a July 2017 statement from Trump Jr. " written with the consultation of the White House " that claimed the meeting had been primarily about adoption. +___ +Associated Press writer Jessica Gresko contributed to this report. +__ +Follow Colvin and Lucey on Twitter at https://twitter.com/colvinj and https://twitter.com/catherine_luce \ No newline at end of file diff --git a/input/test/Test4488.txt b/input/test/Test4488.txt new file mode 100644 index 0000000..90654b0 --- /dev/null +++ b/input/test/Test4488.txt @@ -0,0 +1,16 @@ +17/08/2018 - 11:54:00 Back to +Turkey and the US have exchanged new threats of sanctions, keeping alive a diplomatic and financial crisis threatening the economic stability of the Nato country. +Turkey's lira fell again after trade minister Ruhsar Pekcan said her government would respond to any new trade duties, which Donald Trump threatened in an overnight tweet. +The US president is taking issue with the continued detention in Turkey of American pastor Andrew Brunson, who faces 35 years in prison on espionage and terror-related charges. +Mr Trump wrote in a tweet late on Thursday: "We will pay nothing for the release of an innocent man, but we are cutting back on Turkey!" Turkey has taken advantage of the United States for many years. They are now holding our wonderful Christian Pastor, who I must now ask to represent our Country as a great patriot hostage. We will pay nothing for the release of an innocent man, but we are cutting back on Turkey! Donald J. Trump (@realDonaldTrump) +US Treasury chief Steven Mnuchin earlier said the US could put more sanctions on Turkey. +The US has already imposed sanctions on two Turkish government ministers and doubled tariffs on Turkish steel and aluminium imports. +Turkey retaliated with $533m (€468m) of tariffs on some US imports — including cars, tobacco and alcoholic drinks — and said it would boycott US electronic goods. +"We have responded to (US sanctions) in accordance to World Trade Organisation rules and will continue to do so," Ms Pekcan told reporters on Friday. +Recep Tayyip Erdogan has refused to allow the central bank to raise interest rates (Presidential Press Service/AP) +Turkey's currency, which had recovered from record losses against the dollar earlier in the week, was down about 6% against the dollar on Friday. +Turkey's finance chief tried to reassure thousands of international investors on a conference call on Thursday, in which he pledged to fix the economic troubles. +He ruled out any move to limit money flows — which is a possibility that worries investors — or any assistance from the International Monetary Fund. +Investors are concerned that Turkey's has amassed high levels of foreign debt to fuel growth in recent years, and as the currency drops, that debt becomes more expensive to repay, leading to potential bankruptcies. +Also worrying investors has been President Recep Tayyip Erdogan's refusal to allow the central bank to raise interest rates to support the currency, as experts say it should. +He has tightened his grip since consolidating power after general elections this year \ No newline at end of file diff --git a/input/test/Test4489.txt b/input/test/Test4489.txt new file mode 100644 index 0000000..aa9639c --- /dev/null +++ b/input/test/Test4489.txt @@ -0,0 +1 @@ +Press release from: Orian Research Global Smart Robots Market 2018-2025 Smart robots are the robotic systems which are capable to carry out operation without direct human intervention. They are currently being designed to perform autonomous tasks and work along with humans. The smart robots market for industrial applications consist of collaborative robots which are designed to work along with humans and they are adopted by various industrial sectors such as automotive, electronics among others.The collaborative robots global market size is expected to reach USD 1.07 Billion by 2020. In the service industry, smart robots are used in different professional and personal applications.Get Sample Copy of this Report @ www.orianresearch.com/request-sample/604817 .The Global Smart Robots Industry based on geographic classification is studied for industry analysis, size, share, growth, trends, segment, top company analysis, outlook, manufacturing cost structure, capacity, supplier and forecast to 2025. Along with the reports on the global aspect, these reports cater regional aspects as well as global for the organizations.This report covers the global perspective of Smart Robots industry with regional splits into North America, Europe, china, japan, Southeast Asia, India, apac and Middle East. Where these regions are further dug to the countries which are major contributors to the marketAlong with the reports on the global aspect, these reports cater regional aspects as well for the organizations that have their Smart Robots gated audience in specific regions (countries) in the world.Complete report Smart Robots Industry spreads across 116 pages profiling 18 companies and supported with tables and figures, Enquiry of this Report @ www.orianresearch.com/enquiry-before-buying/604817 .Analysis of Smart Robots Market Key Companies:IRobot Corporation (U.S. \ No newline at end of file diff --git a/input/test/Test449.txt b/input/test/Test449.txt new file mode 100644 index 0000000..c4f57b9 --- /dev/null +++ b/input/test/Test449.txt @@ -0,0 +1,13 @@ +Angry Birds maker Rovio's games get sales boost Friday, August 17, 2018 1:52 a.m. EDT FILE PHOTO: Angry Birds characters Bomb, Chuck and Red are pictured during the premiere in Helsinki, Finland, May 11, 2016. REUTERS/Tuomas +HELSINKI (Reuters) - Rovio Entertainment , the maker of the "Angry Birds" mobile game series and movie, on Friday reported an increase in second-quarter sales at its games business, providing a positive sign for investors after a profit warning in February. +The Finnish company, which listed on the stock market in Helsinki last September, reported lower second-quarter earnings due to declining revenue from its 2016 Hollywood movie, but the number of active players for its games rose more than analysts had expected. +Second-quarter adjusted operating profit fell to 6 million euros ($7 million), down from 16 million euros a year earlier and slightly above the average market forecast according to Thomson Reuters data. +Total sales fell 17 percent to 72 million euros but sales at the games business rose 6 percent to 65 million euros. +Rovio's shares rose 3.3 percent on the day by 0714 GMT. The stock is trading around 50 percent below its initial public offering price. +The company's recent troubles have stemmed from tough competition and increased marketing costs, as well as high dependency on the Angry Birds brand that was first launched as a mobile game in 2009. +Rovio reiterated the full-year outlook that had disappointed investors in February, when it said that sales could fall this year after a 55 percent increase in 2017. +OP Bank analyst Hannu Rauhala said it seemed that the allocation of user acquisition investments had been successful. "Those investments have resulted in growth both in revenue and the number of active players," said Rauhala, who has a "buy" rating on the stock. +Rovio expects a movie sequel to boost business next year and the company has also stepped up investments in its spin-off company Hatch, which is building a Netflix-style streaming service for mobile games. +Rovio's current top title "Angry Birds 2" generates almost half of the company's game income. +"It would be desirable to see other mainstays to emerge in its game business, meaning new successful games," OP's Rauhala said. +(Reporting by Jussi Rosendahl and Anne Kauranen; Editing by Kim Coghill and Jane Merriman) More From Technolog \ No newline at end of file diff --git a/input/test/Test4490.txt b/input/test/Test4490.txt new file mode 100644 index 0000000..dcc324b --- /dev/null +++ b/input/test/Test4490.txt @@ -0,0 +1,24 @@ +Little-known official ends ex-Gov. Pawlenty's comeback bid Kyle Potter, Wednesday Aug 15, 2018 at 1:48 AM Aug 15, 2018 at 1:48 AM +ST. PAUL, Minn. (AP) " Former Minnesota Gov. Tim Pawlenty, who once called Donald Trump "unhinged and unfit for the presidency," lost to a lesser-known county official in the Republican primary, prematurely ending a bid to win back his old job. +Hennepin County Commissioner Jeff Johnson, who won his party's endorsement but still was considered an underdog, won by nearly 10 points over the former two-term governor and presidential candidate. Pawlenty struggled to reintegrate into a party that had shifted since he left office in 2011. +"I think it is just further indication that the rules have changed, not just in Minnesota, not just in our party," Johnson said. "People are expecting something different from candidates." +Johnson now faces Democratic Rep. Tim Walz, who one a three-way race on the Democratic side to replace outgoing Gov. Mark Dayton. +Republicans need only the governorship to take full control of state government in Minnesota, a traditionally left-leaning state that had become a lone outpost of divided government in the conservative Upper Midwest. Big donors saw Pawlenty as the man to do it. +Johnson had been viewed as a longshot given Pawlenty's unparalleled name recognition and the money that quickly flowed to his campaign when he announced his campaign in early April. Pawlenty was the last Republican to win statewide in Minnesota with his 2006 victory for a second term. +But voters were unwilling to coronate Pawlenty, who didn't bother challenging Johnson at the state party convention. His loss effectively ends a political career that peaked with two terms as governor and a short-lived 2012 presidential bid. +"Obviously not the result we hoped for and worked for," Pawlenty said Tuesday night before congratulating Johnson on doing "a great job." +Pawlenty struggled to live down his October 2016 critique of then-candidate Trump, though he later assured Republican voters that he still voted for the president and supported the bulk of his policies. And the insults weren't one-sided; Johnson once called Trump "a jackass" but positioned himself as a steadfast supporter of the president. +His post-political career as a lobbyist for the nation's largest banks came with the aura of establishment politician trying to force his way back into Minnesota. +Several voters said they liked Pawlenty but believed he'd already had his time. For 21-year-old Republican voter Emma Glynn, Pawlenty's two prior terms were a knock against him. +Glynn said she's concerned about the influx of refugees resettling in Minnesota " which is home to the largest population of Somalis outside of east Africa. While both GOP candidates have made a crackdown on illegal immigration cornerstones of their campaign, Glynn said she felt Johnson was better suited to put an end to refugee resettlement. +"And if he's not, at least he's someone who's new," said Glynn, who works as a server in a restaurant and in a psychiatric group home. +Democrats had expected Pawlenty to win, spending months preparing to face him in the fall. Pawlenty served as a foil in Democratic candidates' advertising, with Walz saying "I won't let Tim Pawlenty take us back" in one TV spot. A heavily liberal outside political group spent millions bashing Pawlenty in the lead-up to the primary, with millions more in advertisements reserved for the fall. +Even for some Republicans, the reminders of Pawlenty's tenure were enough to make them reconsider. +"I have too many teacher friends that are very upset with what happened to schools back then," 65-year-old Linda Speidel said, referencing the deep budget cuts to schools Pawlenty's administration enacted in the midst of the recession. +Walz said Johnson's upset over Pawlenty changes nothing for Democrats as they turn to November. +"The message that was coming out of Jeff Johnson's campaign and Tim Pawlenty's campaign were very similar. They were trying to out-Donald Trump each other," he said. +Walz narrowly defeated state Rep. Erin Murphy to capture his party's nomination. Attorney General Lori Swanson, once considered a top contender, conceded early Tuesday night after late accusations against her " including that she pressured official employees to boost her political ambitions " led to disappointing results. +Walz likely benefited from booming voter turnout, driven by a handful of other competitive Democratic primaries for attorney general and U.S. House races. In Minneapolis, where a crowded Democratic primary to replace Rep. Keith Ellison only added to voter excitement, elections officials had tallied nearly 75,000 ballots by dinnertime, far outstripping a recent high watermark of 51,000 in 2010. A polling place in suburban Eden Prairie had doubled its expected turnout with hours of voting to go. +The state's no-excuse absentee voting law started in 2014 was responsible for at least part of the spike. More than 117,000 early absentee ballots had been cast by Monday morning, crushing previous records for a primary election. +__ +Sign up for "Politics in Focus," a weekly newsletter showcasing the AP's best political reporting from around the country leading up to the midterm elections: http://apne.ws/3Gzcra \ No newline at end of file diff --git a/input/test/Test4491.txt b/input/test/Test4491.txt new file mode 100644 index 0000000..2d9be1d --- /dev/null +++ b/input/test/Test4491.txt @@ -0,0 +1 @@ +A lot of the very best no deposit bonuses with new slot sites no deposit required might be claimed straight from your mobile cellular phone! Using just your cell phone, it is possible to enter an incredible variety of mobile casinos and claim free spins without having to deposit any revenue \ No newline at end of file diff --git a/input/test/Test4492.txt b/input/test/Test4492.txt new file mode 100644 index 0000000..d409580 --- /dev/null +++ b/input/test/Test4492.txt @@ -0,0 +1,3 @@ +Britain could benefit from New Zealand's new ban on foreigners buying homes I like to think I'd be able to survive the end of the world. I regularly head off into the mountains with just my rucksack and bivvy bag for company. Taking a small amount of food to cook with, I'll forage for extras in whatever terrain I find myself in. And there's no relying on Google to get me out of any scrape. There isn't any signal up in the mountains, and it's bliss. +But "preppers" would call me dangerously naive. They are extreme survivalists. They are not your run-of-the-mill worriers, but are constantly prepared for the collapse of civilisation. And who can blame them? +They hoard canned goods, keep stocks.. \ No newline at end of file diff --git a/input/test/Test4493.txt b/input/test/Test4493.txt new file mode 100644 index 0000000..802b596 --- /dev/null +++ b/input/test/Test4493.txt @@ -0,0 +1,15 @@ +1 comment THE new Chief Constable of North Yorkshire Police says officer numbers will reach their highest level in years within months. +Lisa Winward was formally approved as Chief Constable on Wednesday, after taking on the role temporarily when Dave Jones retired suddenly earlier this year. +Although the force has budgeted for 1,400 officers for years, the actual number of officers has been far below, despite several recruitment campaigns, but Chief Constable Winward said that was about to change, and "the projection is, within this financial year, so by March 31, the force should have 1,400 officers". +This figure, she said, factored in new recruits and experienced transferees to the force, with "an intake of about 140 officers" due to join within months, but also the number of officers expected to leave or retire in that time. +Chief Constable Winward said unexpected departures may have an effect on that number, but despite further budget cuts expected in coming years, she was determined to ensure frontline policing remained safe. +She said: "We have more money if we recruit brand new people all the time, versus people with 20 years service, and that makes a difference to the budget. +"Some really important information comes from people in local neighbourhoods, so neighbourhood policing is very much important part of the picture. We would rather consider how we better share facilities with other partners than cut people - we will look at all other options before removing people." +The Chief Constable said that concerns over police visibility had been raised with her, but "being visible doesn't always mean a person in a yellow jacket on the street", and the rollout of electronic mobile devices to officers had seen exploration of Facebook and WhatsApp groups set up to ensure local communities could contact their local officers. +Going forward, Chief Constable Winward said the force was working with partner agencies to "holistically look at how better to structure the force to work more efficiently in line with national policing aims and to deliver against our own police and crime plan". +Chief Constable Lisa Winward with Police and Crime Commissioner Julia Mulligan +Ongoing issues with the non-emergency call system "still need to get better", the Chief Constable said, and there would still be challenges ahead. +But Chief Constable Winward said she would look to do what was best for the public and for the force, and would only take decisions which affected the service if they could be justified. +She said: "I joined the police service to serve the public and I will do what's right to serve them and in order to do that, I have to support and look after our staff, make them feel valued and invest in them. +"If the PCC wanted to do something specific, I would sit down with her, find our her reasons and the impact on staff and public, as we have to put them first. +"Julia is elected to serve the public as well, so we have both got a common endeavour to serve the public as best we can, but sometimes we come from different angles. We should be able to articulate our rationale [about decisions] to the public, and if we can't do that, then perhaps it's not right. \ No newline at end of file diff --git a/input/test/Test4494.txt b/input/test/Test4494.txt new file mode 100644 index 0000000..7007b3c --- /dev/null +++ b/input/test/Test4494.txt @@ -0,0 +1,23 @@ +by Kelly Geraldine Malone, The Canadian Press Posted Aug 17, 2018 4:00 4:40 am EDT Ian Giles relaxes outside his trailer at the Boler 50th anniversary celebration weekend in Winnipeg on Wednesday, August 15, 2018. Hundreds of Boler trailers, originally invented and manufactured in Winnipeg, from all corners of North America hit the road and made their way to Winnipeg to celebrate the birth of the iconic camper trailer. THE CANADIAN PRESS/John Woods +WINNIPEG – Angela Durand sits outside her camper which is decorated to look just like the yellow submarine in the well-known song by The Beatles. +In a lawn chair beside the blue-and-yellow 1968 camper painted with pictures of John, Paul, George and Ringo — a little yellow propeller attached to the back — Durand strums her ukulele and sings about the community that's developed around the small moulded fibreglass Boler. +"I bought it. Then I did research on the Boler. Then I became addicted to Bolers," she said. "I love it." +Hundreds of the unique trailers have descended on Winnipeg to celebrate the 50th anniversary of the Manitoba invention. +The Boler camper became famous on highways throughout North America as the "egg on wheels," said event organizer Ian Giles. About 10,000 of the ultralight fibreglass trailers were manufactured and sold between 1968 and 1988. +Giles describes it like two bathtubs joined together to form a hollow container. +"What is unique about them is most of them have no wood inside of them at all, so there is nothing to rot. They have no seams, so there is no possibility of leaks," he said. +"They are like a boat — a fibreglass boat — so you can repair them. That is why so many of them are still around today." +Giles said it's not just the way the camper is built that makes it special. It's the community it inspires. +He picked up his Boler, named Buttercup, eight years ago because it fit his and his wife's camping needs. He wanted to make a couple of changes to his camper, but struggled finding fixes online or anywhere in Calgary where he lives. +Giles created a website to share what he'd learned about modifying his Boler and soon enthusiasts from across North America were reaching out with tips or asking questions. It quickly became a large and entertaining online community. A plan hatched to get together. +"When you buy one of these trailers, you are almost joining a sorority," he said. +"We are all very similar. Each of us want to make our trailer our own. We all have phenomenal memories of camping in these units and the friends we made." +All of the 450 campers parked at Red River Exhibition Park for the weekend are either an original Boler or a trailer inspired by the Boler's design. Some still have the original paint job but others have been redesigned with bright colours and flowers. +There's a rumour swirling that No. 3 — the third Boler ever made — is going to arrive. +Giles said he figures it's the largest gathering of moulded fibreglass trailers in history. +J.J. McColm's Boler-Chevy combo unit called 'C' Plus catches the eye of everyone passing by. The Lloydminster, Alta., resident bought the 1975 Boler to travel to car shows with his 1938 Chevy Master Sedan. But soon the little trailer was stealing the limelight. +"The car without the trailer, people walk right by it. With the trailer, they tend to walk right to it." +The Boler's birthday party includes demonstrations from experts, the first 3D-printed trailer and musical acts every night. The camp is open to the public on Saturday. +Bolers have been about creating memories for the last 50 years, Giles said. That's why campers from as far away as Texas, California, Newfoundland, Yukon and Vancouver Island have made the journey for the party. +"When you park in a campground, you have people coming up to you telling you stories about when they were youngsters and a relative or friend had a Boler," he said. +"And they are still making memories today. \ No newline at end of file diff --git a/input/test/Test4495.txt b/input/test/Test4495.txt new file mode 100644 index 0000000..bc19466 --- /dev/null +++ b/input/test/Test4495.txt @@ -0,0 +1,2 @@ +Xavier School of Rural Management Business Conclave – Abhivyakti August 17, 2018 69 SHARE +Bhubaneswar: Xavier School of Rural Management (XSRM) will be hosting its annual business conclave, Abhivyakti, on August 19th, 2018. The conclave aims to provide the students of Rural Management (RM) a comprehensive view on "Rural Business: Impact in Digital Era", which is also the theme for the event. India's rural market is a powerful economic engine. The business organizations are optimistic about the growth of the country's rural consumer markets and say that it will be faster than the urban consumer markets, given the bounty of available opportunities. With our country rapidly progressing towards becoming a digital nation, we must bridge the gap between rural and urban India. Digital penetration in rural India is slow but definite. Starting from health care initiatives to financial inclusion, to boosting the agrarian economy by developing farmer friendly applications, digital innovations have surely contributed to the process of empowering India by empowering the rural sector. The onset of digital era will bring about a revolutionary change in the rural business sector. The event will be graced by eleven eminent industry experts addressing the issues surrounding the theme and imparting their knowledge and experience to the students. The speakers include Mr. Vijay Sardana (Independent Director, Nabkisan Finance Limited and Chairman, ASSOCHAM Task Force), Mr. Emmanuel V. Murray (Senior Advisor, Caspian Impact Investment Adviser Private Limited and Director, Trimaz Machines Limited), Mr. Sasanka Sekhar Singh (Director, Sutra Consulting Private Limited), Mr. Gowrisankara Rao Alamanda (Vice President, RBL Bank), Mr. Sankar Sastri (Head of Credit and Risk, ADANI Capital Limited), Mr. Manish Kumar Raj (Business Head – Branch Banking, Ujjivan Small Finance Bank Limited), Mr. Balaya Moharana (Chief Technical, Officer, DeHaat and co-founder, DoVo Health) , Mr. Alok Shukla (National Head-Rural Sector Insurance, Bharti AXA General Insurance), Mr. Praful Ranjan (Vice President, Sales, Finova Capital Private Limited) and Mr. Satyajit Kumar (Marketing Head-ESP Agri, Larsen & Toubro) XUB believes in providing a platform for premium discussions on pressing issues and trends. It organizes a plethora of top-notch business conclaves to fortify and hone the skills of its students. Abhivyakti is one such business conclave which intents at delivering an enriching interactive session with respect to rural businesses in today's digital world. Share this \ No newline at end of file diff --git a/input/test/Test4496.txt b/input/test/Test4496.txt new file mode 100644 index 0000000..d863a87 --- /dev/null +++ b/input/test/Test4496.txt @@ -0,0 +1,16 @@ +US threatens more sanctions in Turkey crisis Menu US threatens more sanctions in Turkey crisis 0 comments Turkey and the US have exchanged new threats of sanctions, keeping alive a diplomatic and financial crisis threatening the economic stability of the Nato country. +Turkey's lira fell again after trade minister Ruhsar Pekcan said her government would respond to any new trade duties, which Donald Trump threatened in an overnight tweet. +The US president is taking issue with the continued detention in Turkey of American pastor Andrew Brunson, who faces 35 years in prison on espionage and terror-related charges. +Mr Trump wrote in a tweet late on Thursday: "We will pay nothing for the release of an innocent man, but we are cutting back on Turkey!" +Turkey has taken advantage of the United States for many years. They are now holding our wonderful Christian Pastor, who I must now ask to represent our Country as a great patriot hostage. We will pay nothing for the release of an innocent man, but we are cutting back on Turkey! +— Donald J. Trump (@realDonaldTrump) August 16, 2018 +US Treasury chief Steven Mnuchin earlier said the US could put more sanctions on Turkey. +The US has already imposed sanctions on two Turkish government ministers and doubled tariffs on Turkish steel and aluminium imports. +Turkey retaliated with 533 million dollars (£419 million) of tariffs on some US imports — including cars, tobacco and alcoholic drinks — and said it would boycott US electronic goods. +"We have responded to (US sanctions) in accordance to World Trade Organisation rules and will continue to do so," Ms Pekcan told reporters on Friday. Recep Tayyip Erdogan has refused to allow the central bank to raise interest rates (Presidential Press Service/AP) +Turkey's currency, which had recovered from record losses against the dollar earlier in the week, was down about 6% against the dollar on Friday. +Turkey's finance chief tried to reassure thousands of international investors on a conference call on Thursday, in which he pledged to fix the economic troubles. +He ruled out any move to limit money flows — which is a possibility that worries investors — or any assistance from the International Monetary Fund. +Investors are concerned that Turkey's has amassed high levels of foreign debt to fuel growth in recent years, and as the currency drops, that debt becomes more expensive to repay, leading to potential bankruptcies. +Also worrying investors has been President Recep Tayyip Erdogan's refusal to allow the central bank to raise interest rates to support the currency, as experts say it should. +He has tightened his grip since consolidating power after general elections this year \ No newline at end of file diff --git a/input/test/Test4497.txt b/input/test/Test4497.txt new file mode 100644 index 0000000..bb43443 --- /dev/null +++ b/input/test/Test4497.txt @@ -0,0 +1,7 @@ +Tweet +JinkoSolar Holding Co., Ltd. (NYSE:JKS) has received a consensus rating of "Hold" from the eleven brokerages that are presently covering the stock, Marketbeat.com reports. Five analysts have rated the stock with a sell recommendation, three have issued a hold recommendation and two have given a buy recommendation to the company. The average 12 month target price among brokerages that have covered the stock in the last year is $15.80. +Several research analysts have recently weighed in on JKS shares. ValuEngine cut shares of JinkoSolar from a "hold" rating to a "sell" rating in a research note on Wednesday, May 23rd. Zacks Investment Research cut shares of JinkoSolar from a "strong-buy" rating to a "hold" rating in a research note on Thursday, May 31st. Roth Capital cut shares of JinkoSolar from a "neutral" rating to a "sell" rating and dropped their price target for the stock from $19.00 to $12.00 in a research note on Monday, June 4th. Goldman Sachs Group cut shares of JinkoSolar to a "sell" rating in a research note on Wednesday, June 6th. Finally, Credit Suisse Group dropped their price target on shares of JinkoSolar from $22.00 to $13.00 and set a "neutral" rating on the stock in a research note on Thursday, June 7th. Get JinkoSolar alerts: +Institutional investors and hedge funds have recently added to or reduced their stakes in the stock. Yong Rong HK Asset Management Ltd purchased a new position in shares of JinkoSolar during the 1st quarter valued at $365,000. Aperio Group LLC purchased a new position in shares of JinkoSolar during the 2nd quarter valued at $276,000. BNP Paribas Arbitrage SA lifted its stake in shares of JinkoSolar by 90.1% during the 2nd quarter. BNP Paribas Arbitrage SA now owns 21,792 shares of the semiconductor company's stock valued at $300,000 after buying an additional 10,328 shares in the last quarter. Guinness Asset Management Ltd lifted its stake in shares of JinkoSolar by 30.0% during the 2nd quarter. Guinness Asset Management Ltd now owns 28,190 shares of the semiconductor company's stock valued at $388,000 after buying an additional 6,500 shares in the last quarter. Finally, Northern Trust Corp lifted its stake in shares of JinkoSolar by 35.3% during the 1st quarter. Northern Trust Corp now owns 30,460 shares of the semiconductor company's stock valued at $555,000 after buying an additional 7,953 shares in the last quarter. Institutional investors own 25.29% of the company's stock. Shares of JinkoSolar stock opened at $12.91 on Tuesday. The firm has a market cap of $451.92 million, a PE ratio of 18.90, a price-to-earnings-growth ratio of 0.61 and a beta of 1.49. JinkoSolar has a 1-year low of $11.47 and a 1-year high of $30.50. The company has a debt-to-equity ratio of 0.14, a quick ratio of 0.75 and a current ratio of 0.99. +JinkoSolar (NYSE:JKS) last issued its quarterly earnings results on Monday, August 13th. The semiconductor company reported $0.44 earnings per share for the quarter, missing the Thomson Reuters' consensus estimate of $0.53 by ($0.09). The business had revenue of $915.91 million for the quarter, compared to analysts' expectations of $909.54 million. JinkoSolar had a return on equity of 1.22% and a net margin of 0.33%. The company's revenue was down 21.6% compared to the same quarter last year. During the same quarter in the prior year, the business earned $0.28 EPS. equities analysts expect that JinkoSolar will post 2.6 EPS for the current fiscal year. +About JinkoSolar +JinkoSolar Holding Co, Ltd., together with its subsidiaries, engages in the design, development, production, and marketing of photovoltaic products in the People's Republic of China and internationally. The company offers solar modules, silicon wafers, solar cells, recovered silicon materials, and silicon ingots \ No newline at end of file diff --git a/input/test/Test4498.txt b/input/test/Test4498.txt new file mode 100644 index 0000000..5c76189 --- /dev/null +++ b/input/test/Test4498.txt @@ -0,0 +1,3 @@ +ANKARA (Reuters) - Turkey's finance ministry said on Friday that credit channels would remain open and that it would take measures to relieve banks and the real sector, after the Turkish lira currency crashed to a record low against the dollar earlier this week. The lira hit a record low of 7.24 against the U.S. dollar over concerns about President Tayyip Erdogan's grip on monetary policy and an ongoing row with the United States. Finance Minister Berat Albayrak told investors on Thursday that Turkey would emerge stronger from the crisis, which Ankara has cast as an economic war. +In a statement, the ministry also said it would provide flexibility on maturities and pricing to endure cash flow for companies, while taking additional measures to avoid obstacles against borrowing for companies. +(Reporting by Orhan Coskun; Writing by Tuvan Gumrukcu; Editing by Ece Toksabay \ No newline at end of file diff --git a/input/test/Test4499.txt b/input/test/Test4499.txt new file mode 100644 index 0000000..926a582 --- /dev/null +++ b/input/test/Test4499.txt @@ -0,0 +1,9 @@ +Chinese tourists boost mobile payments abroad chinadaily.com.cn | Updated: 2018-08-17 14:22 A sign for Ant Financial Services Group's Alipay, an affiliate of Alibaba Group Holding Ltd, is displayed at a store in Bangkok, Thailand, Sept 28, 2017. [Photo/VCG] +As more Chinese people travel abroad during this year's summer holiday, the boom in mobile payments has reached several countries, according to latest data from the nation's leading mobile payment service. +Statistics from Alipay showed the number of mobile payment transaction increased 75 times in Russia, 12 times in Canada and eight times in Malaysia. New Zealand, Australia and Finland also saw big increase in this summer. +In order to attract more Chinese tourists, many countries showed unprecedented enthusiasm for mobile payments, hoping the popular e-payment method could help them gain an advantage, said an official with Alipay. +A greater number of such consumers come from the relatively affluent areas, with Shenzhen, Shanghai and Beijing being the top three sources of origin, Alipay said. +In Singapore, mobile payment has experienced rapid development over the past year, and more than 70 percent of taxis, Changi Airport stores, and some tourist attractions accept smartphones payment. +In Dubai, Mashreq Bank said it is cooperating closely with Alipay. Over the next three months, the number of merchants that have access to Alipay is expected to rise to 1,000 from 150 now. +Compared with Asian countries, European countries didn't have competitive strength in mobile payment coverage. However, to attract more Chinese tourists, they increased the number of airports that support Alipay tax refunds to 80, a new high. +With growing acceptance of mobile payments, Alipay predicted that over the next five years Chinese people won't need to take their wallet when they travel to some famous tourist attractions. Related Storie \ No newline at end of file diff --git a/input/test/Test45.txt b/input/test/Test45.txt new file mode 100644 index 0000000..30c4459 --- /dev/null +++ b/input/test/Test45.txt @@ -0,0 +1,18 @@ +Plane skids off rainy Manila runway, rips off engine, wheel 2018-08-17T07:30:40Z 2018-08-17T08:51:11Z (AP Photo/Bullit Marquez). The left engine of Boeing passenger plane from China, a Xiamen Air, sits several meters away on the grassy portion of the runway of the Ninoy Aquino International Airport after it skidded off the runway while landing Friday, ... (AP Photo/Bullit Marquez). Xiamen Air, a Boeing passenger plane from China, sits on the grassy portion of the runway of the Ninoy Aquino International Airport after it skidded off the runway while landing Friday, Aug. 17, 2018 in suburban Pasay city so... (AP Photo/Bullit Marquez). A Boeing passenger plane from China, a Xiamen Air, lies on the grassy portion of the runway of the Ninoy Aquino International Airport after it skidded off the runway while landing Friday, Aug. 17, 2018, in suburban Pasay city... (AP Photo/Bullit Marquez). Ninoy Aquino International Airport general manager Ed Monreal, center, gestures during a news conference explaining the details after a Chinese Xiamen Air Boeing passenger plane skidded off the runway while landing Friday, Au... (AP Photo/Bullit Marquez). Airline passengers gather to check their flights at the Ninoy Aquino International Airport after a Chinese Xiamen Air Boeing passenger plane skidded off the runway while landing Friday, Aug. 17, 2018, in Manila, Philippines. ... +By JIM GOMEZAssociated Press +MANILA, Philippines (AP) - A plane from China landing on a rain-soaked Manila runway in poor visibility veered off in a muddy field with one engine and a wheel ripped off but no serious injuries among the 165 people aboard who scrambled out through an emergency slide, officials said Friday. +Only four passengers sustained scratches and all the rest including eight crew aboard Xiamen Air Flight 8667 were safe and taken to an airport terminal, where they were given blankets and food before going to a hotel, airport general manager Ed Monreal told a news conference. +The Boeing 737-800 from China's coastal city of Xiamen at first failed to land apparently due to poor visibility that may have hindered the pilots' view of the runway, Director-General of the Civil Aviation Authority of the Philippines Jim Sydiongco told reporters. The plane circled before landing on its second attempt near midnight but lost contact with the airport tower, Sydiongco said. +The aircraft appeared to have "bounced" in a hard landing then veered off the runway and rolled toward a rain-soaked grassy area with its lights off, Eric Apolonio, spokesman of the civil aviation agency said, citing an initial report about the incident. +A Chinese passenger, Wang Xun Qun, who was traveling with her daughter, said in halting English that they embraced each other and were "very scared" before the aircraft landed in a rainstorm. She motioned with her finger how their plane circled for about an hour before the pilots attempted to land. +"Half lucky," the 15-year-old daughter said when asked to describe their experience. "Scary, scary." +Monreal expressed relief a disaster had been avoided. "With God's blessing, all passengers and the crew were able to evacuate safely and no injuries except for about four who had some superficial scratches," he said. +Investigators retrieved the plane's flight recorder and will get the cockpit voice recorder once the aircraft has been lifted to determine the cause of the accident, Sydiongco said. +Ninoy Aquino International Airport, Manila's main international gateway, will be closed most of Friday while emergency crews remove excess fuel then try to lift the aircraft, its belly resting on the muddy ground, away from the main runway, which was being cleared of debris, officials said. A smaller runway for domestic flights remained open. +TV footage showed the plane slightly tilting to the left, its left badly damaged wing touching the ground and its landing wheels not readily visible as emergency personnel, many in orange overalls, examined and surrounded the aircraft. One of the detached engines and landing wheels lay a few meters (yards) away. +A Xiamen Air representative, Lin Hua Gun, said the airline will send another plane to Manila to resume the flight. The Civil Aviation of China said it was sending a team to assist in the investigation. +Several international and domestic flights have been canceled or diverted due to the closure of the airport, which lies in a densely populated residential and commercial section of metropolitan Manila. Airline officials initially said the airport could be opened by noon but later extended it to four more hours. +Hundreds of stranded passengers jammed one of three airport terminals due to flight cancellations and diversions. Dozens of international flights were cancelled or either returned or were diverted elsewhere in the region, officials said. +Torrential monsoon rains enhanced by a tropical storm flooded many low-lying areas of Manila and northern provinces last weekend, displacing thousands of residents and forcing officials to shut schools and government offices. The weather has improved with sporadic downpours. +___ +Associated Press journalists Bullit Marquez and Joeal Calupitan contributed to this report. Copyright 2018 The Associated Press. All rights reserved. This material may not be published, broadcast, rewritten or redistributed \ No newline at end of file diff --git a/input/test/Test450.txt b/input/test/Test450.txt new file mode 100644 index 0000000..13ea62d --- /dev/null +++ b/input/test/Test450.txt @@ -0,0 +1,6 @@ +Brand South Africa Ms Thembi Kunene-Msimang as Acting Chief Executive Officer 17 Aug 2018 +Brand South Africa's Board of Trustees has appointed Ms Thembi Kunene-Msimang as Acting Chief Executive Officer of the entity as of 13th August 2018. +Ms Kunene-Msimang is currently a non-executive Trustee at Brand South Africa. She has over 18 years' executive management experience in the fields of Tourism, Communication, Marketing and serves on various other Boards. +"I am delighted to have been trusted to help steer the organisation to success with the support from employees and the Board. I look forward to continuing the work in fulfilling the organisation's mandate for the greater good of our country", said Ms Kunene- Msimang. +Chairperson of the Board, Ms Khanyisile Kweyama added, "the Board would like to take this opportunity to thank Ms Nadine Thomas for her contribution and willingness to act as CEO since April. She will now continue in her role as Chief Financial Officer of the organisation". +For more information, please contact:Ms Thoko Modis \ No newline at end of file diff --git a/input/test/Test4500.txt b/input/test/Test4500.txt new file mode 100644 index 0000000..87c4e87 --- /dev/null +++ b/input/test/Test4500.txt @@ -0,0 +1,8 @@ +Tweet +MAG Silver (NYSEAMERICAN:MAG) has been given a $19.00 target price by stock analysts at HC Wainwright in a research note issued on Wednesday. The brokerage presently has a "buy" rating on the stock. HC Wainwright's price target would indicate a potential upside of 142.66% from the company's previous close. +Separately, Zacks Investment Research lowered shares of MAG Silver from a "buy" rating to a "hold" rating in a research report on Thursday, July 19th. One research analyst has rated the stock with a sell rating, one has issued a hold rating and four have issued a buy rating to the company's stock. MAG Silver presently has an average rating of "Buy" and a consensus target price of $18.00. Get MAG Silver alerts: +MAG Silver stock opened at $7.83 on Wednesday. MAG Silver has a 1-year low of $7.80 and a 1-year high of $13.29. MAG Silver (NYSEAMERICAN:MAG) last posted its quarterly earnings data on Tuesday, May 15th. The company reported $0.00 earnings per share for the quarter, topping the Zacks' consensus estimate of ($0.02) by $0.02. +A number of institutional investors have recently bought and sold shares of MAG. Gagnon Securities LLC purchased a new stake in MAG Silver in the 1st quarter worth about $110,000. OLD Mission Capital LLC purchased a new position in shares of MAG Silver during the second quarter worth approximately $120,000. Bank of America Corp DE increased its position in shares of MAG Silver by 257.5% during the second quarter. Bank of America Corp DE now owns 12,294 shares of the company's stock worth $133,000 after acquiring an additional 8,855 shares during the period. Campbell & CO Investment Adviser LLC purchased a new position in shares of MAG Silver during the second quarter worth approximately $164,000. Finally, BlackRock Inc. increased its position in shares of MAG Silver by 124.7% during the second quarter. BlackRock Inc. now owns 15,236 shares of the company's stock worth $165,000 after acquiring an additional 8,454 shares during the period. +About MAG Silver +MAG Silver Corp. focuses on acquiring, exploring, and development of mineral properties in Canada. It explores for copper, gold, silver, lead, and zinc deposits. The company primarily holds interests in the Juanicipio property covering 7,679 hectares located in the Fresnillo District, Zacatecas State, Mexico. +Featured Article: Trading Strategy Receive News & Ratings for MAG Silver Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for MAG Silver and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4501.txt b/input/test/Test4501.txt new file mode 100644 index 0000000..0257740 --- /dev/null +++ b/input/test/Test4501.txt @@ -0,0 +1,13 @@ +12:56 - 17/08/2018 +The Tax Administration in Albania will soon apply a new billing technology system. +" The fiscalization project aims to create an on-line real-time monitoring system of fiscal devices such as cash payments for both business and consumer transactions as well as for business-to-business transactions. Unlike the current one built in 2010, this new system, will also be linked to the current risk management module and subsequently to customs, to enable a deeper analysis of the fiscal responsibilities of individual subjects and transactions of businesses," – reports the Ministry of Finance. +Currently, at the end of the working day, when the cash pool is manually closed, fiscal devices transmit data to the central system via GPRS. +The current system is centralized; does not identify the coupon in real time, but only transmits the total turnover and the total number of coupons printed from each fiscal device once a day. +"At the same time, there is no detailed analysis of risk management and control with the current system; electronic business-to-business invoices and block bills are not identified because of non-disclosure by retailers and buyers. This elements are necessary for the effectiveness of tax administration work, "the ministry explained. +According to the Ministry of Finance, the new system apart from addressing these shortcomings, also brings some important innovations: +– It is a comprehensive system covering Business-Consumer (B2C) and Business-Business (B2B) transactions; +-It'll enable better monitoring of all taxpayers and targeted audit, reduce administrative costs and increase the efficiency of the Tax Administration; +-It will enable automatic completion of forms that taxpayers have to submit to tax authorities (sales and purchase books, or pre-fill certain areas of VAT declaration); +-In B2B transactions, it will be possible for the buyer to determine immediately whether the supplier is indeed a tax payer of VAT. +The fiscalization project is considered as another important step in the digitalization process of fiscal administration. Also, it's in favor of capacity building and improved revenue collection efficiency and reduction of fiscal evasion and the simultaneous transformation of the relationship and interaction between fiscal administration and taxpayers. +SCAN Postimi i mëparshë \ No newline at end of file diff --git a/input/test/Test4502.txt b/input/test/Test4502.txt new file mode 100644 index 0000000..e20779b --- /dev/null +++ b/input/test/Test4502.txt @@ -0,0 +1,2 @@ +0 34 FILE PHOTO: Electricity pylons are seen in front of the cooling towers at the Lethabo Thermal Power Station,an Eskom coal-burning power station near Sasolburg in the northern Free State province Ayanda Mdluli JOHANNESBURG- South Africa has a looming energy crisis of which, according to various experts in the field, by 2030 the country will have just around 20GW (gigawatt) if not less of electricity generation capacity. What this essentially means, according to various experts who spoke to Africa News 24-7 is that South Africa is going to lose about 25GW of power generation capacity from the Grid. In addition, by the year 2045 Eskom's generation capacity will be almost 0 (zero) insignificant because all the Power Plants will be out of service with only one nuclear station left with most plants being decommissioned. Eskom is also alleged to be paying for power it does not need. A series of questions needed to be put to the test where Eskom would be held accountable. Eskom is allegedly currently paying R93 million a day for energy it does not need, which totals to about R34 billion a year. According to one of the experts, if Eskom revealed the total kWh for the full year 2017 and 6 months of this year 2018 from Renewable Wind and Solar IPPs it 'actually' absorbed to the 'grid' and supplied to consumers versus the total kWh it paid them it would show that Eskom paid for something it did not need. "We need to ask Eskom why can't these IPPs contracts be moved to National Treasury and we need to understand which one is important between paying RE IPPs for kWh power it did not need and that it did not absorb versus retrenching hard-working workers who produced power that sustained the economy and the country," said Adil Nchabeleng, a member of the South African Energy Forum. According to the South African National Energy Forum, the crisis will be worse if no new power stations are built in the coming years. "Adding more Renewables will not even make a dent to the problem and looming Energy Crisis," said Nchabeleng. What was even a more cause for concern, according to some of the experts was the minister of Energy, Jeff Radebe's perceived inability to deal with the looming energy crisis and his deafening silence on the way forward in order to map out a plan that details South Africa's energy plan for the future. Some of the experts are warning that the minister's silence on the issue will have dire consequences in the near future. Information leaked to Africa News 24-7 highlights how one of the frustrated experts Hlathi Madela who is also a member of the South African Energy Forum told Radebe to "speak' and "give the country direction." In his address to the minister, Madela is alleged to have said: "If the Renewable Wind and Solar and Storage and Gas is the way to go based on facts then, by all means, run with it but show the facts to the country that you lead. If baseload New Coal and New Nuclear is the way to go also based on facts then run with it and if a certain mix of the two is the way to go based on compelling facts as we do believe then run with it. But, what you cannot longer do is to be silent. Come out of the closet and speak so that you can give the country a direction. We are here, we are your citizens and we are willing to help," he said. +@AyandaMdluli2 \ No newline at end of file diff --git a/input/test/Test4503.txt b/input/test/Test4503.txt new file mode 100644 index 0000000..c34dfd4 --- /dev/null +++ b/input/test/Test4503.txt @@ -0,0 +1,12 @@ +HAUPPAUGE, N.Y. , Aug. 17, Mobileistic, one of the largest accessories distributors in the U.S., announced today that it has entered into a distribution agreement with Ingram Micro Inc. to distribute Impact Gel Electronics, Mobileistic's own house brand of highly protective cases with patented Gel Technology. The new agreement took effect June 1, 2018 . +Continue Reading +Mobileistic Logo +Mobileistic is excited about this new relationship, which provides greater exposure to its house brand through Ingram Micro's established distribution channels. Working with Ingram Micro will allow Impact Gel Electronics to continue to grow and innovate in the ever-changing mobile accessories market. +About Mobileistic Mobileistic is a privately held accessories distribution company that has been in business for 16 years. It has been founded by wireless industry veterans that understand and embrace the constantly evolving nature of the industry. Mobileistic's operations have been built to adapt to the varying requirements of its customers over the years, with its latest iteration being a focus on revamping its house brand accessories to bring quality products at attractive prices to market. With the office headquarters location in Hauppauge, NY and distribution center in Grand Prairie, TX , Mobileistic is able to meet its partners' needs effectively. Find out more at www.mobileistic.com . +About mworks! mworks! is the premier choice when it comes to mobile device accessories. We strive to provide the best products under our sub-brands to fit your needs, all while maintaining a level of quality that is unmatched. You'll know you are getting the best deal with our long lasting and dependable cords, chargers, cases and more. As technology continues to advance, mworks! will be at the forefront providing the products you'll need for years to come. Visit www.mworksproducts.com for more information. +About Impact Gel Electronics Impact Gel is one of the most powerful shock absorbing materials out there. We've developed mobile cases using our patented Impact Gel Technology within the sides to provide the most secure protection. Our cases provide peace of mind that your device is safe from drop damage. There's no case that can protect as well as Impact Gel's. Learn more about our products at www.impactgelelectronics.com . +Contact To learn more, please contact: Zack MacLean , VP Brand Development 205 Marcus Blvd., Hauppauge, NY 11788 Office: (631) 531 9500 Fax: (631) 435 3900 zack@mobileistic.com +Related Links +Website +SOURCE Mobileistic LLC +Related Links http://www.mobileistic.co \ No newline at end of file diff --git a/input/test/Test4504.txt b/input/test/Test4504.txt new file mode 100644 index 0000000..f2375c2 --- /dev/null +++ b/input/test/Test4504.txt @@ -0,0 +1,12 @@ +Antarctic seas emit higher CO2 levels than previously thought: Study August 17, 2018 Antarctic +New York, The open water nearest to the sea ice surrounding Antarctica releases significantly more carbon dioxide in winter than previously believed, showed a study conducted using an array of robotic floats. +The robotic floats diving and drifting in the Southern Ocean around the southernmost continent made it possible to gather data during the peak of the Southern Hemisphere's winter from a place that remains poorly studied, despite its role in regulating the global climate. +"These results came as a really big surprise, because previous studies found that the Southern Ocean was absorbing a lot of carbon dioxide," said lead author Alison Gray, Assistant Professor at the University of Washington. +In the Southern Ocean region, carbon atoms move between rocks, rivers, plants, oceans and other sources in a planet-scale life cycle. +It is also among the world's most turbulent bodies of water, which makes obtaining data extremely difficult. +According to the study published in the journal Geophysical Research Letters, the floating instruments collected the new observations. The instruments dive down to 1 km and float with the currents for nine days. +Next, they drop even farther, to 2 km, and then rise back to the surface while measuring water properties. +After surfacing they beam their observations back to shore via satellite. +Unlike more common Argo floats, which only measure ocean temperature and salinity, the robotic floats also monitor dissolved oxygen, nitrogen and pH — the relative acidity of water. +The study analysed data collected by 35 floats between 2014 and 2017. +The team used the pH measurements to calculate the amount of dissolved carbon dioxide, and then uses that to figure out how strongly the water is absorbing or emitting carbon dioxide to the atmosphere. SHAR \ No newline at end of file diff --git a/input/test/Test4505.txt b/input/test/Test4505.txt new file mode 100644 index 0000000..196a4ab --- /dev/null +++ b/input/test/Test4505.txt @@ -0,0 +1,23 @@ +Two moon bears are gently removed from the cramped cages where they have been held for 13 years, rescuers carefully checking their rotten teeth and matted paws before sending them to their new home in a grassy sanctuary in northern Vietnam. +The animals are among the lucky few to be rescued in a country where hundreds of bears are feared to have been killed or starved to death as the cost of once-valuable farmed bile has plummeted. +Bear bile is extracted — often continuously and painfully — from the animals' gallbladders and used in traditional medicine in Vietnam, where the illegal practice remains widespread. +But consumers are shunning the farmed version in favour of bile taken from the nearly extinct wild bear population, which can cost 12 times more, and farmers can no longer earn what they used to from the illicit trade. +If consumer demand for wild bear gallbladders catches on, it could spell the end for wild bears, which are killed for the sought-after organ. +The trend is also bad news for caged bears, whose owners can no longer afford to keep them alive. +"Farmers said it wasn't profitable to keep the bears any more so they started feeding them less and let them die off," Brian Crudge, research programme manager at Free The Bears, told the media this week. +The number of captive bears has dropped dramatically since 2005 from about 4 500 to less than 800 today, according to official data and Crudge, who recently co-authored a study on the issue. +With about 200 bears in Vietnam's rescue centres, he said many likely starved to death or were killed off and sold for their body parts. +Bear paws are popularly used as a delicacy in soup or liquor, while bones are used for cooking and teeth and claws for decoration or jewellery. +Race against time Now it's a race against time to rescue Vietnam's remaining caged bears. +"It's quite urgent, we want to get as many of them as we can before it's too late," Crudge said. +Some farmers — who can legally keep bears as pets but are not allowed to extract bile — have started handing over their bears voluntarily. +One farmer told the media he used to earn $10 for one millilitre (0.03 fluid ounces) of farmed bile, but now only makes about $2, as some consumers prefer to shell out for a supposedly higher quality product from wild bears. +"People don't seem to like the bile anymore so it's harder to find customers," said the farmer, speaking anonymously. +He used to keep about a dozen bears in cages at his home and now has none, but just smiled when asked when happened to them, refusing to elaborate. +Vietnam has come under fire for failing to crack down on the illegal trade, but in a landmark decision last year said it would abolish all bear farms by 2022. +It is likely to meet that goal, but not all will make it into sanctuaries with death rates likely to remain steady. +But a fortunate few will, like moon bears Hoa Lan and Hoa Tra who were sent to a rescue centre in Ninh Binh province this week. +After being rescued from the farm where they have lived since 2005, they will spend a few weeks in quarantine before being allowed to frolic in the grass with their fellow rescuees — which will require some courage after so many years in a cage. +"It's pretty scary for them at first. It can take several weeks until they're brave enough to go around the enclosure," said Emily Lloyd, animal manager at Four Paws Vietnam, which runs the sanctuary. +© Agence France-Presse +Quy Le Bui Read more from Quy Le Bui Vietna \ No newline at end of file diff --git a/input/test/Test4506.txt b/input/test/Test4506.txt new file mode 100644 index 0000000..757caec --- /dev/null +++ b/input/test/Test4506.txt @@ -0,0 +1,29 @@ +FILE PHOTO: Employees sort cuts of fresh pork inside a Shuanghui factory in Zhengzhou +By Josephine Mason +BEIJING (Reuters) – China has ordered the world's top pork producer, WH Group Ltd, to shut a major slaughterhouse as authorities race to stop the spread of deadly African swine fever (ASF) after a second outbreak in the planet's biggest hog herd in two weeks. +The discovery of infected pigs in Zhengzhou city, in central Henan province, about 1,000 km (625 miles) from the first case ever reported in China, pushed pig prices lower on Friday and stirred animal health experts' fears of fresh outbreaks – as well as food safety concerns among the public. +Though often fatal to pigs, with no vaccine available, ASF does not affect humans, according to the United Nations' Food and Agriculture Organisation (FAO). +ASF has been detected in Russia and Eastern Europe as well as Africa, though never before in East Asia, is one of the most devastating diseases to affect swine herds. It occurs among commercial herds and wild boars, is transmitted by ticks and direct contact between animals, and can also travel via contaminated food, animal feed, and international travelers. +WH Group said in a statement that Zhengzhou city authorities had ordered a temporary six-week closure of the slaughterhouse after some 30 hogs died of the highly contagious illness on Thursday. The plant is one of 15 controlled by China's largest pork processor Henan Shuanghui Investment & Development, a subsidiary of WH Group. +Zhengzhou city authorities have banned all movement of pigs and pork products in and out of the affected area for the same six weeks. +Shuanghui said in a separate statement on Friday it culled 1,362 pigs at the slaughterhouse after the infection was discovered. +The infected pigs had traveled by road from a live market in Jiamusi city in China's northeastern province of Heilongjiang, through areas of high pig density to central Henan. Another northeastern province, Liaoning, has culled thousands of pigs since a first case of ASF was reported two weeks ago. +The pigs' long journey, and the vast distance between the two cases, stoked concerns about the spread of disease across China's vast pig herd – and potentially into Japan, the Korean Peninsula and other parts of Asia. +The race in recent years to build vast pig farms in China's north-eastern cornbelt has also increased the number of pigs being transported across country from farm and market to slaughter and processing in the south. +That underlines the challenge for the government in trying to contain infection. +"The areas of concern now involve multiple Chinese provinces and heighten the likelihood of further cases," the Swine Health Information Center, a U.S. research body, said in a note. +South Korea doesn't import pork or pigs from China, but the government has stepped up checks at airports on travelers from the country, and recommended visitors there avoid farms and live markets, the Ministry of Agriculture said on Friday. +In Japan, authorities have ramped up checks on travelers from the affected regions, its Ministry of Agriculture said. It bans imports of raw pork from China. +A second outbreak of deadly swine flu has been discovered in China: https://reut.rs/2vXxkPd +'A LITTLE SCARED' +Pig prices dropped on Friday amid concerns about the outbreak on demand for pork, a staple in China's diet with retail sales topping $840 billion each year. Analysts said farmers may also rush to sell their hogs fearing the infection may spread to their herds. +National hog prices were at 13.97 yuan ($2.03) per kilogram on Friday, down 0.7 percent from Thursday, according to consultancy China-America Commodity Data Analytics. +In central Henan, Hubei and Hunan provinces, prices on average fell more heavily, down 1.4 percent. +"In the short term, there will be a pig-selling spree," said Alice Xuan, analyst with Shanghai JC Intelligence Co Ltd. +As Zhengzhou city froze pig movements, Heilongjiang authorities were also investigating whether the pigs involved were infected in the northeastern province bordering Russia. +Meanwhile comments on the country's Twitter-like Weibo highlighted worries about the safety of eating pork, the nation's favorite meat. The relationship between people and pigs in China is close, with the Chinese word for "home" made up of the character "roof" over the character for "pig". +Posts expressing concern that infected meat may enter the food stream and fears about whether it is safe to eat pork garnered the most attention. +"A little scared. What will happen if you eat (pork)?" said one poster. +WH Group said on Friday it did not expect the closure of the Zhengzhou slaughterhouse to have any adverse material impact on business, helping its shares rise 0.8 percent after slumping 10 percent on Thursday. Shuanghui shares were up 0.67 percent on Friday afternoon. +The Zhengzhou operation accounts for an "insignificant" portion of WH Group's operations, the company said, adding it does not expect any disruption to supply of pork and related products as a result of the temporary closure. On Thursday, Shuanghui said it had diverted sales orders to other operations. +(Reporting by Josephine Mason; Additional reporting by Jianfeng Zhou, Hallie Gu and Ben Blanchard in BEIJING, Luoyan Liu in SHANGHAI, Jane Chung in SEOUL and Yuka Obayashi in TOKYO; Editing by Kenneth Maxwell) TAG \ No newline at end of file diff --git a/input/test/Test4507.txt b/input/test/Test4507.txt new file mode 100644 index 0000000..e836775 --- /dev/null +++ b/input/test/Test4507.txt @@ -0,0 +1,9 @@ +LOS ANGELES , Aug. 17, After recently celebrating its fifth anniversary, ScaleLab has been distinguished as the fastest growing media company in the nation on the 2018 Inc. 5000 List , Inc. Magazine's annual list of the fastest growing companies in America. The Los Angeles -based company grew a whopping 5,686 percent during the last three years by focusing solely on social media influencers and the brands that work with them. +ScaleLab specializes in optimizing and monetizing social media content for its network of more than 1,800 social media influencers, including mega-stars such as Jake Paul , one of the most influential creators on YouTube, Mariale Marrero , the largest US-based Hispanic influencer, MrBeast , one of the most viewed creators on YouTube this summer with a single recent video surpassing 46 million views, and a newly-launched channel for Jonathan Cheban of Keeping Up with the Kardashians . Contributing to ScaleLab's rapid growth is the emergence of its digital marketing division, DisruptivAgency , which creates global influencer campaigns for companies such as Proctor & Gamble, Victoria's Secret, Disney Pixar, mobile gaming brand Cheetah Mobile, and Kate Somerville , among others. +"This ranking validates our team's continuous, remarkable efforts to help influencers connect with larger audiences and partner with top-tier brands," said ScaleLab's founder and CEO, David E. Brenner . "Whether it's hands-on support from our audience growth team or strategy sessions with brand partnership execs, our influencers know that they have the strongest advocate and ally in ScaleLab." +In addition to being named the top media company on Inc. Magazine's 5000 list, ScaleLab was ranked the fourth fastest growing company in Los Angeles , and the twelfth fastest growing company in California , outranking brands such as Equinox International, Bustle Digital Group, and Peloton. ScaleLab's growth shows no sign of slowing as the company prepares for the launch of its next-generation software, which will help influencers expand their presence across all social media platforms and make the brand integration process more seamless than ever before. +For more information, please visit http://bit.ly/ScaleLabInc5000 . +Contact: Ruben Ochoa Head of Agency Phone: (847) 431-4134 Email: ruben@disruptivagency.com +Contact: Dan Barry Senior Publicist Email: dan@disruptivagency.com +SOURCE ScaleLab +Related Links https://scalelab.com/e \ No newline at end of file diff --git a/input/test/Test4508.txt b/input/test/Test4508.txt new file mode 100644 index 0000000..58cd8af --- /dev/null +++ b/input/test/Test4508.txt @@ -0,0 +1,21 @@ +Jeremy Hunt has insisted that Britain would "survive and prosper" after a no-deal Brexit , the day after describing such an exit from the EU as a "mistake we would regret for generations". +The Foreign Secretary said that failure to hammer out a deal with the UK would be "a big mistake for Europe". +He insisted the Government would only sign up to a deal that respected the result of the 2016 election. +Mr Hunt had been criticised by Brexiteer MPs after an interview with ITV News on Thursday in which he appeared to play up the risks of leaving the EU in March without a deal. +In a tweet sent on Friday morning Mr Hunt said: "Important not to misrepresent my words: Britain WOULD survive and prosper without a deal… but it would be a big mistake for Europe because of inevitable impact on long term partnership with UK. +"We will only sign up to deal that respects referendum result." +Speaking earlier to ITV Mr Hunt had discussed the risks of no proper negotiated deal, saying: "It would be a mistake we would regret for generations, if we had a messy, ugly divorce, and would inevitably change British attitudes towards Europe." +When asked whether he was presenting the Government's Brexit plan as "take it or leave it", Mr Hunt answered: "No, but it is a framework on which I believe the ultimate deal will be based and I've been to several countries and met seven foreign ministers and am meeting more in the weeks ahead and I'm getting a strong sense that not just in Holland but in many of the places I've visited that they do want to engage seriously to try and find a way through to try and get a pragmatic outcome." +"What we are seeking from these negotiations is a deep and special partnership" +Foreign Secretary Jeremy Hunt discusses #Brexit during a three-day visit to Finland, Latvia, Denmark and the Netherlands pic.twitter.com/snRWdhlJS2 +— Foreign Office (@foreignoffice) August 16, 2018 +He also revealed that the Government would consider EU proposals that demanded accepting European environmental and social legislation, in order to facilitate a free trade agreement. +Fellow Tory Conor Burns told the Telegraph that "the thing that we want to avoid for 'generations to come' is being locked into a permanent orbit around the EU where we end up with a deal but don't have a seat around the table". +The Danish finance minister on Friday echoed warnings that there is an even chance of the UK crashing out of the European Union without a deal. +Kristian Jensen said time is running out to strike a deal that is positive for both Britain and the EU, after Latvia's foreign minister claimed the chance of a no-deal Brexit is "50-50". +Earlier this week, Edgars Rinkevics said there was a "very considerable risk" of a no-deal scenario but stressed he remained optimistic an agreement with Britain on its withdrawal from the European Union could be reached. +Mr Jensen, appearing on BBC Radio 4's Today programme, was asked about Mr Rinkevics' remarks. +He said: "I also believe that 50-50 is a very good assessment because time is running out and we need to move really fast if we've got to strike a deal that is positive both for the UK and EU. +"Every forces who wants there to be a good deal needs to put in some effort in the months to come otherwise I'm afraid that time will run out." +He went on to describe Theresa May 's Chequers plan as a "realistic proposal for good negotiations". +"We need to go into a lot of details but I think it's a very positive step forward and a necessary step," he told the programme \ No newline at end of file diff --git a/input/test/Test4509.txt b/input/test/Test4509.txt new file mode 100644 index 0000000..e133eff --- /dev/null +++ b/input/test/Test4509.txt @@ -0,0 +1,34 @@ +New developments in crop analytics set for take off News 17 Aug 2018 Sponsored Article +Drones and other image-capturing devices are delivering significant advances in crop analytics technology, but their real potential is yet to be unleashed. +Competition in the world of crop analytics is heating up as rival companies seek out new ways of observing crops to deliver their own unique selling point, says Louis Wells, solutions and services manager at BASF, lead partner in the 2018 Agri-Innovation Den. +"As well as capturing visual and NDVI images of crops, companies are looking at new wavelengths to improve their offering. This is just one example of the strides the sector is making." +BASF has been working closely with crop analysis specialist Hummingbird Technologies, a finalist in the 2017 Agri Innovation Den, to help develop the technology and learn more about its application in practice. +Mr Wells says: "We want to be at the forefront of the emerging crop analytics sector, so we can understand better what it means for our grower and agronomist customers. +"I do not think crop analytics will replace agronomists – someone will still be needed to oversee operations, interpret the data and act on it. But it will make agronomists more efficient, putting key information at their fingertips. +"Delivering more precise insights will also support our chemical portfolio, helping to target specific timings and applications to improve yields and profits." +Drones are being increasingly used for a range of agronomic tasks, such as weed mapping, disease monitoring and crop monitoring, and in creating variable rate seed and fertiliser maps. They can also count plants in crops such as lettuce and cauliflower to improve supply chain management. +Satellites are cheaper and can be used for some of these functions, but image resolution is currently inferior and can be thwarted by cloud cover, although emerging radar technology can help. +Mr Wells says: "Drones deliver more precise data in good detail. They do cost more and you have pay for a pilot or cost your own time if you fly it yourself. +"But the price of drones has fallen markedly, and the cost of flying them will follow. Rather than flying for tens of minutes, I think drones will soon be capable of remaining airborne for a whole day, flying whole farms, often by farmers themselves, with specialist companies processing the masses of data into a readily usable form." +This season, drones have been flown across some of BASF's Real Results Circle farms, where BASF is working with more than 50 farmers to trial products such as Xemium fungicides and develop new technologies under real farm conditions. BASF and Hummingbird are also operating two farm trials in the South West, assessing disease development across a range of wheat varieties throughout the season. +Exponential growth +Arthur Soames, business development director at Hummingbird Technologies, believes data analytics is on the verge of exponential growth in agriculture. +Mr Soames says: "We will see more change in this area in the farming industry than any other over the nextfew years. Precision farming has been talked about since the 1980s, but advances in technology mean we are now reaching critical mass." +The day when every serious farming business owns and operates its own drone is not far away. However, regulations such as line-ofsight restrictions need to change if the full benefits are to be realised. +Mr Soames says: "The technology required for autonomous drone operation already exists, and the systems required to process the vast amounts of data these flights will produce are in place. +"We are now pushing the regulators to acknowledge that commercial agricultural use is a world away from hobby drones being flown over populated areas or near airports. +"I believe it is only a matter of time before this is recognised. Farmers should be the first to take advantage of this autonomous technology, which would transform the way data is collected." +The software is also set to make huge advances. Hummingbird Technologies is a leader in machine-learning technology– the more data its crop analysis systems gather and process, the more accurate they become. +Revised and improved +Hummingbird's algorithms are based upon thousands of data points ground-truthed by its agronomists. As the machinelearning algorithms learn from each verified data point, the products Hummingbird offers are constantly revised and improved. +Mr Soames says: "This will change things beyond recognition, revolutionising data-gathering systems." +Hummingbird Technologies uses drones, fixed-wing aircraft and satellites to create high-resolutionmapping across a range of field crops. User-friendly data is returned to farmers within 24 hours of the flight, enabling more targeted use of inputs to help maximise yields, reduce costs and minimise environmental impacts. +To date the company has carried out more than 10,000 flights over 180,000 hectares (444,780 acres), and can scan 300ha (740 acres) a day, gathering data from across the visual and non-visual light spectrum. Investors include Beeswax Dyson and Velcourt, and the company is working in close partnership with BASF on a number of projects. +Mr Soames says: "In our partnership with BASF we are close to announcing some groundbreaking work which we believe will be the basis of a number of world-leading products. +"We are now addressing problems at the plant level, rather than the field level. BASF realises this is where the future is, and are really supportive of our work, developing technology that will enable them to engage with farmers at a deeper level." Sponsored Article Great potential for start-ups +With so much variability in farming, such as unpredictable weather patterns, as well as the rising costs of inputs, the ability to accurately monitor crop performance with the use of drones opens up great potential for start-up agritech companies. +Dr Ali Hadavizadeh, programme manager for agri-innovation hub Farm491, says: "The ability to monitor crop performance remotely on a regular basis has the potential to reduce unnecessary crop losses. This ability enhances farmers' bottom line profit by targeting inputs and reducing environmental impact." +A business Farm491 has been involved with is Low Level Earth Observation (LLEO), which attended one of Farm491's Inspiring AgriTech Innovation Programme bootcamps earlier this year. +The services LLEO provides include plant counting, leaf area index and crop health mapping – all beneficial in reducing inputs. As well as independent farms, LLEO has performed surveys for Bayer Crop Science and the Centre for Ecology and Hydrology. +Dr Hadavizadeh says: "The mainemphasis of the two-day freebootcamps is to put a strong business plan around innovativeideas. The success of thebusiness will ultimately rely on funding, be it grant or equityinvestment. +"The aim of the programme is to help de-risk the proposition for the investor community and put startups on the path of being long-term sustainable ventures. \ No newline at end of file diff --git a/input/test/Test451.txt b/input/test/Test451.txt new file mode 100644 index 0000000..bea966e --- /dev/null +++ b/input/test/Test451.txt @@ -0,0 +1,26 @@ +Home » Uncategorized » Los Angeles mayor: Trump sows division, does 'racist things' Los Angeles mayor: Trump sows division, does 'racist things' +LOS ANGELES (AP) — Los Angeles Mayor Eric Garcetti, considering a 2020 presidential run, said Thursday that President Donald Trump has done "plenty of racist things" to divide the nation while failing to deliver on health care reform and other promises. +In an interview with The Associated Press, the two-term Democratic mayor who already has visited the important presidential election states of Iowa and New Hampshire said he intends to make a decision on his candidacy by March. +To oust the president in a 2020 campaign, Garcetti said his party needs to show Trump doesn't back up his words. He pointed to Trump's promise to deliver a better health care plan than President Barack Obama's model. "How's that going?" he asked. +"We need to show this is not a strong man, this is a thin-skinned and ineffective person who isn't saying everything wrong, he's bringing up some good points, but he's not producing anything," Garcetti said. "And then the rest of the time he's dividing us and trying to take things away from us." +The mayor said that while "racism is something that lives in everybody," Trump "seems to be much more comfortable with his racism, letting it out." +"We do have a president, a commander in chief, who is using race to divide us. And not just race — immigration status, geography. He wants to divide us by these kind of essential categories, to point fingers," Garcetti said. +He stopped short of calling Trump a racist but said "he certainly has done plenty of racist things." Garcetti said it's important for the public to know if Trump used the N-word as alleged by fired White House aide Omarosa Manigault Newman. +In the wide-ranging interview, the mayor touched on issues from the city's homelessness crisis to immigration. He did not join some other Democrats in calling for the abolition of Immigration and Customs Enforcement but said its mission must be changed. +"We have political leadership that has given ICE this mission that is destructive to families, to economies and to even the safety on our streets," he said. +No candidate has ever ascended directly from a mayor's office to the presidency, but Garcetti has argued that the work of mayors is essentially the type of chief executive work a president does. And in his case, he's overseen a city in a metropolitan area that has a roughly trillion-dollar economy, behind only Tokyo and New York. +When asked about the characteristics a candidate would need to topple Trump in 2020, he appeared to describe himself in saying America needs someone not prone to theatrics and who listens more than speaks. +"President Trump is a great insulter. He's a pretty practiced bully. But I think American people don't want just somebody fighting with President Trump. They want somebody listening to them," he said. +"Average American people are just looking to connect with someone they trust. I don't think they trust Trump at the level that they did, even those who like him," he said. +Garcetti added he "can fire it up too," though he's known for a polished, mannerly disposition. +Strongly Democratic California has been a mainstay in the so-called Trump resistance, but Garcetti said Trump's tenure has amounted to more threats than any broad change in the way the city conducts business. +Should he run for president, the expected crowded Democratic field could include fellow Californian Kamala Harris, a first-term U.S. senator and former state attorney general. Garcetti called her a dear friend and said what she does won't influence his decision. +One of Garcetti's signature accomplishments as mayor was helping craft a successful plan to bring the 2028 Summer Olympics to Los Angeles, after ceding the 2024 Games to rival Paris. He predicts the transportation improvements and construction in advance of the Games will change the face of the city. +He said development around the 1932 and 1984 Games in LA were "the times when we really rebuilt" Los Angeles. +Even as he heralds the Olympics, an expanded commuter rail system and a revitalized downtown, Garcetti faces a homeless crisis that is vast, costly and heart-wrenching. Thousands of transients, most addicted to drugs or mentally ill, regularly camp on sidewalks in an area of town known as Skid Row. Homeless people often sprawl on the lawn outside City Hall. +Garcetti said he was awakened Thursday by an apparently homeless person screaming on his block. He blames the state and federal governments for not doing more to help cities like Los Angeles develop innovative ways to get homeless the help they need. +In one case, he said an alcoholic homeless woman was picked up by LA authorities 155 times and simply recycled back onto the streets until she was moved into a city program in March that aims to get people like her funneled into treatment programs tailored to their needs. +Los Angeles voters have approved spending over $1 billion to construct housing for the homeless, but when will residents begin to see a change? +"Not soon enough for me," the mayor said, without providing any date. +___ +AP Writer Michael Balsamo contributed to this report. Share this \ No newline at end of file diff --git a/input/test/Test4510.txt b/input/test/Test4510.txt new file mode 100644 index 0000000..a12c3e0 --- /dev/null +++ b/input/test/Test4510.txt @@ -0,0 +1,6 @@ +Home Latest Sahara Reporters News Headlines EXCLUSIVE: How Strange 'Passport With White Powder' Led To Shutdown Of US... EXCLUSIVE: How Strange 'Passport With White Powder' Led To Shutdown Of US Embassy's Abuja Consular Section Friday, August 17, 2018 0 14 +The US Embassy shut down its consular operations in Abuja because it received a Nigerian passport that strangely contained an unusual amount of white powder, SaharaReporters can authoritatively report. +The embassy announced the shutdown in a statement on its website on Tuesday — a day after one of its staff opened a passport for processing and discovered a sizeable portion of powder in it. The development sparked huge concerns about the potential damage to the staff member who opened the substance, and to others who may have been exposed to the substance. +A highly placed diplomatic source who confirmed the story to SaharaReporters said the embassy shut down the section to test the powder and to quarantine staff of the section. +The staff of the section were not allowed to leave work with their gadgets on that day, SaharaReporters understands. +Attempts to confirm the†\ No newline at end of file diff --git a/input/test/Test4511.txt b/input/test/Test4511.txt new file mode 100644 index 0000000..2893d2e --- /dev/null +++ b/input/test/Test4511.txt @@ -0,0 +1 @@ +Even as cable news networks debate reports of the existence of a recording of President Donald Trump using a racial slur, a new poll from Rasmussen Reports says that the president's approval rating among African-Americans is at 36 percent, nearly double his support at this time last year. "Today's @realDonaldTrump approval ratings among black voters: 36%," Rasmussen said in a tweet. "This day last year: 19%." That is a staggeringly high number for a man who only won 8 percent of the African-American vote in 2016. It is even more unexpected given the president's rocky history on matters related to race , including his current nasty feud with former White House aide Omarosa Manigault Newman, who has alleged Trump said " n word " on the set of the reality-TV show "The Apprentice." Conservatives celebrated the poll as a sign of trouble for Democrats in upcoming elections. Charlie Kirk, the founder of the conservative campus group Turning Point USA, cited the poll as evidence that Trump "is breaking the Democrat party as we know it." "Trump's Black Approval is at 36%," Kirk tweeted. "If I was a Democrat I would be terrified. And it's only going to get worse for them." A post on Fox News host Sean Hannity's blog cheered the apparent increase in support, which defies the "non-stop media attacks." "The stunning data spells disaster for Democrats just months away from the 2018 midterm election, with the party's base beginning to fracture as the economy roars to life under President Trump and the GOP-controlled Congress," the post says. Trump frequently cites Rasmussen polls because they consistently show him with a higher approval rating than other polling organizations. For example, the Real Clear Politics average currently has Trump at 43 percent approval. But today's tracking poll from Rasmussen has the president at 49 percent. And while Trump has never topped 46 percent on the RCP average, Rasmussen has shown Trump with approval ratings as high as 59 percent . Fact check: The real scoop on Trump's poll numbers More: Here are 10 times President Trump's comments have been called racist But other polls have also shown an increase in support for Trump among African-Americans – albeit a more modest increase than Rasmussen found. An NAACP poll released on Aug. 7 found that Trump's approval rating was at 21 percent. And a survey conducted by the Pew Research Center in June found Trump's approval rating among blacks at 14 percent. Although a vast majority of African-Americans still disapprove of Trump's job as president, those numbers represent an improvement from his share of the vote in 2016. No Republican presidential candidate has done better than 12 percent among blacks since Bob Dole in 1996, according to Cornell University's Roper Center . Trump proudly and frequently cites the current low unemployment figures among African-Americans as a reason voters from that demographic should support him. On Friday, Trump cited those numbers in a tweet in which he also said he was "honored" to have the support of musician Kanye West. Fact check: Did Kanye West help Trump double his approval rating among blacks? In May, Trump boasted to a crowd at a National Rifle Association convention that West's endorsement had doubled his percentage of African-American supporters after a Reuters poll showed it went from 11 to 22 percent in one week. "Kanye West must have some power because you probably have saw I doubled my African-American poll numbers," Trump said. "Thank you, Kanye!" Trump 'Apprentice' slur tapes: A who's who of people associated with alleged recording More: What Trump-Omarosa feud means for midterm \ No newline at end of file diff --git a/input/test/Test4512.txt b/input/test/Test4512.txt new file mode 100644 index 0000000..c9ce558 --- /dev/null +++ b/input/test/Test4512.txt @@ -0,0 +1,9 @@ +The Danish finance minister has echoed warnings that there is a 50% chance of the UK crashing out of the European Union without a deal. +Kristian Jensen said time is running out to strike a deal that is positive for both Britain and the EU, after Latvia's foreign minister claimed the chance of a no-deal Brexit is "50-50". +Earlier this week, Edgars Rinkevics said there was a "very considerable risk" of a no-deal scenario but stressed he remained optimistic an agreement with Britain on its withdrawal from the European Union could be reached. +Mr Jensen, appearing on BBC Radio 4's Today programme, was asked about Mr Rinkevics' remarks. +He said: "I also believe that 50-50 is a very good assessment because time is running out and we need to move really fast if we've got to strike a deal that is positive both for the UK and EU. +"Every forces who wants there to be a good deal needs to put in some effort in the months to come otherwise I'm afraid that time will run out." +He went on to describe Theresa May 's Chequers plan as a "realistic proposal for good negotiations". +"We need to go into a lot of details but I think it's a very positive step forward and a necessary step," he told the programme. +Mr Jensen refused to say whether new Foreign Secretary Jeremy Hunt would be easier to work with than Boris Johnson , but said: "I do believe that we had a good co-operation with Boris and I'm sure that we will have good co-operation with Jeremy. \ No newline at end of file diff --git a/input/test/Test4513.txt b/input/test/Test4513.txt new file mode 100644 index 0000000..a124434 --- /dev/null +++ b/input/test/Test4513.txt @@ -0,0 +1 @@ +Press release from: Market Research Future L-Histidine Market Market Research Future Present Premium Report "Global L-Histidine Market Research Report" The Country Level Analysis of the Market with Respect to the Current Market Size and Future Growth Prospect.Key players of Global L-Histidine MarketSome of the global and local players are engaged in the L-Histidine those are, Angene Chemicals (UK), Douglas Laboratories(US), Zealing Chemical Co. Ltd (Thailand), MolPort, ABI Chemical, Acron Pharma Tech, Shine Star Biological Engineering, Changzhou Highassay Chemical Co. Ltd, Ajinomoto (Japan), Kyowa Hakko Bio, Huaheng Biological, Twinlabs(US), MyProtein(UK) and others. Premium Sample Report Available @ www.marketresearchfuture.com/sample_request/725 The segmentation is done on the basis of the product type and by applications. The product type includes tablets, capsules, fluids and others. On the basis of application the industries using histidine are pharmaceutical industry, food industry and medical industries.L-Histidine Market - ScenarioL-Histidine is an essential amino acid and is one of the 23 proteinogenic amino acids. It is engaged in the formation of proteins and impacts several of the metabolic reactions in the body. This amino acid is produced in very less amount in our body.The fulfillment of this amino acid is usually done by the food suppliant or by regular diet. It is an essential element for recovering from illness and during growth it is much required.The market for L-Histidine will grow at a rate of 6% CAGR during the forecasted period 2017-2023. The number of people with histidine deficiency are growing as well the proper nutrition is not available for everyone. The market has much opportunity to grow in coming future.L-Histidine Market - Regional analysisGlobally the improper nutrition is not consumed by the people. The number of malnutrition patients are increasing mostly in the developing countries and also the number in the developed countries are growing. On the basis of region the global L-histidine market is segmented into four main geographic regions Americas, Europe, Asia Pacific and Middle East & Africa. Further this region are segmented on the basis of the countries like North America and South America. In Europe countries like Germany, France, Italy, Spain, UK and Rest of Europe. In the Asia-Pacific region countries like Japan, China, India, Republic of Korea and rest of APAC region. While in the Middle East and Africa Saudi Arabia, Qatar, Kuwait Oman, UAE and rest of Middle East & Africa.The report for Global L-Histidine Market by Market Research Future comprises of extensive primary research along with the detail analysis of qualitative as well as quantitative aspects by various industry experts, key opinion leaders to gain a deeper insight of the market and industry performance. The report gives a clear picture of current market scenario which includes past and estimated future market size with respect to value and volume, technological advancement, macro economical and governing factors in the market. The report provides detail information about and strategies used by top key players in the industry. The report also gives a broad study of the different market segments and regions.L-Histidine Market - Study objectivesTo deliver detail study of the market structure along with projected future growth forecast for the next 7years about various segments and sub-segments of the global L-Histidine market.To deliver understandings about factors affecting the market growth.To study the global L-Histidine market based on various factors - price analysis, supply chain analysis, porters five force analysis etc.To deliver past and evaluated future revenue of the market's segments and sub-segments with respect to four main geographies and their countries - Americas, Europe, Asia-Pacific along with Middle East & Africa.To deliver country level analysis of the market with respect to the current market size and future growth prospect.To track and analyze developments which are competitive in nature such as joint ventures, strategic alliances, mergers and acquisitions, new product developments along with research and developments currently taking place in the global L-Histidine market.Ask Questions to Experts @ www.marketresearchfuture.com/enquiry/725 MAJOR TABLE OF CONTENTS \ No newline at end of file diff --git a/input/test/Test4514.txt b/input/test/Test4514.txt new file mode 100644 index 0000000..7ae4806 --- /dev/null +++ b/input/test/Test4514.txt @@ -0,0 +1,21 @@ +Beto O'Rourke speaks at the Texas Democratic Convention in June. Since winning the Democratic primary, O'Rourke has embraced progressive positions — at times, including impeaching President Trump — as he challenges GOP Sen. Ted Cruz's reelection bid. Richard W. Rodriguez / AP GOP Sen. Ted Cruz takes a photo with a supporter during a rally to launch his re-election campaign on April 2 in Stafford, Texas. Cruz says he's taking the campaign of Democratic challenger Beto O'Rourke seriously. Erich Schlegel / Getty Images Rep. Beto O'Rourke, Democratic nominee for Senate in Texas, greets supporters at a cafe in San Antonio. Wade Goodwyn / NPR Listening... / +If you arrived at Beto O'Rourke's recent town hall meeting in San Antonio even 40 minutes ahead of time, you were out of luck. All 650 seats were already taken. +It was one sign that the El Paso Democratic congressman has set Texas Democrats on fire this year, as he takes on Republican Sen. Ted Cruz's re-election bid. +Texas Democrats have been wandering in the electoral wilderness for two decades — 1994 was the last time they won a statewide race — but at O'Rourke's events they have been showing up in droves. Often, it's standing room only. +"Let's make a lot of noise so the folks in the overflow room know we're here, that we care about them," O'Rourke tells the crowd at the town hall, before counting to three and leading them in a cheer of "San Antonio!" +While he was sorry that all of those supporters couldn't see him, Beto O'Rourke is an unapologetic, unabashed liberal, who's shown no interest in moving toward the political middle after his victory in the Texas Democratic primary. +On issues like universal health care, an assault weapons ban, abortion rights and raising the minimum wage, O'Rourke has staked out progressive positions. The Democrat even raised the specter of impeachment after President Trump's Helsinki press conference with Vladimir Putin — although O'Rourke has since walked back that position some. +Nevertheless, recent polls have him just 2 and 6 points behind Cruz. Compare that with the 20-point walloping Texas state Sen Wendy Davis endured in 2014 when she lost in a landslide to Republican Greg Abbott in the race for governor. But that recent history begs the question of whether someone running as far to the left as Cruz can actually win in a state like Texas. +Former Texas agricultural commissioner and Democratic populist Jim Hightower sees something different in O'Rourke's campaign. +"You've got a Democratic constituency that is fed up, not just with Trump, but with the centrist, mealy-mouthed, do-nothing Democratic establishment," Hightower said. "They're looking for some real change and Beto is representing that." +Cruz says he's taking O'Rourke's candidacy very seriously. +"I think the decision he's made is run hard left and find every liberal in the state of Texas, and energize them enough that they show up and vote," Cruz said in an interview with NPR. "And I think he's gambling on there are enough people on the left for whom defeating and destroying Donald Trump is their number-one issue, that he's hoping that his path to victory. I don't see that in the state of Texas. In Texas, there are a whole lot more conservatives than liberals." +When it comes to the critical issue of immigration, the two Texas candidates for Senate couldn't be further apart. Last week in Temple, Cruz indicated he supports ending birthright citizenship telling the crowd, "it doesn't make a lot of sense." O'Rourke is against building a wall along the border and favors a gradual path to legal status for undocumented immigrants. +Political observers in Texas say it's still too early to get a good read on the race, although it seems that O'Rourke's campaign is generating some momentum. Jim Hensen, director of the Texas Politics Project at the University of Texas, which does extensive statewide polling, says the key to O'Rourke's success thus far is that he began his campaign early. +"He's much more viable, he's been working harder, he's traveled all over the state. He started earlier than the statewide candidates that we've seen in recent years, and I think it's made a big difference," Hensen said. Still, Hensen believes an O'Rourke victory is probably a long shot, not for lack of effort or fundraising, but because of the advantage Republican candidates enjoy in Texas when it comes to the sheer numbers of voters. +"In a hundred-yard dash, [O'Rourke] probably starts 10 to 15 yards behind," Hensen said. +At a café in San Antonio where he's come for an interview, O'Rourke can't make it to a table because he's mobbed by customers who recognize him and want a picture together. The congressman patiently chats up everyone who approaches and agrees to pictures. He urges his fans to share the photos on social media, a likely unnecessary piece of advice. +With the recent separations of immigrant children from their parents who are seeking asylum at the Texas border, immigration is hot topic of conversation. "I think that this state, the most diverse state in the country, should lead on immigration," O'Rourke told NPR. "Free DREAMers from the fear of deportation, but make them citizens today so they can contribute to their full potential. That is not a partisan value, that's our Texan identity and we should lead with it." +O'Rourke seems to have no fear of sounding too progressive for Texas. He has no interest in moving toward the ideological center for the general election. +He borrowed an old line from Jim Hightower as way of explanation. +"The only thing that you're going to find in the middle of the road are yellow lines and dead armadillos. You have to tell the people that you want to serve what it is you believe and what you are going to do on their behalf," O'Rourke said. "We can either be governed by fear, fear of immigrants, fear of Muslims, call the press the enemy of the people, tear kids away from their parents at the U.S.-Mexico border, or we can be governed by our ambitions and our aspirations and our desire to make the most out of all of us. And that's America at its best." Copyright 2018 NPR. To see more, visit http://www.npr.org/. © 2018 KWIT 4647 Stone Avenue, Sioux City, Iowa 51106 712-274-6406 business line . 1-800-251-3690 studi \ No newline at end of file diff --git a/input/test/Test4515.txt b/input/test/Test4515.txt new file mode 100644 index 0000000..4202c6a --- /dev/null +++ b/input/test/Test4515.txt @@ -0,0 +1,15 @@ +Sorry, but your browser needs Javascript to use this site. If you're not sure how to activate it, please refer to this site: http://www.enable-javascript.com/ New Zealand's Rieko Ioane throws a ball during a training session in Sydney on Thursday. The All Blacks and Wallabies will play a test match on Saturday. | AP Wallabies out to bring back fans in series with All Blacks AP SHARE +WELLINGTON – Few matches in world rugby are more hyped than Bledisloe Cup contests between Australia and New Zealand, yet Australian fans have responded to Saturday's first test in Sydney with trepidation and disinterest. +Cup matches usually sell out within minutes but many tickets remain unsold for Saturday's match for a simple reason. Australia hasn't won a Bledisloe Cup series against New Zealand since 2002 and Wallabies fans have little desire to see that streak continue, and little confidence that it won't. +The attendance of 54,000 at last year's equivalent match was the lowest for a Bledisloe Cup test in Sydney in the professional era. At the start of the current match week only 45,000 tickets had been sold for the 83,000-capacity ANZ Stadium. Rugby Australia chief executive Raelene Castle hoped 60,000 fans will attend and that the stadium "will feel really full." +The Wallabies have spent the past week trying to whip up the enthusiasm of their fans by declaring they can match the All Blacks in skill and need only to believe in themselves to win. They have pointed to the fact they won the last match between the teams, 23-18, in Brisbane in October. +They say their 2-1 loss to world No. 2 Ireland in a tight test series in June is evidence they have turned a corner and are now well-equipped to beat world champion New Zealand. They have even suggested this season's Super Rugby competition, in which only one Australian team made the eight-team playoffs, points to a broader upswing in the fortunes of Australian rugby. +All Blacks coach Steve Hansen responded to the bullish tone of the Wallabies by declaring them favorites for Saturday's match. Horrified at the prospect of carrying that burden, Australia coach Michael Cheika reclaimed the more comfortable role of underdog. +"Hansen's a fine coach and he's obviously a great rugby mind. He's leading the team that's the best in the world, he's a great coach," Cheika said. "But I think he may have had that one wrong because I don't think many of his players would believe it to be honest." +The All Blacks don't shy away from the favorite tag. Their 16-year reign as Bledisloe Cup champions, a little shorter than their reign as the world's top-ranked team, makes that billing inevitable. +They swept France 3-0 in their latest series in June and weren't wholly impressive but still managed to induct a number of new players into their squad, broadening their depth. +That depth was apparent in the team selections this week. Hansen had a wide range of choices even in a relatively small squad while Cheika, with a larger squad, had fewer. +The heart of the Australian team is in the back row and inside backs: captain Michael Hooper, his fellow loose forward David Pocock, scrumhalf Will Genia, flyhalf Bernard Foley and inside center Kurtley Beale. That group is steeped in experience and, with fullback Israel Folua, will have to rally their younger teammates if Australia is to achieve an upset. +The All Blacks can be confident that the Wallabies will have to produce something extraordinary to win. In any reasonable comparison of the teams, there is no area in which Australia has obvious superiority. +Hansen has expressed satisfaction with his preparation while keeping the focus on the Wallabies. +"I think they're a good side," he said. "They've improved a heck of a lot." LATEST RUGBY STORIE \ No newline at end of file diff --git a/input/test/Test4516.txt b/input/test/Test4516.txt new file mode 100644 index 0000000..03f5d8b --- /dev/null +++ b/input/test/Test4516.txt @@ -0,0 +1,12 @@ +Environment | By Agencies Antarctic seas emit higher CO2 levels than previously thought +New York: The open water nearest to the sea ice surrounding Antarctica releases significantly more carbon dioxide in winter than previously believed, showed a study conducted using an array of robotic floats. It is also among the world's most turbulent bodies of water +The robotic floats diving and drifting in the Southern Ocean around the southernmost continent made it possible to gather data during the peak of the Southern Hemisphere's winter from a place that remains poorly studied, despite its role in regulating the global climate. +"These results came as a really big surprise, because previous studies found that the Southern Ocean was absorbing a lot of carbon dioxide," said lead author Alison Gray, Assistant Professor at the University of Washington. +In the Southern Ocean region, carbon atoms move between rocks, rivers, plants, oceans and other sources in a planet-scale life cycle. +It is also among the world's most turbulent bodies of water, which makes obtaining data extremely difficult. +According to the study published in the journal Geophysical Research Letters, the floating instruments collected the new observations. The instruments dive down to 1 km and float with the currents for nine days. +Next, they drop even farther, to 2 km, and then rise back to the surface while measuring water properties. +After surfacing they beam their observations back to shore via satellite. +Unlike more common Argo floats, which only measure ocean temperature and salinity, the robotic floats also monitor dissolved oxygen, nitrogen and pH — the relative acidity of water. +The study analysed data collected by 35 floats between 2014 and 2017. +The team used the pH measurements to calculate the amount of dissolved carbon dioxide, and then uses that to figure out how strongly the water is absorbing or emitting carbon dioxide to the atmosphere. Share this \ No newline at end of file diff --git a/input/test/Test4517.txt b/input/test/Test4517.txt new file mode 100644 index 0000000..e720e0d --- /dev/null +++ b/input/test/Test4517.txt @@ -0,0 +1,17 @@ +The Business Of 60 Second Skits: How Your Favourite Comedians Are Cashing Out On Instagram Posted on August 16 2018 , at 09:00 am Read more Story highlights +Today, a younger crop of comics have deployed technology and the popularity of social media apps to not only advance their artistry but have carved out a niche for themselves, one that is getting more lucrative by the day. +In the years past, one had to attend stand-up comedy shows to have a good laugh, and that was even due to successes of comedy greats such as Alibaba , Tee A , Okey Bakassi and the likes. Before then, comedians were not reckoned with in the ecosystem of entertainment. At best, they were an afterthought, an addendum. +Today, a younger crop of comics have deployed technology and the popularity of social media apps to not only advance their artistry but have carved out a niche for themselves, one that is getting more lucrative by the day. +Whilst the work of older-generation humour merchant cannot be disparaged (veterans like Alibaba and Opa Williams fought hard to see comedy become one of the most profitable ventures in the country and brought structure and revenue with the sales and distribution of comedy shows packaged into DVDs) the new generation have simply bypassed the standard and created a lane which they thrive on. +Apps like Instagram and Snapchat in recent times have exponentially increased the chances of these comedians becoming successful. They acquire fans by publishing directly through their social media channels and gradually, they're becoming pop-stars and celebrities. They understand the average social media user and the probability that most people are glued to their smartphones for hours on end. +These 'online' comedians have been able to capture the attention of advertisers and brands who use them -and their jokes- to market products and service at premium costs. With comics like Lasisi Elenu getting as many as a thousand comments in thirty minutes, one would understand why companies are keen to key into their fan base for maximum exposure. Such is the type of power they wield. +What's their unique selling point? What attracts fans to their pages? It is their mastery of the medium and ability to interpret roles in a very short period of time. It does take a special kind of skill set up a joke in sixty seconds. +"When I started, Instagram only could take fifteen seconds of video!" Frank Donga said to us on a visit to NET TV studios. 'You only had fifteen seconds to deliver the punch line and make people laugh." Donga (real name Kunle Idowu) became popular through a video series he did in conjunction with GT Bank in 2013. Playing a job seeker who shared his woes with fans, the skits were primarily on Youtube but understanding that Nigerians are quite judicious with their consumption of internet data, he quickly set up his own Instagram page to reach a wider audience. +The actor and comedian who holds a first degree in Agricultural Science said "I was not based in Lagos when I started, but I discovered that one of the major problems befalling Nigerian youths was the fact that a lot of Nigerian youths are not employable. So I thought I should package an episode to expose some of these findings." He soon gained a cult following and has parlayed his Instagram success (that sees him charge as much as N500,000 for skits) into a major film career. +Another popular face (and voice) is Lasisi Elenu for his one-minute rants on Instagram. He told NET TV at the Nigerian Entertainment Conference earlier this year that he had no plans to become a comedian and was just sharing his experience with friends on the platform. "I am still trying to discover myself, but I get inspired by the most simple things. I could just be driving and see two people fighting, I can tell that my fans will be interested as well." +Right now he has close to a 1 million followers and charges a minimum of N300,000 per (branded) post. +Nollywood actor, Charles Okocha has had a career spanning almost ten years. But it wasn't until his 'Igwe 2pac' clips went viral that he became, well- a viral star. Since then, he has planted himself into the very grain of Nigerian entertainment, one skit at a time. From 'Shove it up your ass', 'Amoshine', 'Accolades' and most recently ' Adeniny ', his catchphrases have become mainstream pop culture slang, making the actor a legitimate brand influencer. Right now, he charges up to N700,000 for his skits. Not bad for a young man who nearly lost his life after a drunk policeman shot him six times in 2015. +Also remarkable is Maraji (Gloria Oloruntobi), who became popular through her choreography to songs. Using the app Musical.ly , she typically shoot several takes and compiles into one-minute videos. In time, she learnt how to act as many as eight characters into the skits, warming her way into the minds of over 900,000 followers on Instagram alone. Today, the 21-year-old Covenant University graduate charges N500,000 to produce such skits for brands and businesses. A post shared by Gloria Oloruntobi (@maraji_) on Jul 14, 2018 at 1:07am PDT +One would think the duo of Josh 2funny and Mama Felicia are just fooling around in drag while they mimic musicians, but behind those skits are carefully crafted scripts to appeal to the minds of their viewers. They both charge between N250,000 and N300,000 each. +Woli Arole may have started his career as a mainstream comedian who sought to win Alibaba's Spontaneity contest, he has since taken advantage of social media to create multiple lines of business for himself- as a stand-up comedian, actor and events compere. His 'Christian prophet' character has inspired other comics like Woli Agba who mimic clergymen to crack jokes. +All in all, the so-called the internet-of-things phenomenon is bound to change the way things are done in the world. As it is becoming obvious, it would not stop with automating work processes, intangible industries like entertainment would also be impacted. For these comedians who have placed themselves firmly in the front seat, they can have no complaints. Ⓒ Copyright NET News Ltd. All Rights Reserved. Please use sharing tools. Do not cut, copy or lift any content from this website without our consent \ No newline at end of file diff --git a/input/test/Test4518.txt b/input/test/Test4518.txt new file mode 100644 index 0000000..df4dd30 --- /dev/null +++ b/input/test/Test4518.txt @@ -0,0 +1 @@ +Press release from: Market Research Reports Search Engine - MRRSE Market Research Report Search Engine This report analyzes and forecasts the market for green petroleum coke at the global and regional level. The market has been forecast based on revenue (US$ Mn) and volume (million tons) from 2018 to 2026. The study includes drivers and restraints of the global green petroleum coke market. It also covers the impact of these drivers and restraints on the demand for green petroleum coke during the forecast period. The report also highlights opportunities in the green petroleum coke market at the global level.To Get Complete Table of Content, Tables and Figures Request a Sample Report of Green Petroleum Coke Market Research Report @ www.mrrse.com/sample/16449 The report comprises a detailed value chain analysis, which provides a comprehensive view of the global green petroleum coke market. The Porter's Five Forces model for the green petroleum coke market has also been included to help understand the competitive landscape in the market. The study encompasses market attractiveness analysis, wherein applications are benchmarked based on their market size, growth rate, and general attractiveness.The study provides a decisive view of the global green petroleum coke market by segmenting it in terms of source, form, and application. The segments have been analyzed based on present and future trends. Regional segmentation includes the current and projected demand for green petroleum coke in North America, Europe, Asia Pacific, Latin America, and Middle East & Africa. The report also covers the demand for individual source, form, and application segments in all the regions. Key players operating in the green petroleum coke market include Oxbow Corporation, AMINCO RESOURCES LLC., Asbury Carbons, Aluminium Bahrain (Alba), Atha Group, Carbograf Industrial S.A. de C.V., Rain Carbon Inc., Minmat Ferro Alloys Private Limited, Shandong KeYu Energy Co., Ltd. Weifang Lianxing New Material Technology Co., Ltd. Linyi Zhenhua Carbon Technology Co., Ltd. COCAN (HUBEI) GRAPHITE MILL INC. Modern Industrial Investment Holding Group. Sinoway Carbon Co., Ltd., and Ningxia Wanboda Carbons & Graphite Co., Ltd. Market players have been profiled in terms of attributes such as company overview, financial overview, business strategies, and recent developments.The report provides the estimated market size of green petroleum coke for 2017 and forecast for the next nine years. The size of the global green petroleum coke market has been provided in terms of revenue and volume. Market numbers have been estimated based on source, form, and application of green petroleum coke. Market size and forecast for each major source, form, and application have been provided in terms of the global and regional market.In order to compile the research report, we conducted in-depth interviews and discussions with a number of key industry participants and opinion leaders. Primary research represents the bulk of research efforts, supplemented by extensive secondary research. We reviewed key players operating in various end-use industries, annual reports, press releases, and relevant documents for competitive analysis and market understanding. Secondary research also includes a search of recent trade, technical writing, internet sources, and statistical data from government websites, trade associations, and agencies. This has proven to be the most reliable, effective, and successful approach for obtaining precise market data, capturing industry participants' insights, and recognizing business opportunities.To know the latest trends and insights prevalent in this market, click the link below: www.mrrse.com/green-petroleum-coke-market Green Petroleum Coke, by SourceAnode Green Petroleum Coke, by FormSponge Cok \ No newline at end of file diff --git a/input/test/Test4519.txt b/input/test/Test4519.txt new file mode 100644 index 0000000..6011808 --- /dev/null +++ b/input/test/Test4519.txt @@ -0,0 +1,15 @@ +Business | By IANS Record low rupee subdues equity indices; banking stocks fall +Mumbai: Sentiments in the Indian equity market weakened on Thursday with the rupee hitting fresh lows. Indian rupee fell in the morning and again in the afternoon +Further, decline in the global markets subdued the domestic indices, analysts said. +The rupee touched a record low of 70.39-40 against the dollar on Thursday tracking weakness in its global peers. It settled at a record closing low of 70.16 against the dollar, weakening by 26 paise from Tuesday's close of 69.90 a US dollar. +Index-wise, the wider Nifty50 of the National Stock Exchange (NSE) closed at 11,385.05 points, down 50.05 points or 0.44 per cent from its previous close of 11,435.10 points. +The barometer 30-scrip S&P BSE Sensex closed at 37,663.56 points, down 188.44 and 0.50 per cent from its previous close of 37,852 points on Tuesday. +The barometer touched an intra-day high of 37,891.92 points and an intra-day low of 37,634.13 points. +In the broader markets, the S&P BSE Mid-cap fell by 0.48 per cent and the S&P BSE Samll-cap ended lower by 0.20 per cent from the previous close. +"Markets corrected on Thursday as they failed to sustain at the highs of the day. Banks and metal stocks (due to falling commodity prices) led the fall," Deepak Jasani, the Head of Retail Research at HDFC Securities, said. +"Indian rupee fell in the morning and again in the afternoon…." +Investment-wise, provisional data with exchanges showed that foreign institutional investors sold scrip worth Rs 825.08 crore, while the domestic institutional investors bought stocks worth Rs 133.78 crore. +Sector-wise, the S&P BSE Healthcare rose 140.83 points, the IT index was up 86.25 points and auto index ended higher 71.81 points. +In contrast, the S&P BSE metal index declined by 282.83 points, followed by the consumer durables index, which was down 211.72 points and the banking index ended lower 203.22 points. +The major gainers on the S&P BSE Sensex were Sun Pharma, up 2.98 per cent at Rs 619.60; Bharti Airtel, up 1.51 per cent at Rs 372.05; Infosys, up 1.17 per cent at Rs 1,425.30; Tata Motors, up 0.99 per cent at Rs 251.15; and Axis Bank up 0.90 per cent at Rs 623.85 per share. +The major losers were Kotak Mahindra Bank, down 3.62 per cent at Rs 1,244.90; Vedanta, down 3.05 per cent at Rs 208.55; HDFC, down 2.61 per cent at Rs 1,890.90; Tata Steel, down 1.87 per cent at Rs 568.10; and Larsen and Toubro, down 1.6 per cent at Rs 1,232.95 per share. Share this \ No newline at end of file diff --git a/input/test/Test452.txt b/input/test/Test452.txt new file mode 100644 index 0000000..538ea17 --- /dev/null +++ b/input/test/Test452.txt @@ -0,0 +1,8 @@ +No posts were found Preschool or Childcare Market in China with an almost 99% literacy rate including key players Golden Apple Education Group, Yew Chung International School of Shanghai August 17 Share it With Friends Preschool or Childcare Market HTF analysts forecast the preschool or childcare market in China to grow at a CAGR of 14.01% during the period 2017-2021. +A new independent 75 page research with title 'Preschool or Childcare Market in China 2017-2021' guarantees you will remain better informed than your competition. The study covers geographic analysis that includes regions and important players/vendors such as Golden Apple Education Group, Rainbow Bridge International School- Hong Qiao International School (RBIS-HQIS), Montessori School of Shanghai, Shanghai American School, Yew Chung International School of Shanghai With n-number of tables and figures examining the Preschool or Childcare the research gives you a visual, one-stop breakdown of the leading products, submarkets and market leader's market revenue forecasts as well as analysis to 2022 +HTF analysts forecast the preschool or childcare market in China to grow at a CAGR of 14.01% during the period 2017-2021. +Request a sample report @ https://www.htfmarketreport.com/sample-report/808388-preschool-or-childcare-market +A preschool/kindergarten or a nursery school is an educational establishment wherein a learning space is offered to children, primarily aged below 6 years, which is early childhood. Training on many skills for cognitive development is provided to children in this age group before they commence compulsory education at primary and secondary schools. China is said to have one of the largest education systems in the world, in terms of value, with an almost 99% literacy rate. In China, children receive nine years of compulsory education. The maximum number of students spend six years in primary school, and some of them follow the five-year cycle of primary school. Primary education is for children from the age of six. This stage of education is followed by three to four years of junior secondary education. +Covered in this report +The report covers the present scenario and the growth prospects of the preschool or childcare market in China for 2017-2021. To calculate the market size, the report considers the revenues generated by preschools by providing childcare services. +HTF report, Preschool or Childcare Market in China 2017-2021, has been prepared based on an in-depth market analysis with inputs from industry experts. The report covers the market landscape and its growth prospects over the coming years. The report also includes a discussion of the key vendors operating in this market \ No newline at end of file diff --git a/input/test/Test4520.txt b/input/test/Test4520.txt new file mode 100644 index 0000000..7140600 --- /dev/null +++ b/input/test/Test4520.txt @@ -0,0 +1 @@ +Data Cleansing Services Data Cleaning in USA/UK/CANADA Description: When there's so much talk about finding contacts and refining data as time passes, periodically, it is essentially more important to regularly cleanse data on the database to ensure the avoidance of malfunction in the system. According to Webopedia, data cleansing, also referred to as data scrubbing, the act of detecting and removing and/or correcting a database's dirty data (i.e., data that is incorrect, out-of-date, redundant, incomplete, or formatted incorrectly). Similarly, the process of cleaning is all the more important to ensure that all the data is updated well with relevance and accuracy. With Pegasi Media Group Data Cleansing Services, you can Ensures the right contact gets the right information Increase your organisation's ROI and productivity whilst reducing cost and wastage Ensure compliance with the Data Protection Act Improve match rates when appending additional intelligence to your database Accurate contact details improve response rates Data cleansing is not just cleaning up unwanted data. It also involves reducing the duplication and deleting the duplicated data. It standardizes all data under a single format and makes it simpler for clients to reach their target audience. It is an opportunity for organizations to start a fresh with better leads. Regardless of the eventual path taken for your project, you can be assured that with our experience and expertise, we will deliver you a quality result. Let's Discuss: Thank you for your interest in Pegasi Media Group Data Cleansing Services. Get to know more about our Data Intelligence, Marketing Database and Consulting Services. If you would prefer to speak with a specialist now, please call 1-302-803-5211 or Email us at: sales@pegasimediagroup.com General details \ No newline at end of file diff --git a/input/test/Test4521.txt b/input/test/Test4521.txt new file mode 100644 index 0000000..ebc708a --- /dev/null +++ b/input/test/Test4521.txt @@ -0,0 +1 @@ +Watch porn videos for free, erotico.com.mx provides a huge selection of the best porn movies, you can stream on your computer or mobile device Men \ No newline at end of file diff --git a/input/test/Test4522.txt b/input/test/Test4522.txt new file mode 100644 index 0000000..dc0207c --- /dev/null +++ b/input/test/Test4522.txt @@ -0,0 +1,12 @@ +By Linda Holmes • 1 hour ago L to R: Anna Cathcart, Janel Parrish, and Lana Condor play Kitty, Margot, and Lara Jean Covey in To All the Boys I've Loved Before . Netflix +Well, it's safe to say Netflix giveth and Netflix taketh away. +Only a week after the Grand Takething that was Insatiable , the streamer brings along To All The Boys I've Loved Before , a fizzy and endlessly charming adaptation of Jenny Han's YA romantic comedy novel. +In the film, we meet Lara Jean Covey (Lana Condor), who's in high school and is the middle sister in a tight group of three: There's also Margot, who's about to go to college abroad, and Kitty, a precocious (but not too precocious) tween. Unlike so many teen-girl protagonists who war with their sisters or don't understand them or barely tolerate them until the closing moments where a bond emerges, Lara Jean considers her sisters to be her closest confidantes — her closest allies. They live with their dad (John Corbett); their mom, who was Korean, died years ago, when Kitty was very little. +Lara Jean has long pined for the boy next door, Josh (Israel Broussard), who is Margot's boyfriend, and ... you know what? This is where it becomes a very well-done execution of romantic comedy tricks, and there's no point in giving away the whole game. Suffice it to say that a small box of love letters Lara Jean has written to boys she had crushes on manages to make it out into the world — not just her letter to Josh, but her letter to her ex-best-friend's boyfriend Peter (Noah Centineo), her letter to a boy she knew at model U.N., her letter to a boy from camp, and her letter to a boy who was kind to her at a dance once. +This kind of mishap only happens in romantic comedies (including those written by Shakespeare), as do stories where people pretend to date — which, spoiler alert, also happens in Lara Jean's journey. But there's a reason those things endure, and that's because when they're done well, they're as appealing as a solid murder mystery or a rousing action movie. +So much of the well-tempered rom-com comes down to casting, and Condor is a very, very good lead. She has just the right balance of surety and caution to play a girl who doesn't suffer from traditionally defined insecurity as much as a guarded tendency to keep her feelings to herself — except when she writes them down. She carries Han's portrayal of Lara Jean as funny and intelligent, both independent and attached to her family. +In a way, Centineo — who emerges as the male lead — has a harder job, because Peter isn't as inherently interesting as Lara Jean. Ultimately, he is The Boy, in the way so many films have The Girl, and it is not his story. But he is what The Boy in these stories must always be: He is transfixed by her, transparently, in just the right way. +There is something so wonderful about the able, loving, unapologetic crafting of a finely tuned genre piece. Perhaps a culinary metaphor will help: Consider the fact that you may have had many chocolate cakes in your life, most made with ingredients that include flour and sugar and butter and eggs, cocoa and vanilla and so forth. They all taste like chocolate cake. Most are not daring; the ones that are often seem like they're missing the point. But they deliver — some better than others, but all with similar aims — on the pleasures and the comforts and the pattern recognition in your brain that says "this is a chocolate cake, and that's something I like." +When crafting a romantic comedy, as when crafting a chocolate cake, the point is to respect and lovingly follow a tradition while bringing your own touches and your own interpretations to bear. Han's characters — via the Sofia Alvarez screenplay and Susan Johnson's direction — flesh out a rom-com that's sparkly and light as a feather, even as it brings along plenty of heart. +And yes, this is an Asian-American story by an Asian-American writer. It's emphatically true, and not reinforced often enough, that not every romantic comedy needs white characters and white actors. Anyone would be lucky to find a relatable figure in Lara Jean; it's even nicer that her family doesn't look like most of the ones on American English-language TV. +The film is precisely what it should be: pleasing and clever, comforting and fun and romantic. Just right for your Friday night, your Saturday afternoon, and many lazy layabout days to come. Copyright 2018 NPR. To see more, visit http://www.npr.org/ \ No newline at end of file diff --git a/input/test/Test4523.txt b/input/test/Test4523.txt new file mode 100644 index 0000000..2e7477e --- /dev/null +++ b/input/test/Test4523.txt @@ -0,0 +1,11 @@ +August 16, 2018 Is the sun beginning to set on the oil industry? +New research from ESCP Europe points to increasing uncertainty in the world's oil supply – with a knock-on effect for industries across the planet. +The vulnerable position that the oil industry now finds itself in has come about via several factors; political instability across the Middle East undoubtedly impacts, as does the targeting of ships and tankers by insurgent rebel groups. +"The recent attack on two oil tankers each carrying one million barrels of oil in the Strait of Bab al-Mandeb at the southern tip of Yemen and Saudi Arabia's suspension of some oil shipments, have demonstrated just how easy it is to disrupt global oil traffic," opined Mamdouh G. Salameh, Professor of Energy Economics at ESCP Europe Business School, London, and an oil and energy consultant for the World Bank. "The four key world chokepoints of oil, including the Straits of Hormuz, Bab al-Mandeb, Malacca and the Suez Canal account for two-thirds of global oil trade traffic, with over forty-four million barrels of oil travelling through these chokepoints every day." +Salameh explained that such fragility within the oil trade will send prices rising around the globe, which will hit consumers hard, as they face paying even more for their petrol. +"Any hint of a potential outage at these chokepoints can add a few dollars per barrel as a risk premium," Salameh continued. "This is extremely worrying considering Iran have just threatened to close the entire Strait of Hormuz as a result of US sanctions, a closure like this could send oil prices far above $150 (€132) a barrel." +But it's not just at the fuel pump that such instability will bite. The reliance of oil in the manufacturing of plastics will mean a vast array of everyday goods will see their prices rise, and – potentially – their availability tumble. +One such strand of goods is ink cartridges, which have a high percentage of plastic, and which could become a lot more expensive if ESCP Europe's research is borne out. +The new research follows news from earlier this week that OPEC – the Organisation of the Petroleum Exporting Countries – has forecast lower demand for crude oil, with Saudi Arabia beginning to cut back on production in order to avoid oversupply, according to Reuters . As the automobile industry moves away from diesel cars (driven no doubt by their impending illegality in multiple European cities and nations), this could see production fall further, with the effect of prices rising even higher as demand begins to outstrip supply. +Speaking at this year's ETIRA General Assembly in Budapest, President David Connett predicted that over the coming decades, oil prices – and with them, plastic prices – will rise to the extent that new technology will be developed to retrieve previously-discarded plastic from landfill sites. +Discussing the new research, Connett told The Recycler : "As the cost of oil rises so will the cost of new cartridges whose manufacturing is oil and energy intensive. As the price of new, single use, cartridge increases, it makes reused or remanufactured cartridges a cost and environmentally safe alternative because reused and remanufactured cartridges consume considerable less oil and energy. \ No newline at end of file diff --git a/input/test/Test4524.txt b/input/test/Test4524.txt new file mode 100644 index 0000000..3fcc43b --- /dev/null +++ b/input/test/Test4524.txt @@ -0,0 +1,5 @@ +Prominent US climate scientists have told the Guardian that the Trump administration is holding up research funding as their projects undergo an unprecedented political review by the high school football teammate of the US interior secretary. The US interior department administers over $5.5bn in funding to external organizations, mostly for research, conservation and land acquisition. At the beginning of 2018, interior secretary Ryan Zinke instated a new requirement that scientific funding above $50,000 must undergo an additional review to ensure expenditures "better align with the administration's priorities". Zinke has signaled that climate change is not one of those priorities: this week, he told Breitbart News that "environmental terrorist groups " were responsible for the ongoing wildfires in northern California and, ignoring scientific research on the issue, dismissed the role of climate change. Steve Howke, one of Zinke's high school football teammates, oversees this review. Howke's highest degree is a bachelors in business administration. Until Zinke appointed him as an interior department senior adviser to the acting assistant secretary of policy, management and budget, Howke had spent his entire career working in credit unions. The department, which manages a significant portion of the US landmass, has attributed the slower pace of funding approval to efforts to reduce "waste, fraud and abuse". Yet the policy, which has been in place for six months, is already crippling some research. One of the largest programs affected is the Climate Adaptation Science Centers, a network of eight regionally focused research centers located at "host" universities across the country. "I think there is a real suspicion about what science is being done, and if you were going to design a way to bog things down so not much could happen, you might do it like this," said a scientist affiliated with one of the centers who asked to remain anonymous owing to the perceived risks of speaking out. "We have voiced the challenges we have hiring staff, hiring students, with the science we can do, but I think that we're not a priority audience." Initially authorized by Congress during the Bush administration, the centers have been widely viewed as a success and received strong bipartisan support. "We really are just trying to do the best science that we can," said Renee McPherson, a University of Oklahoma environmental researcher who is head of the center focusing on the southern-central US. It is McPherson's job to understand how changes in climate extremes in the region can lead to such disasters as record wildfires in New Mexico in 2011 and 2012 or 2017's Hurricane Harvey in Texas. But due to the funding delays, McPherson said that this year she did not encourage scientists at her center to recruit new students and postdocs, and she didn't bring on any new students for her own group. +"It does pose problems when you're wanting to continue your research," she said. "[Our stakeholders] want answers sooner rather than later, especially if they're undergoing severe drought conditions right now or they just had extensive flooding." Every administration brings new priorities to the cabinet departments, but in agencies that fund science, this is usually reflected in the subject areas of calls for proposals. The awarding procedures – rigorous reviews of proposals conducted by agency staff with relevant scientific expertise – stay the same. "We are not used to an additional political review on top of that," McPherson said. "Funneling every grant over $50,000 to a single political appointee from departments that range from the Bureau of Indian Affairs to the [US Geological Survey] to the Bureau of Reclamation suggests a political micromanagement approach," said David Hayes, an interior deputy secretary in the Obama and Clinton administrations who now directs the State Energy and Environmental Impact Center at the NYU School of Law. He described it as "political interference" that is "both unprecedented and pernicious". +Scientists with the US Geological Survey – the interior department agency to which the centers belong – now require approval from Washington DC before speaking to the media in any context, and have faced restrictions on attending conferences. And earlier this year, it was revealed that political appointees at the National Park Service attempted to censor a scientific report by removing every mention of the human causes of climate change. "It's hard to have any conclusion other than the administration is looking to steer the science in a political direction ," Hayes said. Many scientists affiliated with the climate adaptation centers concurred. "It feels like an effort to create obstacles to success," said one. "My concern is, are they creating an environment that will prevent us from being successful as an excuse then to not fund us in the future?" Dennis Ojima, a professor of ecosystem science and sustainability at Colorado State University who heads the North Central Climate Adaptation Center, complained of months-long delays. "The uncertainty that we have is compounding with every week," Ojima said. "For teams that are trying to initiate new research it's difficult to get the graduate students and postdocs lined up." Neither Howke nor the interior department responded to a request for comment. Senators Tammy Duckworth of Illinois and Mazie Hirono of Hawaii authored a letter to Zinke in June, signed by 10 other senators, after hearing complaints from organizations that hadn't received expected interior department funding and were forced to cancel programs as a result. The Chicago Botanic Garden, for instance, lost funding for its National Seed Strategy program, meant to guide restoration and resilience programs for landscapes affected by extreme climate events. +Scott Cameron, the deputy assistant secretary who supervises Howke, responded by citing several examples of funds that had previously been awarded inappropriately or mismanaged by awardees as justification for the policy. The letter also said the department is suffering from understaffing, the review process is "still evolving," and that "when the focus is on getting money out quickly, waste, fraud and abuse has a higher probability of occurring". +Duckworth responded in a statement that the interior department "has yet to explain why it hired a high school football teammate of Secretary Zinke's, who seems to have no relevant experience, to oversee the grant review process instead of improving financial management controls through department experts and career officials" \ No newline at end of file diff --git a/input/test/Test4525.txt b/input/test/Test4525.txt new file mode 100644 index 0000000..d0f56c5 --- /dev/null +++ b/input/test/Test4525.txt @@ -0,0 +1,2 @@ +Text/Test by David Pingree Photo/Video by Simon Cudby +The 2018 Suzuki 250 had exactly zero changes from the previous year… and the year before and…. well, let's just say it's ready for the changes coming in 2019. We still wanted to build a good yellow machine so we dropped in a big-bore kit from Cylinder Works, along with an FMF exhaust, Vortex ignition, Stage 2 Hot Cam, and tuning from Twisted Development. Once we poured some VP fuel into this rocket, finished off the look and finish with some bolt-on parts we were ready to go. Spoiler alert: it was really fun. Parts Use \ No newline at end of file diff --git a/input/test/Test4526.txt b/input/test/Test4526.txt new file mode 100644 index 0000000..e5c4990 --- /dev/null +++ b/input/test/Test4526.txt @@ -0,0 +1,12 @@ +Minister of Higher Education and Training, Naledi Pandor, has announced the appointment of Dr Randall Carolissen as the Administrator for the National Student Financial Aid Scheme (NSFAS). +Carolissen will serve as NSFAS's administrator for a period of one year to take over the governance, management and administration of the entity. +The appointment will be effective from the date of the publication of a notice in the Government Gazette, which will be done early next week. +The National Education, Health and Allied Workers' Union (Nehawu) last week gave NSFAS CEO Steven Zwane an ultimatum to step down by Thursday or face protests by members who work at the scheme. +The union accused Zwane of nepotism as well as failing to uplift students, together with former NSFAS chairperson Sizwe Nxasana. +READ MORE: NSFAS chair Sizwe Nxasana resigns after 'extreme strain' on the payments system Nxasana stepped down last week, citing "extreme strain" on the payments system following the introduction of free higher education for worthy students in January 2018. +NSFAS came under fire recently after Minister of Higher Education Naledi Pandor instructed the institution to halt funding for 2019 students because a backlog in disbursing aid for 2017 and 2018 had not been cleared. NSFAS has an annual budget of R30-billion. +Carolissen is currently the Group Executive: Revenue Planning, Analysis and Reporting at the South African Revenue Services (SARS). He is also the chair of the Council of the University of the Witwatersrand. +He holds a Master's degree in Solid State Physics and a PhD Solid State Physics from the University of the Western Cape. +He also obtained an Honours degree in Business Administration and an MBA University of Stellenbosch. +Carolissen has previously served as an academic - as a researcher at the Council for Scientific and Industrial Research (CSIR) as a senior lecturer in Physics at the University of the Western Cape, and as a Visiting Fellow at the universities of Pennsylvania and Missouri in the US and the University of Gent in Belgium. — News 24 +Tehillah Niselow Read more from Tehillah Niselow Randall Carolissen Naledi Pandor National Students Financial Aid Scheme (NSFAS) South African Revenue Service (SARS \ No newline at end of file diff --git a/input/test/Test4527.txt b/input/test/Test4527.txt new file mode 100644 index 0000000..2f7da18 --- /dev/null +++ b/input/test/Test4527.txt @@ -0,0 +1,18 @@ +Red Tide Along Florida Coast Killing Massive Sea-life, Closing Businesses, Making Air Toxic August 16, 2018 by Linda Pena Leave a Comment +Patrons of the Dry Dock Waterfront Grill on Florida's Longboat Key usually enjoy stunning views of the Sarasota Bay. Now, they get an unpleasant stench. +A red tide—a natural phenomenon involving an accumulation of algae brought to shore by currents and wind—is killing marine life and hurting the tourism industry across Florida's Gulf Coast. +As red tide continues to choke the southwest Florida coast, large amounts of dead fish are washing up on the region's white sand beaches. Some municipalities are contracting with temp agencies to staff the massive cleanup effort. +"Since our contractor has been on the island, he started August 1, we collected about 300 tons of fish from the beach," said Scott Krawczuk, deputy director of public works for the City of Sanibel. +The carcasses washed up on the beach range in size from small bait fish to a 26-foot-long whale shark. And while red tide poses the biggest threat to animals that consume the toxins the microscopic algae release in the water, just breathing air near the shore can be difficult, even for healthy humans. +"I think it is affecting me a little bit," said Diana Schonberger, a tourist visiting Sanibel from Ohio. "I can tell there's a little irritation in my throat, coughing." Earlier this week, Gov. Rick Scott issued a state of emergency for seven Gulf Coast counties in the path of the red tide bloom. This frees up additional funding for economic development, recovery, and research. The research funding includes a grant to Mote Marine Lab and Aquarium, which is responding to an increased number of calls reporting dead or distressed sea animals. +"We average 100 turtles a year and about 10 to 15 dolphins a year," said Gretchen Lovewell, who leads Mote's Stranding Investigations Program. "We're seeing our annual averages in less than a month, sometimes less than a week. It's been pretty trying for our team." +This week, Mote researchers began field testing a new system designed to remove red tide from smaller waterways with limited tidal flow. +Installed at the dead end canal in Boca Grande, the system pumps in contaminated water. It uses a chemical reaction involving ozone to destroy the red tide algae and toxins. The system then returns purified water to the canal and restores oxygen levels as well. +"We're studying red tide. We're trying to understand what causes it," said Richard Pierce, associate vice president for research at Mote. "We know it's natural. It's been around for thousands of years. But what can we do about it? That's the big question." +Scientists still can't say when the red tide will go away. Now in its tenth month, this is the longest bloom southwest Florida has experienced in more than a decade. However, Pierce recalls an earlier red tide bloom that lasted for 18 months. +Toxic algae slime cost Rochelle Neumann's business more than $100,000 two years ago. The red tide may close it for good. Neumann and her husband run Cortez Surf & Paddle in Cortez, Florida, a watersports rental and guided tour company. Just two years ago, they moved from Stuart, Florida, after the toxic algae slime that coated the waterways of the St. Lucie River killed their business there. +"We were closed for almost six months," said Neumann. "There were signs up everywhere saying do not touch the water." +After two major algae events in 2013 and 2016 cost the Neumann's more than $100,000 in business, they picked up and moved to the other side of the state. +But now they are facing another major threat from a marathon red tide algae bloom. The blooms off Florida normally start in October and end in winter, but this one has lasted for nine months and been devastating for marine life. +Ref. Fox News, MSN/news, MSN/lifestyle, CNN Filed Under: TV , TV News About Linda Pena +Linda Pena is a freelance writer for several online and local publications, a published author and poet, and a former professional model with the Barbizon Agency. Linda enjoys fashion, health, and natural healing. Having been a single mother of three, she knows the ins and outs of raising children solo by managing money on a dime. Leave a Reply Your email address will not be published. Required fields are marked * Commen \ No newline at end of file diff --git a/input/test/Test4528.txt b/input/test/Test4528.txt new file mode 100644 index 0000000..cdaffa2 --- /dev/null +++ b/input/test/Test4528.txt @@ -0,0 +1,5 @@ +US interior secretary's school friend crippling climate research, scientists say +Prominent US climate scientists have told the Guardian that the Trump administration is holding up research funding as their projects undergo an unprecedented political review by the high school football teammate of the US interior secretary. The US interior department administers over $5.5bn in funding to external organizations, mostly for research, conservation and land acquisition. At the beginning of 2018, interior secretary Ryan Zinke instated a new requirement that scientific funding above $50,000 must undergo an additional review to ensure expenditures "better align with the... read more Guardian , Monday, 22:13 in World News Teenager stabbed school friend before burning her alive and dumping her body in cemetery +A SPURNED boy lured his school friend to an alley then stabbed her before setting her body on fire - while she was still alive and dumping her in a cemetery. Kailee Clapp's body was so badly mutilated and burnt that she had to be identified by her... Daily Record , 2 February 2015 in World News Student's new £5,000 nose broken in vicious high-heel attack while sat on nightclub toilet 'by old school... +A student has explained how her £5,000 new nose was broken in a vicious attack while she was sat on a nightclub toilet. Holly Ellis, 23, claims an old school friend "kicked the sh** out of my face with her heels on". Talking exclusively to... Daily Record , 31 July 2017 in World News Ryan Zinke: US interior secretary 'spent $12,000 on flight' +A row over Trump administration officials' use of charter flights for business trips has deepened amid reports of Interior Secretary Ryan Zinke's use of the costly option. Mr Zinke flew from Las Vegas to Montana last June on a charter that cost... BBC , 29 September 2017 in World New \ No newline at end of file diff --git a/input/test/Test4529.txt b/input/test/Test4529.txt new file mode 100644 index 0000000..13dcefa --- /dev/null +++ b/input/test/Test4529.txt @@ -0,0 +1 @@ +Press release from: Transparency Market Research PR Agency: Transparency Market Research Paper and paper based packaging have become vital constituents of modern life. Moreover, communication, food & consumer products are some of the things that have witnessed improvement over the last few years and are more easily available as a result of paper and paper based packaging. PDF Brochure For Future Advancements@ www.transparencymarketresearch.com/sample/sample.php?flag... Paper based packaging is constantly advancing in terms of growth rate in the overall packaging industry and has constantly gained attention, owing to its versatile, tear-resistance and cost effective method to transport, preserve and protect a wide array of goods. Obtain Report Details@ www.transparencymarketresearch.com/paper-sacks-market.html As a raw material source, paper is a low cost readily available raw material which accounts for more than 50% of the revenue generation in the packaging industry and is used in the form primary packaging, often with the assistance of paper sacks. The use of paper sacks in primary packaging is gaining traction, particularly in industrial applications in the form of containers where it is used to transport dry chemicals, animal feed and cement among many others. Download TOC@ www.transparencymarketresearch.com/sample/sample.php?flag... Paper sacks is one of the flexible packaging solution that provides all the features related to high performance during packing and transportation. These paper sacks are made up kraft paper that ranges from 1ply to 4ply. The innermost part of the paper sack is laminated with aluminum foil, plastic, etc. which act as barrier towards oxygen, moisture and leakage.About UsTransparency Market Research is a next-generation market intelligence provider, offering fact-based solutions to business leaders, consultants, and strategy professionals.Our reports are single-point solutions for businesses to grow, evolve, and mature. Our real-time data collection methods along with ability to track more than one million high growth niche products are aligned with your aims. The detailed and proprietary statistical models used by our analysts offer insights for making right decision in the shortest span of time. For organizations that require specific but comprehensive information we offer customized solutions through adhoc reports. These requests are delivered with the perfect combination of right sense of fact-oriented problem solving methodologies and leveraging existing data repositories.Contact U \ No newline at end of file diff --git a/input/test/Test453.txt b/input/test/Test453.txt new file mode 100644 index 0000000..304727b --- /dev/null +++ b/input/test/Test453.txt @@ -0,0 +1,24 @@ +Watch Steve Bruce's Aston Villa press conference live ahead of Ipswich trip The AVFC manager is facing the media at Bodymoor Heath ahead of the visit to Portman Road Share Get Aston Villa FC Could Video Loading Click to play Tap to play The video will start in 8 Cancel Play now +Aston Villa boss Steve Bruce faces the press today ahead of the trip to Ipswich on Saturday. +Bruce and Villa are in good form at the moment; they've secured wins in each of their first three matches of the season in all competitions and head to Portman Road looking to make it three consecutive league wins at the start of a campaign for the first time since 1962. +Manager Bruce, speaking to Aston Villa's official Facebook page at the club's Bodymoor Heath training ground this morning, will provide updates on his squad fitness wise, the transfer front with the loan window still open for another couple of weeks and all else claret and blue related. +You can watch the first part of the press conference live via the embedded video at the top of this page. Read More More Villa reading Hurst expects a test +Ipswich Town manager Paul Hurst is fully aware of how buoyed Aston Villa are as the claret and blues make their way to Portman Road on Saturday. +Villa have won their first three matches of the season, toppling Hull, Wigan and Yeovil, and head to Suffolk with a positive mind-set - both on and off the field. +Steve Bruce spoke recently of how desperate Villa's financial situation was just weeks ago prior to the arrival of new majority owners Nassef Sawiris and Wes Edens. +Key players were expected to depart in order for the club to continue paying the wages of its staff. +Now, though, things couldn't be more different. +John Terry offered this next career move after Aston Villa exit - reports +Hurst, who impressively led Shrewsbury Town to the finals of the Checkatrade Trophy and the League One play-offs last season before replacing Mick McCarthy at the Tractor Boys, expects a real test. +"It presents a very big challenge. The new investors have given the club a boost," Hurst said at his pre-match press conference. +"They've came out and said Steve Bruce is the man - in my opinion rightly so, that shouldn't even be up for discussion. +"It's maybe bad news for the rest of us; the new investors are going to allow them to bring in to what is already a good squad anyway. +"Let's not kid ourselves; if they can add more quality to that, with the crowd that they get, they'll be one of the contenders." +Despite that, Hurst has challenged his own group to shake off the defeats to Rotherham and Exeter in the past week and give Villa themselves plenty to think about. +Aston Villa newbie John McGinn spotlighted as John Terry's next potential move outlined and defender leaves +He has also urged them not to be intimidated. +"For each game you go into, there are only three points at stake - no more, no less, whether it's Aston Villa or Rotherham," Hurst continued. +"At the same time, you want to be involved in the games where you know there's going to be a really good atmosphere. +"Away fans will be there in their numbers, I'm sure our fans will respond in turn. +"You want to play against the best teams; there's no better feeling than when you can come out the right side of a result against a team that will be going into it as favourites. +"These are the ones you look forward to. Naturally there will be a little bit of apprehension, but I'm interested to see how the players do approach it." Read Mor \ No newline at end of file diff --git a/input/test/Test4530.txt b/input/test/Test4530.txt new file mode 100644 index 0000000..ca60ae3 --- /dev/null +++ b/input/test/Test4530.txt @@ -0,0 +1,3 @@ +The 'Queen of Soul' Aretha Franklin dead at 76, man brandishing knife enters shop and steals chain, two suspects tried to snatch a woman's handbag in Warwick, another attempted chain snatching in Pembroke, BTA Tourism Experiences Investment Programme, Arantxa King elected Chairperson of NACAC Athletes Commission, Christian Ebbin wins overall title at British Sailing Nationals in England, Antonio Warner wins division at Junior Tennis Tournament in St. Lucia, and attorney Francesca Fox answers questions on land title registration are some of the stories in this morning's [Aug 17] Bernews Newsflash . +The Bernews Morning Newsflash includes an overview of the latest Bermuda news, the local weather forecast for today and the next four days, local stock report, our photo of the day, Bernews live broadcast schedule for today, as well as a look at news headlines from around the world. +In addition to being available each morning on the website, the Newsflash is designed to suit your favourite social media network, so is also available directly in the Bernews mobile app , the main Bernews Twitter feed, our YouTube channel, our Tumblr , with a shortened version available via Instagram \ No newline at end of file diff --git a/input/test/Test4531.txt b/input/test/Test4531.txt new file mode 100644 index 0000000..af4f2dd --- /dev/null +++ b/input/test/Test4531.txt @@ -0,0 +1,16 @@ +Politics Of Wildfires: Biggest Battle Is In California's Capital By Marisa Lagos • 26 minutes ago Related Program: Morning Edition on WXPR King Bass sits and watches the Holy Fire burn from on top of his parents' car as his sister, Princess, rests her head on his shoulder last week in Lake Elsinore, Calif. More than a thousand firefighters battled to keep a raging Southern California forest fire from reaching foothill neighborhoods. Patrick Record / AP Listening... / +As California's enormous wildfires continue to set records for the second year in a row, state lawmakers are scrambling to close gaps in state law that could help curb future fires, or make the difference between life and death once a blaze breaks out. +While the biggest political battle in Sacramento is focused on utility liability laws , lawmakers are also rushing to change state laws around forest management and emergency alerts before the legislative sessions ends this month. +A special joint legislative committee is examining how to shore up emergency alert systems so people know to evacuate, and how to prevent fires through better forest management. They're among the challenges facing many Western states. +Historically, state Sen. Hannah-Beth Jackson said during a recent interview in her Capitol office, "we have looked at fire as an enemy." +That was a mistake, said Jackson, a Democrat who represents Santa Barbara and Ventura counties, both of which were devastated by the enormous Thomas Fire last December. She's pushing legislation that would expand prescribed burns and other forest management practices on both public and private lands. +"We have been doing less and less to try to clear vegetation, to do controlled burns, so that we can reduce the dead vegetation that we have," she said. "As a result, we have conditions that are seeing fruition with these enormous and out of control fires." +Jackson says after years of inaction, everyone in California is finally at the table --including environmental groups — supporting the measure and engaging in a conversation around forest management. +Jackson also has a bill that would let counties automatically enroll residents in emergency notification systems; it's one of two bills aimed at shoring up gaps around evacuation alerts that were exposed by last years' deadly fires . The other is Senate Bill 833 by North Bay Sen. Mike McGuire; it would seek to expand use of the federally-regulated wireless emergency alert system in California. +Jackson noted that technology has changed and governments must adjust. +"We used to be warned about danger with the church bells and then during the Cold War with Russia we had a CONELRAD alert system ... well we don't have any of those things today," she said. "We rely upon people's cell phones ... fewer and fewer people actually have landlines today. So we've got to adapt and that's what this program will hopefully do." +At the national level, there's also political maneuvering over fires. +Department of Homeland Security Secretary Kirstjen Nielson visited a fire zone in Northern California earlier this month and promised to start providing federal emergency funding earlier. Meanwhile, during her recent tour of a fire area, California's U.S. Sen. Kamala Harris said she is pushing to expand federal funding for both fighting and preventing wildfires. Some of that funding is in a bipartisan bill that is co-sponsored by senators from 10 other states, many of them in the fire-prone West. +"Let's also invest resources in things like deforestation, in getting rid of these dead trees and doing the other kind of work that is necessary to mitigate the harm that that is caused by these fires," Harris said while visiting Lake County. +Dollars are important: The state has blown through its firefighting budget seven of the last 10 years, even as the annual budget has grown five-fold over the same period. This fiscal year started six weeks ago, and California has already spent three-quarters of its firefighting budget for the entire year. +That spending is "a very stark indication of the severity and the scope of these type of catastrophic wildfires," said H.D. Palmer, spokesman for Gov. Jerry Brown's Department of Finance. Copyright 2018 KQED. To see more, visit KQED . © 2018 WXP \ No newline at end of file diff --git a/input/test/Test4532.txt b/input/test/Test4532.txt new file mode 100644 index 0000000..66f60ba --- /dev/null +++ b/input/test/Test4532.txt @@ -0,0 +1,18 @@ +Managed Print Services (MPS) Market to Touch US$ 59,537.7 Mn by 2026: Transparency Market Research News provided by +ALBANY, New York +According to a new market report published by Transparency Market Research, the global managed print services (MPS) market was valued at US$ 30,705.7 Mn in 2016 and is expected to expand at a CAGR of 8.6% from 2018 to 2026, reaching US$ 59,537.7 Mn by the end of the forecast period. According to the report, North America was the largest contributor in terms of revenue to the managed print services market in 2016. +(Logo: https://mma.prnewswire.com/media/664869/Transparency_Market_Research_Logo.jpg ) +Government rules and regulations to save paper in enterprises and cost benefits offered by managed print services are driving the global managed print services (MPS) market +The global managed print services (MPS) market is expected to witness considerable growth due to the stringent rules and regulations of governments to prevent paper wastage. Managed print services provide cost benefits to organizations. Additionally, it helps organizations to reduce the number of printers, usage of paper, and the energy consumption. Managed print services provide low price and high performance, reduced physical footprints, and more productivity, and lower maintenance costs. Thus, managed print services reduce total cost of ownership (TCO). +Request a Brochure for Research Insights at https://www.transparencymarketresearch.com/sample/sample.php?flag=B&rep_id=48453 +Managed Print Services (MPS) Market: Scope of the Report +The global market for managed print services (MPS) is segmented on the basis of deployment, enterprise size, channel, industry, and geography. On the basis of deployment, the market is segmented into cloud, on-premise, and hybrid. In 2017, the cloud segment accounted for the largest market share in terms of revenue of the global managed print services (MPS) market. +Furthermore, the cloud segment is expected to expand during the forecast period. On the basis of enterprise size, the global managed print services (MPS) market is bifurcated into small & medium enterprises (SME's), and large enterprises. Based on channel, the market is categorized into printer/copier manufacturers and channel partner/core MPS providers. On the basis of industry, the market is divided into banking, financial services, and insurance (BFSI), telecom and IT, government and public, healthcare, education, legal, construction, manufacturing, and others. +Get a PDF Sample at https://www.transparencymarketresearch.com/sample/sample.php?flag=S&rep_id=48453 +Geographically, the global managed print services (MPS) market is bifurcated into North America , Asia Pacific , Europe , South America , and Middle East & Africa . North America is estimated to account for the largest market share in 2018. The healthcare and government industry in the U.S. have adopted managed print services. Moreover, strategic acquisitions and new programs launched to create awareness of managed print services is also expected to drive the demand over the projected period. Asia Pacific region is expected to expand at the highest CAGR due to increase in investment and strategic acquisitions of U.S. managed print service providers in this region. For instance, in 2016, Lexmark International Inc., a printing solutions provider based in the U.S. acquired American provider Apex Technology Co., Ltd. (Apex) based in China . +Download Report TOC for in-depth analysis at https://www.transparencymarketresearch.com/report-toc/48453 +Global Managed Print Services (MPS) Market: Competitive Dynamics +Major industry players in the managed print services (MPS) market are adopting different strategic initiatives such as mergers and acquisitions, partnerships, and collaborations for technologies and new product development. For instance, in September 2016 , HP Inc. acquired Samsung's printer business for US$ 1bn .The global managed print services (MPS) market includes key players such as HP Inc., Xerox Corporation, Lexmark International Inc., Fujitsu Ltd, Canon, Inc., Konica Minolta, Inc., Kyocera Corporation, Ricoh Company Ltd., Toshiba Corporation, ARC Document Solutions, Inc., Seiko Epson Corporation, Wipro Limited, Honeywell Corporation, and Print Audit, Inc. +Browse Research Release at https://www.transparencymarketresearch.com/pressrelease/managed-print-services-market-2018-2026.htm +Market Segmentation: Global Managed Print Services (MPS) Market +By Deploymen \ No newline at end of file diff --git a/input/test/Test4533.txt b/input/test/Test4533.txt new file mode 100644 index 0000000..108a243 --- /dev/null +++ b/input/test/Test4533.txt @@ -0,0 +1,29 @@ +ALBANY, New York , August 17, +According to a new market report published by Transparency Market Research, the global managed print services (MPS) market was valued at US$ 30,705.7 Mn in 2016 and is expected to expand at a CAGR of 8.6% from 2018 to 2026, reaching US$ 59,537.7 Mn by the end of the forecast period. According to the report, North America was the largest contributor in terms of revenue to the managed print services market in 2016. +Transparency Market Research (PRNewsfoto/Transparency Market Research) (Logo: https://mma.prnewswire.com/media/664869/Transparency_Market_Research_Logo.jpg ) +Government rules and regulations to save paper in enterprises and cost benefits offered by managed print services are driving the global managed print services (MPS) market +The global managed print services (MPS) market is expected to witness considerable growth due to the stringent rules and regulations of governments to prevent paper wastage. Managed print services provide cost benefits to organizations. Additionally, it helps organizations to reduce the number of printers, usage of paper, and the energy consumption. Managed print services provide low price and high performance, reduced physical footprints, and more productivity, and lower maintenance costs. Thus, managed print services reduce total cost of ownership (TCO). +Request a Brochure for Research Insights at https://www.transparencymarketresearch.com/sample/sample.php?flag=B&rep_id=48453 +Managed Print Services (MPS) Market: Scope of the Report +The global market for managed print services (MPS) is segmented on the basis of deployment, enterprise size, channel, industry, and geography. On the basis of deployment, the market is segmented into cloud, on-premise, and hybrid. In 2017, the cloud segment accounted for the largest market share in terms of revenue of the global managed print services (MPS) market. +Furthermore, the cloud segment is expected to expand during the forecast period. On the basis of enterprise size, the global managed print services (MPS) market is bifurcated into small & medium enterprises (SME's), and large enterprises. Based on channel, the market is categorized into printer/copier manufacturers and channel partner/core MPS providers. On the basis of industry, the market is divided into banking, financial services, and insurance (BFSI), telecom and IT, government and public, healthcare, education, legal, construction, manufacturing, and others. +Get a PDF Sample at https://www.transparencymarketresearch.com/sample/sample.php?flag=S&rep_id=48453 +Geographically, the global managed print services (MPS) market is bifurcated into North America , Asia Pacific , Europe , South America , and Middle East & Africa . North America is estimated to account for the largest market share in 2018. The healthcare and government industry in the U.S. have adopted managed print services. Moreover, strategic acquisitions and new programs launched to create awareness of managed print services is also expected to drive the demand over the projected period. Asia Pacific region is expected to expand at the highest CAGR due to increase in investment and strategic acquisitions of U.S. managed print service providers in this region. For instance, in 2016, Lexmark International Inc., a printing solutions provider based in the U.S. acquired American provider Apex Technology Co., Ltd. (Apex) based in China . +Download Report TOC for in-depth analysis at https://www.transparencymarketresearch.com/report-toc/48453 +Global Managed Print Services (MPS) Market: Competitive Dynamics +Major industry players in the managed print services (MPS) market are adopting different strategic initiatives such as mergers and acquisitions, partnerships, and collaborations for technologies and new product development. For instance, in September 2016 , HP Inc. acquired Samsung's printer business for US$ 1bn .The global managed print services (MPS) market includes key players such as HP Inc., Xerox Corporation, Lexmark International Inc., Fujitsu Ltd, Canon, Inc., Konica Minolta, Inc., Kyocera Corporation, Ricoh Company Ltd., Toshiba Corporation, ARC Document Solutions, Inc., Seiko Epson Corporation, Wipro Limited, Honeywell Corporation, and Print Audit, Inc. +Browse Research Release at https://www.transparencymarketresearch.com/pressrelease/managed-print-services-market-2018-2026.htm +Market Segmentation: Global Managed Print Services (MPS) Market +By Deployment +Cloud On-Premise Hybrid By Enterprise Size +Small & Medium Enterprises (SME's) Large Enterprises By Channel +Printer/Copier Manufacturers Channel Partner/Core MPS Providers By Industry +Banking, Financial Services, and Insurance (BFSI) Telecom and IT Government and Public Healthcare Education Legal Construction Manufacturing Others Popular Research Reports by TMR: +AWS Managed Services Market (Services Type - Advisory Services, Cloud Migration Services, Operations Services) - Global Industry Analysis, Size, Share, Growth, Trends, and Forecast 2018 - 2026 : https://www.transparencymarketresearch.com/aws-managed-services-market.html Managed File Transfer Market - Global Industry Analysis, Size, Share, Growth, Trends and Forecast 2017 - 2024 : https://www.transparencymarketresearch.com/managed-file-transfer-market.html About Us +Transparency Market Research is a next-generation market intelligence provider, offering fact-based solutions to business leaders, consultants, and strategy professionals. +Our reports are single-point solutions for businesses to grow, evolve, and mature. Our real-time data collection methods along with ability to track more than one million high growth niche products are aligned with your aims. The detailed and proprietary statistical models used by our analysts offer insights for making right decision in the shortest span of time. For organizations that require specific but comprehensive information we offer customized solutions through adhoc reports. These requests are delivered with the perfect combination of right sense of fact-oriented problem solving methodologies and leveraging existing data repositories. +TMR believes that unison of solutions for clients-specific problems with right methodology of research is the key to help enterprises reach right decision. +Contact Mr. Rohit Bhisey Transparency Market Research State Tower, 90 State Street, Suite 700, Albany NY - 12207 United States Tel: +1-518-618-1030 USA - Canada Toll Free: 866-552-3453 Email: sales@transparencymarketresearch.com +Website : https://www.transparencymarketresearch.com +Research Blog : http://www.techyounme.com/ +SOURCE Transparency Market Researc \ No newline at end of file diff --git a/input/test/Test4534.txt b/input/test/Test4534.txt new file mode 100644 index 0000000..c1247aa --- /dev/null +++ b/input/test/Test4534.txt @@ -0,0 +1,2 @@ +Study: Uber had no impact on some crash rates in Virginia Published August 17, 2018 | By AP +WILLIAMSBURG, Va. (AP) – A recent study finds no evidence that ride-hailing app Uber reduced the number of serious car wrecks in Virginia. The research also found no change in the likelihood that a fatal crash involved alcohol. The College of William & Mary said in a press release earlier this month that one of its economic majors had looked into the matter. Uber has claimed that its presence in cities helps reduce drunken driving. William & Mary student Brittany Young reviewed accident data in the Virginia counties that have Uber and the counties that don't. She found no evidence that hospitalizations from car crashes dropped. Chances that alcohol was involved in a fatal wreck also did not change. A 2017 New York Times article reported that studies across the country have been contradictory \ No newline at end of file diff --git a/input/test/Test4535.txt b/input/test/Test4535.txt new file mode 100644 index 0000000..ceebd99 --- /dev/null +++ b/input/test/Test4535.txt @@ -0,0 +1 @@ +© 2018 KXTV-TV. All Rights Reserved. California finance officials moving forward with new state-run retirement program California finance officials are moving forward with a new state-run retirement program. Published: 5:28 PM PDT August 16, 2018 Updated: 12:28 PM PDT August 16, 2018 Related Video \ No newline at end of file diff --git a/input/test/Test4536.txt b/input/test/Test4536.txt new file mode 100644 index 0000000..bb2a892 --- /dev/null +++ b/input/test/Test4536.txt @@ -0,0 +1 @@ +1 Amazing moment Tarantula egg sac opens revealing babies By Curtis Mitchell The incredible moment of a tarantula egg sac being cracked opened, was recorded- and revealed thousands of tarantula babies coming to life. Marita Lorbiecke or The Deadly Tarantula girl as she is known, is the hostess the YouTube channel 'Deadly Tarantula Girl' as well as a public-school teacher, dance and yoga instructor, […] Credit \ No newline at end of file diff --git a/input/test/Test4537.txt b/input/test/Test4537.txt new file mode 100644 index 0000000..bd30054 --- /dev/null +++ b/input/test/Test4537.txt @@ -0,0 +1,21 @@ +Beto O'Rourke speaks at the Texas Democratic Convention in June. Since winning the Democratic primary, O'Rourke has embraced progressive positions — at times, including impeaching President Trump — as he challenges GOP Sen. Ted Cruz's reelection bid. Richard W. Rodriguez / AP GOP Sen. Ted Cruz takes a photo with a supporter during a rally to launch his re-election campaign on April 2 in Stafford, Texas. Cruz says he's taking the campaign of Democratic challenger Beto O'Rourke seriously. Erich Schlegel / Getty Images Rep. Beto O'Rourke, Democratic nominee for Senate in Texas, greets supporters at a cafe in San Antonio. Wade Goodwyn / NPR Listening... / +If you arrived at Beto O'Rourke's recent town hall meeting in San Antonio even 40 minutes ahead of time, you were out of luck. All 650 seats were already taken. +It was one sign that the El Paso Democratic congressman has set Texas Democrats on fire this year, as he takes on Republican Sen. Ted Cruz's re-election bid. +Texas Democrats have been wandering in the electoral wilderness for two decades — 1994 was the last time they won a statewide race — but at O'Rourke's events they have been showing up in droves. Often, it's standing room only. +"Let's make a lot of noise so the folks in the overflow room know we're here, that we care about them," O'Rourke tells the crowd at the town hall, before counting to three and leading them in a cheer of "San Antonio!" +While he was sorry that all of those supporters couldn't see him, Beto O'Rourke is an unapologetic, unabashed liberal, who's shown no interest in moving toward the political middle after his victory in the Texas Democratic primary. +On issues like universal health care, an assault weapons ban, abortion rights and raising the minimum wage, O'Rourke has staked out progressive positions. The Democrat even raised the specter of impeachment after President Trump's Helsinki press conference with Vladimir Putin — although O'Rourke has since walked back that position some. +Nevertheless, recent polls have him just 2 and 6 points behind Cruz. Compare that with the 20-point walloping Texas state Sen Wendy Davis endured in 2014 when she lost in a landslide to Republican Greg Abbott in the race for governor. But that recent history begs the question of whether someone running as far to the left as Cruz can actually win in a state like Texas. +Former Texas agricultural commissioner and Democratic populist Jim Hightower sees something different in O'Rourke's campaign. +"You've got a Democratic constituency that is fed up, not just with Trump, but with the centrist, mealy-mouthed, do-nothing Democratic establishment," Hightower said. "They're looking for some real change and Beto is representing that." +Cruz says he's taking O'Rourke's candidacy very seriously. +"I think the decision he's made is run hard left and find every liberal in the state of Texas, and energize them enough that they show up and vote," Cruz said in an interview with NPR. "And I think he's gambling on there are enough people on the left for whom defeating and destroying Donald Trump is their number-one issue, that he's hoping that his path to victory. I don't see that in the state of Texas. In Texas, there are a whole lot more conservatives than liberals." +When it comes to the critical issue of immigration, the two Texas candidates for Senate couldn't be further apart. Last week in Temple, Cruz indicated he supports ending birthright citizenship telling the crowd, "it doesn't make a lot of sense." O'Rourke is against building a wall along the border and favors a gradual path to legal status for undocumented immigrants. +Political observers in Texas say it's still too early to get a good read on the race, although it seems that O'Rourke's campaign is generating some momentum. Jim Hensen, director of the Texas Politics Project at the University of Texas, which does extensive statewide polling, says the key to O'Rourke's success thus far is that he began his campaign early. +"He's much more viable, he's been working harder, he's traveled all over the state. He started earlier than the statewide candidates that we've seen in recent years, and I think it's made a big difference," Hensen said. Still, Hensen believes an O'Rourke victory is probably a long shot, not for lack of effort or fundraising, but because of the advantage Republican candidates enjoy in Texas when it comes to the sheer numbers of voters. +"In a hundred-yard dash, [O'Rourke] probably starts 10 to 15 yards behind," Hensen said. +At a café in San Antonio where he's come for an interview, O'Rourke can't make it to a table because he's mobbed by customers who recognize him and want a picture together. The congressman patiently chats up everyone who approaches and agrees to pictures. He urges his fans to share the photos on social media, a likely unnecessary piece of advice. +With the recent separations of immigrant children from their parents who are seeking asylum at the Texas border, immigration is hot topic of conversation. "I think that this state, the most diverse state in the country, should lead on immigration," O'Rourke told NPR. "Free DREAMers from the fear of deportation, but make them citizens today so they can contribute to their full potential. That is not a partisan value, that's our Texan identity and we should lead with it." +O'Rourke seems to have no fear of sounding too progressive for Texas. He has no interest in moving toward the ideological center for the general election. +He borrowed an old line from Jim Hightower as way of explanation. +"The only thing that you're going to find in the middle of the road are yellow lines and dead armadillos. You have to tell the people that you want to serve what it is you believe and what you are going to do on their behalf," O'Rourke said. "We can either be governed by fear, fear of immigrants, fear of Muslims, call the press the enemy of the people, tear kids away from their parents at the U.S.-Mexico border, or we can be governed by our ambitions and our aspirations and our desire to make the most out of all of us. And that's America at its best." Copyright 2018 NPR. To see more, visit http://www.npr.org/ \ No newline at end of file diff --git a/input/test/Test4538.txt b/input/test/Test4538.txt new file mode 100644 index 0000000..bc6f990 --- /dev/null +++ b/input/test/Test4538.txt @@ -0,0 +1,21 @@ +States owe FIRS N41bn tax – NEC By tweet Jigawa State Governor, Abubakar Badaru +The National Economic Council (NEC) says states are owing the Federal Inland Revenue Service (FIRS) N41 billion in Value Added Tax (VAT). +Gov. Badaru Abubakar of Jigawa State, disclosed this while briefing State House Correspondents shortly after NEC meeting presided over by the Acting President, Prof. Yemi Osinbajo, on Thursday in Abuja. +He said that the council was hopeful that the indebted states would pay up, adding that there was an improvement in tax remission from states in comparison with that of last year. +"We had briefing from the chairman of the FIRS and it dwelt on two aspects of tax issues; one is on the Value Added Tax(VAT) that is being collected by states. +"He informed the states what their positions are and the outstanding due to the states of about N41billion. +"He believes the states have to pay; he came up also with new technique and system that will help automatic collection of taxes–both VAT and withholding tax; I think the states take and are willing to pay their outstanding. +"This is very important; when we are talking of zero oil, taxes become very important in the future prospects of this country. +"So far, he mentioned that from January to date, about N40 billion was remitted from the states, which has a significant increase compared to the what happened last year,'' he said. +He said that the governors and the finance commissioners were fully notified on how to boost revenue. +Badaru said that audit was going on in many states on how to reconcile figures between what the states had and what the FIRS had. +According to him, with the initiative, automatically tax will be transmitted to FIRS from the states without delay and without many problems. +The Jigawa state governor said that the second issue discussed was on the capacity of Micro Small and Medium Enterprises (SMEs) to support the economy of the country. +"MSMEs contribution to the Gross Domestic Product(GDP) was discussed and as well as their contributions to exports and tax collection. +"This is all in the view of expanding our tax base and revenue generation towards zero oil economy. +"Challenges such as how the governors have to contribute to make MSMEs more active, responsive and more organised so as to pay their taxes and perform well have been discussed. +"The states promised to support the Federal Government because most of the taxes are also coming into the states.'' +He said that from the statistics made available by the National Bureau of Statistics (NBS), in partnership with Small and Medium Enterprises (SMEs) group, there were about 37 million MSMEs making significant contribution to GDP. +Badaru said that if MSMEs were harnessed, they would help the economy greatly and also boost revenue. +He said that NEC was of the view that organs of government saddled with the disbursement and utiltisation of tax revenue should be transparent and accountable in order to motivate voluntary tax compliance by the MSMEs. +According to him, government at all levels have agreed to provide infrastructure facilities and enabling business environment to allow MSMEs to thrive.(NAN) TAG \ No newline at end of file diff --git a/input/test/Test4539.txt b/input/test/Test4539.txt new file mode 100644 index 0000000..c16e3d2 --- /dev/null +++ b/input/test/Test4539.txt @@ -0,0 +1,10 @@ +MINNEAPOLIS , Aug. 17, Pipeline Foods LLC ( https://www.pipelinefoods.com/ ), the first U.S.-based supply chain solutions company focused exclusively on organic, non-GMO and regenerative food and feed, has announced the acquisition of a 3.4 million bushel grain elevator in Atlantic, Iowa , USA. +Pipeline Foods has signed a purchase agreement to buy the facility from Archer Daniels Midland Company (ADM) and is making capital investments in new equipment and improvements needed to upgrade the elevator to test, clean, grade, dry, store and ship organic grains. ADM will continue its conventional soybean origination at the site through segregated operations. +"This acquisition is a key component in Pipeline Foods' mission to increase organic supply chain efficiency and transparency," said Eric Jackson , chief executive of Pipeline Foods. "In owning and operating another facility dedicated to organic grains and oilseeds, Pipeline Foods will have a direct relationship with farmers in the region, helping to ensure identity preservation of the product and allowing us to take ownership at the farm gate, thereby increasing transparency and traceability for all stakeholders." +This investment is positioned to support the growing demand from protein producers for U.S.-grown organic grains. Atlantic is uniquely located in the heart of the western corn belt, at the nexus of major truck and rail routes. This will allow the Pipeline Foods merchandising team to originate organic grain from Iowa and the surrounding states, and improve logistical efficiencies when serving customers on both coasts via the Iowa Interstate Railroad with connections to all Class I major rail lines. +"We're pleased to be able to partner with Pipeline Foods, and look forward to continuing to work with our local farmer partners to source conventional soybeans in and around the Atlantic area," said Pete Goetzmann , regional vice president, ADM Grain. +The Atlantic elevator will be open for operation in mid-September and will accept its first organic grain deliveries shortly thereafter. With the completion of the acquisition, Pipeline Foods will operate six organic processing facilities in the U.S. and Canada . +About Pipeline Foods With headquarters in Minneapolis, Minn. , Pipeline Foods is accelerating the availability and reliability of organic, non-GMO and regeneratively grown food. We bring transparent, sustainable supply chain solutions to connect the dots for our farming partners and end users of organic grains and ingredients. Find us at https://www.pipelinefoods.com/ , on Twitter @PipelineFoods and Facebook www.facebook.com/pipelinefoods/ . +Contact: Rachel Jackson , rjackson@pipelinefoods.com +SOURCE Pipeline Foods LLC +Related Links http://www.pipelinefoods.co \ No newline at end of file diff --git a/input/test/Test454.txt b/input/test/Test454.txt new file mode 100644 index 0000000..18d0f32 --- /dev/null +++ b/input/test/Test454.txt @@ -0,0 +1,10 @@ +Tweet +Amalgamated Bank boosted its stake in Boeing Co (NYSE:BA) by 5.1% in the second quarter, according to the company in its most recent filing with the Securities & Exchange Commission. The institutional investor owned 85,786 shares of the aircraft producer's stock after buying an additional 4,186 shares during the quarter. Boeing makes up about 0.7% of Amalgamated Bank's holdings, making the stock its 19th biggest position. Amalgamated Bank's holdings in Boeing were worth $28,782,000 as of its most recent filing with the Securities & Exchange Commission. +Other hedge funds also recently added to or reduced their stakes in the company. Mitsubishi UFJ Securities Holdings Co. Ltd. lifted its position in Boeing by 220.0% in the 1st quarter. Mitsubishi UFJ Securities Holdings Co. Ltd. now owns 320 shares of the aircraft producer's stock worth $105,000 after buying an additional 220 shares in the last quarter. Mount Yale Investment Advisors LLC purchased a new stake in Boeing in the 1st quarter worth approximately $108,000. Advisors Preferred LLC purchased a new stake in Boeing in the 1st quarter worth approximately $111,000. Lucia Wealth Services LLC purchased a new stake in Boeing in the 1st quarter worth approximately $126,000. Finally, Litman Gregory Asset Management LLC purchased a new stake in Boeing in the 1st quarter worth approximately $131,000. Institutional investors own 71.17% of the company's stock. Get Boeing alerts: +Shares of BA opened at $345.98 on Friday. Boeing Co has a 12 month low of $234.29 and a 12 month high of $374.48. The firm has a market cap of $194.99 billion, a PE ratio of 28.74, a price-to-earnings-growth ratio of 1.69 and a beta of 1.46. The company has a current ratio of 1.11, a quick ratio of 0.32 and a debt-to-equity ratio of -7.65. Boeing (NYSE:BA) last announced its quarterly earnings results on Wednesday, July 25th. The aircraft producer reported $3.33 EPS for the quarter, missing the Thomson Reuters' consensus estimate of $3.45 by ($0.12). Boeing had a return on equity of 2,344.87% and a net margin of 9.92%. The business had revenue of $24.26 billion for the quarter, compared to analyst estimates of $24.02 billion. During the same quarter last year, the company earned $2.55 EPS. The business's revenue for the quarter was up 5.2% compared to the same quarter last year. equities research analysts forecast that Boeing Co will post 14.63 earnings per share for the current fiscal year. +The company also recently announced a quarterly dividend, which will be paid on Friday, September 7th. Investors of record on Friday, August 10th will be paid a $1.71 dividend. The ex-dividend date is Thursday, August 9th. This represents a $6.84 dividend on an annualized basis and a yield of 1.98%. Boeing's payout ratio is presently 56.81%. +A number of equities research analysts have issued reports on BA shares. Jefferies Financial Group reiterated a "buy" rating and issued a $410.00 target price on shares of Boeing in a research report on Sunday, July 29th. Goldman Sachs Group set a $336.00 target price on shares of Boeing and gave the stock a "neutral" rating in a research report on Wednesday, April 25th. Credit Suisse Group reiterated a "buy" rating and issued a $455.00 target price on shares of Boeing in a research report on Thursday, July 26th. Cowen reiterated a "buy" rating and issued a $430.00 target price on shares of Boeing in a research report on Tuesday, May 1st. Finally, UBS Group increased their target price on shares of Boeing from $325.00 to $357.00 and gave the stock a "neutral" rating in a research report on Thursday, July 26th. Six analysts have rated the stock with a hold rating and twenty-two have assigned a buy rating to the stock. Boeing has a consensus rating of "Buy" and a consensus target price of $395.78. +Boeing Profile +The Boeing Company, together with its subsidiaries, designs, develops, manufactures, sales, services, and supports commercial jetliners, military aircraft, satellites, missile defense, human space flight, and launch systems and services worldwide. The company operates in four segments: Commercial Airplanes; Defense, Space & Security; Global Services; and Boeing Capital. +Read More: Trading Penny Stocks +Want to see what other hedge funds are holding BA? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Boeing Co (NYSE:BA). Receive News & Ratings for Boeing Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Boeing and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4540.txt b/input/test/Test4540.txt new file mode 100644 index 0000000..6f20b3e --- /dev/null +++ b/input/test/Test4540.txt @@ -0,0 +1,17 @@ +Research has shown that a small portion of stocks contribute to a massive percentage of the market's gains over time. The difficulty of selecting these stocks from others is up for debate, with some in favor of actively investing in equities and some in favor of a more passive indexing approach. In his EP, contributor Logan Kane discusses how Seeking Alpha articles help him continue to actively try and identify underpriced investment opportunities. +Our contributors keep their ears to the ground and their eyes on the screen looking for profitable opportunities in the marketplace. Today, contributors Logan Kane , Aswath Damodaran , Alacran Investments , Joey Garrand , Achilles Research , Paul Nouri, CFP , Herve Blandin , and The Boyar Value Group bring us some of the best ideas. Let us know which is your favorite in the comment section below. +Here are today's Editors' Picks: +Diana Containerships (Alacran Investments) Ur-Energy Inc. (Joey Garrand) Peyto Exploration (Herve Blandin) MSG networks (The Boyar Value Group) U.S. Physical Therapy, Inc. (Paul Nouri, CFP) Chatham Lodging Trust (Achilles Research) iShares Core S&P MidCap ETF (Logan Kane) Déjà vu In Turkey (Aswath Damodaran) Chart of the day: Annualized Returns 83-06 +Comment of the day, by contributor jsantmyer +Fundamentals are certainly a foundation type of analysis that needs to be performed regardless of the stock ticker. Some of the statistics you have expressed in this article about stock values in general, I have found to be true in my own portfolio. +However, it is important to note that fundamentals are only one part of the due diligence that should be performed when deciding whether you will be long or short any stock. +One such analysis is the concept of sentiment. There are a lot of growth stocks out there where a nice % of their stock price is based upon sentiment. Tesla of course is the obvious one. Many of of the bears on this site would tell you that about 80-90% of its value is based on sentiment. +Without looking at sentiment as well as technicals, would cause you to potentially forgo a nice % of the stock universe that have a very good potential to be winners in the present. Tesla is also one of the poster childs in that respect. +Lastly, regardless of what the due diligence performed tells you about a specific stock, or package of stocks, one must also be prepared to know whether or not the stock meets your individual need as it relates to risk. The old adage that a 15% return on a high risk stock may be worth only a 3% return on a low risk stock, after adjusting for the risk premium that has been priced into the stock. Thanks for bringing this information to all of our attention. It really forces us to consider just how important the due diligence phase of any investment. +Image of the day: Apple hits $1 Trillion +Fun Fact Of The Day: +Two of the worst stock-market crashes in which stock prices dropped precipitously occurred in October. As a result, the "Stock Trader's Almanac" considers the month jinxed. The first stock market crash occurred in 1929 when stocks declined 25 percent in two days and marked the beginning of the Great Depression. Decades later, in October 1987, stocks suffered a worse fate when the stock market lost nearly one-quarter of its value in a day, which goes down in history as the single-worst performance ever by stocks. +In this week's Behind The Idea Podcast, SA Managing Editors Mike Taylor, CFA and Daniel Shvartsman talk with, Brian Langis and Derek Thompson , two Disney ( DIS ) experts to get their take. How will the Fox deal impact the company going forward? Listen to find out. +Thanks for reading. Please share your 'Editor's Pick' with fellow investors by posting it in the comments. +Have a great day! +Jaso \ No newline at end of file diff --git a/input/test/Test4541.txt b/input/test/Test4541.txt new file mode 100644 index 0000000..0d79c8e --- /dev/null +++ b/input/test/Test4541.txt @@ -0,0 +1,6 @@ +Go RTMC to introduce online service for learner, driver test applications The system will allow learner and driving licence applicants to choose the date, time and place of their tests. A general view of a South African driver's licence. Picture: Supplied. Tendani Mulaudzi | one hour ago +JOHANNESBURG - The Road Traffic Management Corporation (RTMC) is introducing an online service which it says will put an end to corruption at licensing departments. +The system will allow learner and driving licence applicants to choose the date, time and place of their tests. +The online service, which will launch this month, will also be available to those renewing their licences. +The RTMC's Simon Zwane says: "We have evidence and seen in the past that because of the handling by officials, we have experienced corruption where bookings are blocked for certain individual purposes that are corrupt. We will deal with that and improve services for the public." +(Edited by Shimoney Regter \ No newline at end of file diff --git a/input/test/Test4542.txt b/input/test/Test4542.txt new file mode 100644 index 0000000..c9f4139 --- /dev/null +++ b/input/test/Test4542.txt @@ -0,0 +1,13 @@ +Spain send out Nigeria's Falconets from Women World Cup By Falconets out of the World Cup +Spain have sent out Nigeria's Falconets out of the ongoing Under-20 Women World Cup in France. +Falconets were beaten 2-1 by the Spanish women team to qualify for the semi-final stage of the competition. +First half goals from Aitana Bonmati and Patri Guijarro gave Spain victory in the quarter-final match. +On an overcast afternoon at the Stade Guy-Piriou in Concarneau, it was Spain that made their early advantage count by breaking the deadlock before the quarter-hour mark through captain Bonmati. +Her fine left-footed shot from the edge of the Nigeria box gave goalkeeper Chiamaka Nnadozie little chance of preventing them falling behind. Spain's La Rojita rejoice after beating Nigeria's Falconets +Bonmati nearly had a second with a free-kick that struck the underside of the Nigerian crossbar and bounced away to safety, while Eva Navarro forced a point-blank save from Nnadozie moments later. +Spain eventually doubled their lead before the break. +Guijarro scored her fifth goal of France 2018 after getting on the end of Maite Oroz's free-kick into the West African side's box and scoring from close range. +Having struggled to create much in the first half, the Super Falconets responded with a goal just before the hour mark. Nigeria's Falconets crash out in France +Peace Efih's forward run saw her pick out Rasheedat Ajibade on the left side. +Her low shot forced a diving Catalina Coll to direct the ball into the path of an unmarked Efih, who duly converted into an empty Spanish goal. +Though they halved their deficit, Nigeria were unable to find an equaliser, as Spain saw out the remainder of the contest to reach the last four of this competition. TAG \ No newline at end of file diff --git a/input/test/Test4543.txt b/input/test/Test4543.txt new file mode 100644 index 0000000..65c1746 --- /dev/null +++ b/input/test/Test4543.txt @@ -0,0 +1,16 @@ +/ Originally published on August 17, 2018 4:26 am +As California's enormous wildfires continue to set records for the second year in a row, state lawmakers are scrambling to close gaps in state law that could help curb future fires, or make the difference between life and death once a blaze breaks out. +While the biggest political battle in Sacramento is focused on utility liability laws , lawmakers are also rushing to change state laws around forest management and emergency alerts before the legislative sessions ends this month. +A special joint legislative committee is examining how to shore up emergency alert systems so people know to evacuate, and how to prevent fires through better forest management. They're among the challenges facing many Western states. +Historically, state Sen. Hannah-Beth Jackson said during a recent interview in her Capitol office, "we have looked at fire as an enemy." +That was a mistake, said Jackson, a Democrat who represents Santa Barbara and Ventura counties, both of which were devastated by the enormous Thomas Fire last December. She's pushing legislation that would expand prescribed burns and other forest management practices on both public and private lands. +"We have been doing less and less to try to clear vegetation, to do controlled burns, so that we can reduce the dead vegetation that we have," she said. "As a result, we have conditions that are seeing fruition with these enormous and out of control fires." +Jackson says after years of inaction, everyone in California is finally at the table --including environmental groups — supporting the measure and engaging in a conversation around forest management. +Jackson also has a bill that would let counties automatically enroll residents in emergency notification systems; it's one of two bills aimed at shoring up gaps around evacuation alerts that were exposed by last years' deadly fires . The other is Senate Bill 833 by North Bay Sen. Mike McGuire; it would seek to expand use of the federally-regulated wireless emergency alert system in California. +Jackson noted that technology has changed and governments must adjust. +"We used to be warned about danger with the church bells and then during the Cold War with Russia we had a CONELRAD alert system ... well we don't have any of those things today," she said. "We rely upon people's cell phones ... fewer and fewer people actually have landlines today. So we've got to adapt and that's what this program will hopefully do." +At the national level, there's also political maneuvering over fires. +Department of Homeland Security Secretary Kirstjen Nielson visited a fire zone in Northern California earlier this month and promised to start providing federal emergency funding earlier. Meanwhile, during her recent tour of a fire area, California's U.S. Sen. Kamala Harris said she is pushing to expand federal funding for both fighting and preventing wildfires. Some of that funding is in a bipartisan bill that is co-sponsored by senators from 10 other states, many of them in the fire-prone West. +"Let's also invest resources in things like deforestation, in getting rid of these dead trees and doing the other kind of work that is necessary to mitigate the harm that that is caused by these fires," Harris said while visiting Lake County. +Dollars are important: The state has blown through its firefighting budget seven of the last 10 years, even as the annual budget has grown five-fold over the same period. This fiscal year started six weeks ago, and California has already spent three-quarters of its firefighting budget for the entire year. +That spending is "a very stark indication of the severity and the scope of these type of catastrophic wildfires," said H.D. Palmer, spokesman for Gov. Jerry Brown's Department of Finance. Copyright 2018 KQED. To see more, visit KQED . © 2018 KUN \ No newline at end of file diff --git a/input/test/Test4544.txt b/input/test/Test4544.txt new file mode 100644 index 0000000..9c85c64 --- /dev/null +++ b/input/test/Test4544.txt @@ -0,0 +1,24 @@ +Funky new restaurant is bringing bubble tea craze to Plymouth Tea and Bun is pushing Plymouth Market to the next level Share Click to play Tap to play The video will start in 8 Cancel Play now +The owner of Plymouth's top-rated restaurant is growing her food business and has taken on a second venue - and has introduced bubble tea to Plymouth. +Prissana Hosakon, also known as Pond, is the woman behind the hugely successful @kitchen based on the mezzanine of Plymouth Market . +Since opening in 2016, it's scooped the first place position on Trip Advisor as the best-rated restaurant in the whole city. +But now she's branching out and has taken on the lease for a shop front adjoined to the market on Cornwall Street. +The new eatery is named Tea & Bun and it opened on Thursday on the ground floor of the market, directly underneath her existing business. We went for an exclusive look around the venue before it officially opened and can confirm you are in for an absolute treat. +Investor Mark Smale helped make the dream of Tea & Bun come true after seeing how popular Pond and her team had made @kitchen. Head chef, Prissana Hosakon, also known as Pond is heading up the new venture (Image: Penny Cross) +"I wanted to build on the success of @kitchen," he said, "and invest not only in Tea & Bun, but also invest in Pond to bring her magic to the new place. +"I want to bring her skill and new food ideas to Plymouth and the market." +Pond added: "People care about what they eat, something like this is good for everybody - it's not out of a packet." +This is something I can definitely attest to. Pond cooked us almost every item on the menu during our visit and the food was prepared fresh and fast. Whether you're passing by on a quick lunch break or for a leisurely afternoon, visitors can expect a variety of high quality dishes. +The prices are very reasonable too, with the most expensive dish - an enormous bowl of Ramen - coming in at £7.50. Read More What did we eat at Tea & Bun? Fried gyoza with soy dip We tried the fried gyoza with soy dip and it was delicious (Image: Penny Cross) +This dish is a delightful snack, enough to satisfy an empty stomach with its pork filling and crispy shell. +This and the chicken kara-age would be a perfect introduction if you are new to Asian cuisine and want to test the waters before diving straight it. Chicken kara-age with spicy mayo Is your mouth watering yet? (Image: Penny Cross) +Imagine popcorn chicken at KFC except much nicer, fresher, lighter and tastier. +This petite chicken dish comes with a fabulous breadcrumb-style coating and is perfect for dipping into the spicy mayo. You'll find this on the snack section of the menu, so you might like to team it up with another dish to complete a lunch or dinner meal. Sticky Ribs with fried onion +You might struggle with chop sticks on this one but thankfully Tea & Bun has plenty of cutlery to help you tuck into this juicy pork dish. It's a brilliant size for one person to enjoy, but by the end you may wish you'd ordered two or three portions they're just that good. Soy Ramen The soy ramen, shiitake mushroom broth with soy tare, chashu pork belly and bamboo shoot - delish (Image: Penny Cross) +Ramen is a very popular Japanese dish. The noodles are served with bean sprouts and spring onion in broth - leaving a wonderful combination of textures and flavours for you to enjoy. +There is a whole Ramen menu including options like soy ramen, pork ramen and miso ramen for vegetarians, vegans and meat eaters alike. This of course is served in large, deep bowls and will definitely fill you up. Steamed Buns The spicy Korean chilli jackfruit steamed harita buns are simply stunning (Image: Penny Cross) +There are several steamed buns for you to try. We tried cha-shu pork and Korean chilli jackfruit. +Jackfruit is an increasingly popular meat alternative and I would thoroughly recommend trying if if you haven't already. The steamed buns are smooth and soft, and are also beautiful and light in comparison to having something like bread. And last but not least... bubble tea! The bubble tea in all its glory (Image: Penny Cross) +Tea & Bun got its name for a reason and that's because they sell a lovely selection of bubble teas. It's important to note that all the drinks are cold, even the milk tea. +We tried lychee oolong tea which has big lychees sitting in amongst the ice cubes and is very sweet and refreshing. But I have to say, my stand out was the mango green tea with popping balls. It's amazingly tasty and even more so once you get hold of a popping bubble. +To start with, the new restaurant will be open during market hours, but as they have a street facing shop front, the option to open later into the evening could well be possible. It will be difficult to give the infamous @kitchen a run for its money, but if any place is going to do it, it's going to be Tea & Bun. What do we think \ No newline at end of file diff --git a/input/test/Test4545.txt b/input/test/Test4545.txt new file mode 100644 index 0000000..94f15bf --- /dev/null +++ b/input/test/Test4545.txt @@ -0,0 +1,32 @@ +NEW YORK (AP) — A generation ago, the likes of Walter Cronkite, Peter Jennings and Diane Sawyer were the heroes of television news. Now the biggest stars are arguably Sean Hannity and Rachel Maddow. +Notice the difference? Cronkite, Jennings and Sawyer reported the news. Hannity and Maddow talk about the news, and occasionally make it. But you never doubt how they feel about it. +In a chaotic media landscape, with traditional guideposts stripped away by technology and new business models, the old lines between journalism and commentary are growing ever fuzzier. As President Donald Trump rewrites the rules of engagement to knock the media off stride, he's found a receptive audience among his supporters for complaints about "fake news" and journalists who are "enemies of the people." +In such a climate, is it any wonder people seem to be having a hard time distinguishing facts from points of view, and sometimes from outright fiction? It's a conclusion that is driving anger at the news media as a whole. On Thursday, it produced a coordinated effort by a collection of the nation's newspapers to hit back at perceptions that they are somehow unpatriotic. +"We don't have a communications and public sphere that can discern between fact and opinion, between serious journalists and phonies," says Stephen J.A. Ward, author of 10 books on the media, including the upcoming "Ethical Journalism in a Populist Age." +Latest videos Now Playing: Now Playing We've Got Chills! Olivia Newton-John and John Travolta Reunite for Grease's 40th Anniversary Media: Entertainment Weekly John Cleese: the UK 'is in a mess' Media: Associated Press Hollywood to Release 5 Huge Movies on Same Day Media: Entertainment Weekly Madonna's legacy at 60 Media: Associated Press Director Spike Lee: "We're In A Very Difficult Time" Media: CelebWire 6 Movies With a Perfect Rotten Tomato Score This Year Media: Wibbitz And the Oscar for the most popular film goes to...- Academy adds new category Media: Entertainment Weekly Anoushka Shankar: Ravi Shankar was 'my guru and my father' Media: Associated Press Exclusive Robert Redford Announces He's Retiring From Acting Media: Entertainment Weekly Baio says he took polygraph tests to prove innocence Media: Associated Press Bateman excited about 'Ozark' Emmy noms Media: Associated Press 'Terminator' Sequel First Look Proves the Future is Female Media: Entertainment Weekly 'This Is Us' Creator Says Season 2 Finale Flash-Forward is the Show's 'Ending Timeline' Media: Entertainment Weekly Leia and Lando Return Carrie Fisher and Billy Dee Williams Will Appear in Cast of 'Star Wars Episode IX' Media: Entertainment Weekly Mila Kunis, Kate McKinnon: "Did A Lot Of Wild Stuff In Budapest" Media: CelebWire Jane Fonda confirms '9 to 5' sequel to reunite original cast, tackle modern workplace issues Media: Entertainment Weekly Demi Lovato's ADDICTION Timeline REVEALED! Media: Hollyscoop Tom Cruise in Mission: Impossible - Fallout Media: Fox5DC 'Supergirl' Casts Nicole Maines as TV's First Transgender Superhero Media: Entertainment Weekly 'Forbes' Names-Highest Paid Entertainers Media: Wibbitz Go-Go's go go to Broadway Media: Associated Press Not long ago — think back 30 years — the news business had a certain order to it. +Evening newscasts on ABC, CBS and NBC gave straightforward accounts of the day's events, and morning shows told you what happened while you slept. Newspapers flourished, with sections clearly marked for news and editorial pages for opinion. The one cable network, in its infancy, followed the play-it-straight rules of the big broadcasters. There was no Internet, no social media feed, no smartphone with headlines flashing. +Today, many newspapers are diminished. People are as likely to find articles through links on social media posted by friends and celebrities. Three TV news channels, two with firmly established points of view, air an endless loop of politically laced talk. There's no easy escape from a 24-hour-a-day news culture. +The internet's emergence has made the media far more democratic — for good and ill. There are many more voices to hear. But the loudest ones frequently get the most attention. +"No one can control the flow of information across social media and the internet media," says George Campbell, a 53-year-old business consultant from Chicago. "This has led to a confusion about fact vs. fake. But mostly, it has resulted in a cash cow for conspiracy makers." +Let's not neglect the memorable journalism that the Trump era has produced all across the country. Many newspapers are far from "failing," as Trump often claims about the scoop-hungry shops at The New York Times and The Washington Post. The number of digital subscribers to the Times has jumped from below 1 million in 2015 to more than 2.4 million now. +The cable networks have turned politics into prime-time entertainment, and it's been both great for business and polarizing: Fox News Channel (from the right) and MSNBC (from the left) are frequently the most-watched cable networks in the country. +For many years, those network executives did a delicate dance. The stations were news during the day, opinion at night. But with the opinion shows so successful — shouting what you believe tends to "pop" more than facts — it has become harder to suppress those identities. Even when different sides are given, the hours are filled with opinionated people giving their takes. +A recent White House briefing illustrates how the Trump administration has plucked examples from the endless talk feed in its campaign against the media. +When press secretary Sarah Sanders rebuffed CNN reporter Jim Acosta's attempt to have her renounce Trump's attacks on the press, she noted that she's been attacked personally by "the media" more than once, including by CNN. +Both of Sanders' references had nothing to do with news reporting, and a lot to do with expressions of opinion. One of them, for example, came from an MSNBC appearance by Jennifer Rubin, a Washington Post columnist paid specifically to give her take on things. +But that kind of distinction blurs when it's decoupled from the newspaper columns and appears in the wild of social media feeds. +"I don't blame the public for being confused," said Kathleen Hall Jamieson, communications professor and director of the Annenberg Public Policy Center at the University of Pennsylvania. +In a heated news environment, journalists are left to find descriptions for things they haven't seen before. CNN's Anderson Cooper called Trump's performance in a joint news conference with Russia's Vladimir Putin "disgraceful" after both leaders left a Helsinki stage this summer. For Cooper, it was a moment of truth-telling. For the president's supporters, it was a brash embrace of bias. +The Pew Research Center conducted an experiment earlier this year. It presented more than 5,000 adults with five statements of fact and five opinions and asked them to identify which was which. Only 26 percent of respondents correctly identified the five facts, and 35 percent identified the five opinions as such. +The survey suggested that people are in different realities. For instance, 63 percent of Republicans correctly said the statement "Barack Obama was born in the United States" was a fact. Meanwhile, 37 percent of Democrats incorrectly identified the statement "increasing the federal minimum wage to $15 an hour is essential for the health of the U.S. economy" as fact, not opinion. +"Overall, Americans have some ability to separate what is factual from what is opinion," says Amy Mitchell, Pew's director of journalism research. "But the gaps across population groups raise caution, especially given all we know about news consumers' tendency to feel worn out by the amount of news there is these days, and to dip briefly into and out of news rather than engage deeply with it." +Another contributing factor to confusion is the way news articles often lose their context when spread on Twitter feeds and other social media, Jamieson said. Opinion and news stories live in the same space, sometimes clearly marked, sometimes not. +One Facebook feed, for example, linked to a Los Angeles Times article with the headline, "In a strikingly ignorant tweet, Trump gets almost everything about California wildfires wrong" and gave no indication that it was an opinion piece. +For many people, the editors and news producers who were once media gatekeepers have been replaced by opinionated uncles and old high-school classmates who spend all their time online. Russian trolls harnessed the power of these changes in news consumption before most people realized what was happening. +"The truth," Ward says, "is no match for emotional untruths." +News organizations have never been particularly good at either working together or telling the public what it is that they do. The first collective effort by journalists to fight back against Trump's attacks came this week, when a Boston Globe editor organized newspapers across the country to editorialize against them. That collection promptly was assessed by some as playing into Trump's hands by suggesting collusion on the part of "mainstream media." +In an ideal world, Ward says, people would have an opportunity to learn media literacy. And he'd have fewer uneasy cocktail party encounters after he meets someone new and announces that he's an expert in journalism ethics. +"After they laugh, they talk about some person spouting off on Fox or something," he says. +He has to explain: That may be some people's idea of journalism, but it's not news reporting. +___ +David Bauder reports on media for The Associated Press. Follow him on Twitter at @dbaude \ No newline at end of file diff --git a/input/test/Test4546.txt b/input/test/Test4546.txt new file mode 100644 index 0000000..a31093a --- /dev/null +++ b/input/test/Test4546.txt @@ -0,0 +1,31 @@ +News As our media environment blurs, confusion often reigns This combination photo shows MSNBC television anchor Rachel Maddow, host of "The Rachel Maddow Show," moderating a panel at Harvard University, in Cambridge, Mass. on , left, and Sean Hannity of Fox News at the Conservative Political Action Conference (CPAC) in National Harbor, Md. on. A generation ago, the likes of Walter Cronkite, Peter Jennings and Diane Sawyer were the heroes of television news. Now the biggest stars are arguably Sean Hannity and Rachel Maddow. Old lines between journalism and commentary are growing fuzzier with traditional media guideposts stripped away by technology and new business models. The Associated Press By David Bauder, The Associated Press Posted: # Comments +NEW YORK >> A generation ago, the likes of Walter Cronkite, Peter Jennings and Diane Sawyer were the heroes of television news. Now the biggest stars are arguably Sean Hannity and Rachel Maddow. +Notice the difference? Cronkite, Jennings and Sawyer reported the news. Hannity and Maddow talk about the news, and occasionally make it. But you never doubt how they feel about it. +In a chaotic media landscape, with traditional guideposts stripped away by technology and new business models, the old lines between journalism and commentary are growing ever fuzzier. As President Donald Trump rewrites the rules of engagement to knock the media off stride, he's found a receptive audience among his supporters for complaints about "fake news" and journalists who are "enemies of the people." +In such a climate, is it any wonder people seem to be having a hard time distinguishing facts from points of view, and sometimes from outright fiction? It's a conclusion that is driving anger at the news media as a whole. On Thursday, it produced a coordinated effort by a collection of the nation's newspapers to hit back at perceptions that they are somehow unpatriotic. Advertisement +"We don't have a communications and public sphere that can discern between fact and opinion, between serious journalists and phonies," says Stephen J.A. Ward, author of 10 books on the media, including the upcoming "Ethical Journalism in a Populist Age." +Not long ago — think back 30 years — the news business had a certain order to it. +Evening newscasts on ABC, CBS and NBC gave straightforward accounts of the day's events, and morning shows told you what happened while you slept. Newspapers flourished, with sections clearly marked for news and editorial pages for opinion. The one cable network, in its infancy, followed the play-it-straight rules of the big broadcasters. There was no Internet, no social media feed, no smartphone with headlines flashing. +Today, many newspapers are diminished. People are as likely to find articles through links on social media posted by friends and celebrities. Three TV news channels, two with firmly established points of view, air an endless loop of politically laced talk. There's no easy escape from a 24-hour-a-day news culture. +The internet's emergence has made the media far more democratic — for good and ill. There are many more voices to hear. But the loudest ones frequently get the most attention. +"No one can control the flow of information across social media and the internet media," says George Campbell, a 53-year-old business consultant from Chicago. "This has led to a confusion about fact vs. fake. But mostly, it has resulted in a cash cow for conspiracy makers." +Let's not neglect the memorable journalism that the Trump era has produced all across the country. Many newspapers are far from "failing," as Trump often claims about the scoop-hungry shops at The New York Times and The Washington Post. The number of digital subscribers to the Times has jumped from below 1 million in 2015 to more than 2.4 million now. +The cable networks have turned politics into prime-time entertainment, and it's been both great for business and polarizing: Fox News Channel (from the right) and MSNBC (from the left) are frequently the most-watched cable networks in the country. +For many years, those network executives did a delicate dance. The stations were news during the day, opinion at night. But with the opinion shows so successful — shouting what you believe tends to "pop" more than facts — it has become harder to suppress those identities. Even when different sides are given, the hours are filled with opinionated people giving their takes. +A recent White House briefing illustrates how the Trump administration has plucked examples from the endless talk feed in its campaign against the media. +When press secretary Sarah Sanders rebuffed CNN reporter Jim Acosta's attempt to have her renounce Trump's attacks on the press, she noted that she's been attacked personally by "the media" more than once, including by CNN. +Both of Sanders' references had nothing to do with news reporting, and a lot to do with expressions of opinion. One of them, for example, came from an MSNBC appearance by Jennifer Rubin, a Washington Post columnist paid specifically to give her take on things. +But that kind of distinction blurs when it's decoupled from the newspaper columns and appears in the wild of social media feeds. +"I don't blame the public for being confused," said Kathleen Hall Jamieson, communications professor and director of the Annenberg Public Policy Center at the University of Pennsylvania. +In a heated news environment, journalists are left to find descriptions for things they haven't seen before. CNN's Anderson Cooper called Trump's performance in a joint news conference with Russia's Vladimir Putin "disgraceful" after both leaders left a Helsinki stage this summer. For Cooper, it was a moment of truth-telling. For the president's supporters, it was a brash embrace of bias. +The Pew Research Center conducted an experiment earlier this year. It presented more than 5,000 adults with five statements of fact and five opinions and asked them to identify which was which. Only 26 percent of respondents correctly identified the five facts, and 35 percent identified the five opinions as such. +The survey suggested that people are in different realities. For instance, 63 percent of Republicans correctly said the statement "Barack Obama was born in the United States" was a fact. Meanwhile, 37 percent of Democrats incorrectly identified the statement "increasing the federal minimum wage to $15 an hour is essential for the health of the U.S. economy" as fact, not opinion. +"Overall, Americans have some ability to separate what is factual from what is opinion," says Amy Mitchell, Pew's director of journalism research. "But the gaps across population groups raise caution, especially given all we know about news consumers' tendency to feel worn out by the amount of news there is these days, and to dip briefly into and out of news rather than engage deeply with it." +Another contributing factor to confusion is the way news articles often lose their context when spread on Twitter feeds and other social media, Jamieson said. Opinion and news stories live in the same space, sometimes clearly marked, sometimes not. +One Facebook feed, for example, linked to a Los Angeles Times article with the headline, "In a strikingly ignorant tweet, Trump gets almost everything about California wildfires wrong" and gave no indication that it was an opinion piece. +For many people, the editors and news producers who were once media gatekeepers have been replaced by opinionated uncles and old high-school classmates who spend all their time online. Russian trolls harnessed the power of these changes in news consumption before most people realized what was happening. +"The truth," Ward says, "is no match for emotional untruths." +News organizations have never been particularly good at either working together or telling the public what it is that they do. The first collective effort by journalists to fight back against Trump's attacks came this week, when a Boston Globe editor organized newspapers across the country to editorialize against them. That collection promptly was assessed by some as playing into Trump's hands by suggesting collusion on the part of "mainstream media." +In an ideal world, Ward says, people would have an opportunity to learn media literacy. And he'd have fewer uneasy cocktail party encounters after he meets someone new and announces that he's an expert in journalism ethics. +"After they laugh, they talk about some person spouting off on Fox or something," he says. +He has to explain: That may be some people's idea of journalism, but it's not news reporting \ No newline at end of file diff --git a/input/test/Test4547.txt b/input/test/Test4547.txt new file mode 100644 index 0000000..bb86aa3 --- /dev/null +++ b/input/test/Test4547.txt @@ -0,0 +1,25 @@ +The Home Office have launched a recruitment campaign in search for a head of the new countering extremism commission. +This new counter-extremism commission's aim is to facilitate training for schools and colleges on how to spot signs of radicalisation. +"And because there is a strong correlation between extremism and the poor treatment of women and girls, the commission will have a specific responsibility to ensure women's rights are upheld," the Home Office has acknowledged. +As the Quote: above reveals, the new commission also aims to uphold women's rights. +The formation of the new "Commission for Countering Extremism" was confirmed earlier this year in the Queen's Speech. +As the UK Government launched a recruitment campaign into motion with the aim of appointing a head for this commission – new details of the body's objectives have been unveiled. +It will be in charge of not only providing examples; but also advising the government on new policies and laws, as well as helping communities and the public sector to combat extremism and promote fundamental British values. +"The commission will also help to train schools and colleges to spot the warning signs and stamp out extremism, as they have with racism," the Home Office stated. +The successful candidate for lead commissioner is expected to provide guidance to the home secretary regarding the commission's future role and contribute to shaping its priorities. +Home Secretary Amber Rudd said: "This government is committed to tackling extremism in all its forms – as the prime minister said after the London Bridge attack earlier this year, enough is enough. +"The new Commission for Countering Extremism will have a key role to play in this fight. It will identify and challenge tolerance of extremism, tackle extremist ideology and promote British values, learning the lessons from the struggle against racism in the 20th century. +"The lead commissioner will head up this vital work and I look forward to working with the successful candidate." +The Department for Education (DfE) research report carried last month concluded that schools were being hyperactive in bringing up worries about radicalisation to social workers. +Putting the Prevent duty into action means the teaching staff must pay attention to concerning behaviour, identify children at risk of being radicalised, and refer those in need to social workers. +According to Tes poll, last year two-fifths of teachers complained they had just an hour of Prevent training . Among these, no less than 53 per cent expressed that they worry that this one-hour-training was not enough. +As you're here… +5Pillars have one humble request from you… +Thousands of Muslims around the world visit our website for news every day. Due to the unfortunate reality of covering Muslim-related news in a heightened Islamophobic environment, our advertising and fundraising revenues have decreased significantly. +5Pillars is editorially and financially independent, with no sectarian or political allegiance to any particular group or movement. Our journalism has been exclusively grassroots focussed and our sole purpose is to defend Islam and Muslims in the media. +This makes us unique in comparison to other online Muslim media outlets who are neither independently regulated by a reputable body nor are they managed by qualified journalists. +Our journalism takes time, money and effort to deliver. But we do it because we believe we have a duty to Allah (swt). +You may not agree or like everything we publish. However, which other Muslim news site that is run by experienced journalists will take on the responsibility of being a shield for Islam and Muslims in the media? +If you follow 5Pillars, and you understand its importance in today's climate, then please support us for as little as £5 a month, it only takes a minute to make a donation. Jazakallah khayran. +Our beloved Prophet Muhammad (peace be upon him) said: "The best deeds are those done regularly, even if they are small ." [ Ibn Mājah ] +CLICK HERE TO SUPPORT 5PILLAR \ No newline at end of file diff --git a/input/test/Test4548.txt b/input/test/Test4548.txt new file mode 100644 index 0000000..ae7050d --- /dev/null +++ b/input/test/Test4548.txt @@ -0,0 +1,46 @@ +By Ian Campbell 17 August 2018 0 The Merimbula Diggers women, ready for 'Footy 2 Fight MND' this Saturday. Photo: Diggers Facebook. +The Aussie Rules community in the Bega Valley and Eurobodalla will come together on Saturday (August 18) to remember two men who had a love for the game and their clubs and battled bravely with Motor Neurone Disease (MND). +The Narooma Lions play host to the Merimbula Diggers; the footie will be the backdrop to an all-day fundraising event for the Fight MND Foundation . +The inaugural ' Footy 2 Fight MND ' will see the two teams clash in the last of the regular home and away rounds this season, playing for the Matt Ratcliffe and David Worden Memorial Shield. +One of the event organisers, Melanie Tiffen, lost her mum to the disease six years ago. +"MND has not only personally touched me and my family, but also many people in the Narooma and Merimbula communities with the passing of Matt and David and this is a great opportunity to not only honour them and their fight against MND, but anyone who has been touched by this horrific disease," +Ms Tiffen says. +"Raising money for finding a cure for Motor Neurone Disease is a passion of mine. +"My mother was diagnosed on the 17th of March, 2011 and lost her fight on 6th of March, 2012, just 11 days short of 12 months. +"As a family we cared for her in the family home until we could no longer accommodate her needs and she spent the last 2 months in a nursing home in palliative care. +"This beast of a disease takes everything from the person who has it apart from their brain and thought process, resulting in that person essentially being trapped in their own body. +"Not only does it pay its toll on the actual person with MND but it also strongly affects those who love and care for the person, continuing long after they lose their battle. +"My family have vowed to help raise as much money as we possibly can to donate to Neale Daniher's Fight MND foundation as we know that 100% of money raised goes directly into finding a cure. +"Without a cure, many, many more people will suffer and go through what our family has endured," +Ms Tiffen says. +This event is not a one-off; both clubs are committed to the 'Footy 2 Fight MND' round each year, alternating the hosting between Narooma and Merimbula. +Bill Smyth Oval in Narooma is the venue this Saturday (August 18) from 8 am. It promises to be a full day of fun for all ages, raising money and awareness for this truly worthy cause. +AFL legend Ronnie Burns, who played for Geelong and Adelaide from 1996 to 2004 will also be there to offer his support thanks to LJ Hooker. +"I'm honoured to be involved in such a significant event. Footy is one of those things that brings communities together, but so is a cause like 'Footy 2 Fight MND', especially when two communities have been personally affected like the Narooma and Merimbula communities have," Mr Burns says. +Kathryn Ratcliff, Matt's sister, is supporting the day and hopes the event will raise awareness and research dollars so that families like her's can stop the pain and anxiety they live with. +"Way back in about 1975, when I was just 4 years old, my Auntie Norma died. She was only young, in her 30's and although I don't remember her, my cousins suffered greatly. She spent her last year or so in bed. Her youngest was only about 8 years old and a few years later ran away from home," +Ms Ratcliff says. +"In 1977 my grandfather also passed away from MND. I don't remember him much either, except that I could never understand him. His speech was the worst affected. +"His sister died from MND in 1980. In 1999 my father passed away from MND after a few years of wheelchairs and morphine and bloated feet. +"That was about the time that researchers started talking about the SOD1 gene mutation. You could get tested for that. If you had the mutation, you had the disease. You couldn't change anything, but you could find out. +"In 2000 I did that. They talked about survivor guilt. I didn't get it then. I do now. My Dad's sister Pat died of MND in 2001. My Dad's brother Paul died of MND in 2004. +"In 2004 my cousin Stephen also passed away at age 42. He was the first of our generation. +"In 2007 my brother Matt was diagnosed. In 2008 my cousin Leanda, Stephen's sister, was diagnosed. In about 2013 Leanda's son, Eric was also diagnosed. +"In 2014 my half-brother took his life because he thought he had the symptoms and could not cope with the outcome. +"In 2015 my brother Matt passed away, leaving behind his loving wife Steph and their three amazing children James, Evie and Grace. +"In 2015 Leanda's other brother, David was also diagnosed. +"Although I am so lucky to have missed the SOD1 mutation, I cannot remember a time in my life where this disease has not affected us. Always there, lurking, pressuring, taking. It is cruel and everlasting. +"It is only in the last few years with masses of help and understanding to dedicate money into research that FINALLY ground is being broken and maybe my nieces and nephews and cousins can be saved from suffering," +Ms Ratcliff says. +Local Aboriginal artist Merryn Apma is a close friend of Kathryn's and has donated an original painting to kick the fundraising along. +The painting represents how MND's impact can be far-reaching, and how it can affect anyone as well as through many generations. +"The large circle is a blooming Desert Rose, with white lines representing the brain, sending signals that something is breaking down, Ms Apma explains. +"The symbols on the outside of the circle are people both male and female, with the smaller Desert Roses breaking away eventually falling to single petals representing how the disease progresses and breaks the body down. +"The small circles around the outside show all the areas working to try and find a cure," she says. +The painting can be viewed at Merryn's gallery, Apma Creations and Aboriginal Art Gallery in Central Tilba prior to the event and will be on display at Bill Smyth Oval on Saturday. +The painting will be auctioned at 8:30 pm at the Footy 2 Fight MND evening function at the Narooma Golf Club. Bids will also be taken live via the Footy 2 Fight MND Facebook Event page. Local Aboriginal artist Merryn Apma with her MND inspired artwork. Photo: Supplied. +Ms Tiffen says, "It's going to be an enormous day and night, and we hope to be able to donate a decent amount of money to the Foundation." +"We will be raising money throughout the day with raffles, games, a dunking booth, mens, ladies and kids tents, an oyster bar, and of course, an Ice Slide Challenge. +"We are giving away lots of prizes, MND merchandise will be available to buy, including MND beer from Brewmanity, plus there will be a full card of footy matches between Narooma and Merimbula, so we want as many people as possible to attend." +The Senior Women's game kicks off at 10:30 am, the Senior Men at 1:10 pm, further information is available at the Footy 2 Fight MND Facebook page. +*This story first appeared on About Regional \ No newline at end of file diff --git a/input/test/Test4549.txt b/input/test/Test4549.txt new file mode 100644 index 0000000..96a31ba --- /dev/null +++ b/input/test/Test4549.txt @@ -0,0 +1,9 @@ +Alle EISA-Gewinner auf einen Blick 17.08.2018 +Immer länger wird die Liste der EISA-Awards. Insgesamt 84 Auszeichnungen hat die European Imaging & Sound Association (EISA) heuer vergeben – im Vorjahr waren's noch 66. © EISA +Der Grund für den Zuwachs an „UE-Oscars": Die EISA hat zahlreiche neue Kategorien eingeführt, um – wie es heißt – der technischen Weiterentwicklung entgegenzukommen. Dazu zählen etwa die TV-Geräte mit der besten Künstlichen Intelligenz (KI) oder die besten Monitor-Innovation. Gestrichen wurden dafür die besten Smart-TVs, weil inzwischen nahezu jeder TV auch ein Smart-TV ist. +Die jeweiligen Sieger werden von einer Jury, bestehend aus Fachexperten aus 53 Redaktionen aus 25 Ländern, in einer geschlossenen Abstimmung gewählt. Preise gibt es in den Kategorien Hi-Fi, Heimkino-Audio, Heimkino-Display & -Video, Car Electronics, Mobile Geräte und Fotografie. EISA-Awards 2018-2019: SLIM INSTALLATION COMPONENT 2018-2019: Morel Virtus Nano Integra 602 & SoundWall PowerSlim PMC600 BEST BUY UHD BLU-RAY PLAYER 2018-2019: Sony UBP-X700 HIGH-END UHD BLU-RAY PLAYER 2018-2019: Panasonic DP-UB9000 series HOME THEATRE SUBWOOFER 2018-2019: SVS SB-4000 BEST BUY SOUNDBAR 2018-2019: Polk Audio MagniFi MAX SOUNDBAR 2018-2019: LG SK10Y BEST BUY HOME THEATRE SPEAKER SYSTEM 2018-2019: Jamo S 809 HCS / S 810 SUB / S 8 ATM HOME THEATRE IN-WALL SPEAKER 2018-2019: Focal 300IWLCR6 / 300IW6 HOME THEATRE SPEAKER SYSTEM 2018-2019: KEF Q Series HOME THEATRE RECEIVER 2018-2019: Pioneer VSX-933 HOME THEATRE AMPLIFIER 2018-2019: Denon AVC-X8500H +Home Theatre Display & Video MONITOR INNOVATION 2018-2019: Sharp Aquos LV-70X500E ARTIFICIAL INTELLIGENCE TV 2018-2019: LG 65SK9500 BEST BUY OLED TV 2018-2019: Philips 55OLED803 PREMIUM LCD TV 2018-2019: Samsung 65Q9FN PREMIUM OLED TV 2018-2019: LG OLED65E8 HOME THEATRE TV 2018-2019: Philips 65OLED903 BEST BUY LCD TV 2018-2019: TCL 55DC760 BEST BUY UHD BLU-RAY PLAYER 2018-2019: Sony UBP-X700 HIGH-END UHD BLU-RAY PLAYER 2018-2019: Panasonic DP-UB9000 series PREMIUM PROJECTOR 2018-2019: Sony VPL-VW760ES BEST BUY PROJECTOR 2018-2019: BenQ W1700 PHOTO VIDEO CAMERA 2018-2019: Panasonic LUMIX DC-GH5S +Mobile Devices BEST SMARTPHONE 2018-2019: Huawei P20 Pro CONSUMER SMARTPHONE 2018-2019: Nokia 7 Plus BEST BUY SMARTPHONE 2018-2019: NOA Element N10 LIFESTYLE SMARTPHONE 2018-2019: Honor 10 MOBILE AUDIO PLAYER 2018-2019: Pioneer XDP-02U WIRELESS IN-EAR HEADPHONES 2018-2019: JBL Endurance DIVE MOBILE LOUDSPEAKER 2018-2019: JBL Xtreme 2 NOISE-CANCELLING HEADPHONES 2018-2019: AKG N700NC ARTIFICIAL INTELLIGENCE LOUDSPEAKER 2018-2019: LG XBOOM AI ThinQ WK7 PORTABLE DAC/HEADPHONE AMPLIFIER 2018-2019: iFi Audio xDSD +Hi-Fi HI-FI INNOVATION 2018-2019: Micromega M-One M-150 HIGH-END HEADPHONE 2018-2019: Focal Clear HEADPHONE 2018-2019: Sennheiser HD 660 S SMART SPEAKER 2018-2019: Harman Kardon Citation 500 BEST BUY LOUDSPEAKER 2018-2019: Q Acoustics 3050i LOUDSPEAKER 2018-2019: ELAC Adante AS-61 TURNTABLE 2018-2019: Technics SL-1200GR DAC 2018-2019: Chord Electronics Hugo 2 STREAMER 2018-2019: Pro-Ject Stream Box S2 Ultra HIGH-END AMPLIFIER 2018-2019: NAD M32 BEST BUY AMPLIFIER 2018-2019: Pioneer A-40AE AMPLIFIER 2018-2019: Primare I15 Prisma STEREO RECEIVER 2018-2019: Yamaha R-N803D STEREO SYSTEM 2018-2019: Marantz ND8006/PM8006 WIRELESS SYSTEM 2018-2019: DALI Callisto 6C & Sound Hub ALL-IN-ONE SYSTEM 2018-2019: Naim Audio Uniti Atom COMPACT MUSIC SYSTEM 2018-2019: Denon CEOL N10 ANALOG MUSIC SYSTEM 2018-2019: Pro-Ject Juke Box S2 PORTABLE DAC/HEADPHONE AMPLIFIER 2018-2019 : iFi Audio xDSD +In-Car Electronics IN-CAR HIGH-END COMPONENT 2018-2019: Audison TH K2 II A Coro IN-CAR INTEGRATION 2018-2019: MOSCONI Gladen Pico 8|12 DSP IN-CAR SMART UPGRADE 2018-2019: Match UP 7BMW IN-CAR SUBWOOFER 2018-2019: Audison APBX 10 AS IN-CAR DSP AMPLIFIER 2018-2019: JL Audio VX800/8i IN-CAR AMPLIFIER 2018-2019: Ground Zero GZPA 4SQ IN-CAR PROCESSOR 2018-2019: Helix DSP MINI IN-CAR HEAD UNIT 2018-2019: Pioneer AVIC-Z910DAB IN-CAR INNOVATION 2018-2019: Gladen Aures +Photography SUPERZOOM CAMERA 2018-2019: Sony Cyber-shot RX10 IV PROFESSIONAL MIRRORLESS CAMERA 2018-2019: Sony α7R III MIRRORLESS CAMERA 2018-2019: Fujifilm X-H1 BEST BUY CAMERA 2018-2019: Canon EOS M50 PROFESSIONAL DSLR CAMERA 2018-2019: Nikon D850 DSLR CAMERA 2018-2019: Canon EOS 6D Mark II CAMERA OF THE YEAR 2018-2019: Sony α7 III BEST SMARTPHONE 2018-2019: Huawei P20 Pro MIRRORLESS TELEZOOM LENS 2018-2019: Sony FE 100-400mm F4.5-5.6 GM OSS MIRRORLESS STANDARD ZOOM LENS 2018-2019: Tamron 28-75mm F/2.8 Di III RXD MIRRORLESS WIDE-ANGLE ZOOM LENS 2018-2019: Sony FE 16-35mm F2.8 GM DSLR PRIME LENS 2018-2019: Canon EF 85mm f/1.4L IS USM PROFESSIONAL LENS 2018-2019: Nikon AF-S NIKKOR 180-400mm f/4E TC1.4 FL ED VR DSLR TELEZOOM LENS 2018-2019: Tamron 70-210mm F/4 Di VC USD DSLR ZOOM LENS 2018-2019: SIGMA 14-24mm F2.8 DG HSM | Art PHOTO SERVICE 2018-2019: CEWE Photobook Pure PHOTO VIDEO CAMERA 2018-2019: Panasonic LUMIX DC-GH5S PHOTO INNOVATION 2018-2019: Canon Speedlite 470EX-AI SUPERZOOM CAMERA 2018-2019: Sony Cyber-shot RX10 IV PROFESSIONAL MIRRORLESS CAMERA 2018-2019: Sony α7R III MIRRORLESS CAMERA 2018-2019: Fujifilm X-H1 BEST BUY CAMERA 2018-2019: Canon EOS M5 \ No newline at end of file diff --git a/input/test/Test455.txt b/input/test/Test455.txt new file mode 100644 index 0000000..e827b7b --- /dev/null +++ b/input/test/Test455.txt @@ -0,0 +1,9 @@ +NetGear (NTGR) Downgraded to "C+" at TheStreet Emily Bradson on Aug 17th, 2018 Tweet +TheStreet cut shares of NetGear (NASDAQ:NTGR) from a b- rating to a c+ rating in a report published on Monday morning. +Other research analysts have also recently issued reports about the company. BidaskClub cut NetGear from a strong-buy rating to a buy rating in a research note on Tuesday, June 26th. Zacks Investment Research cut NetGear from a strong-buy rating to a strong sell rating in a research note on Wednesday, May 2nd. ValuEngine upgraded NetGear from a hold rating to a buy rating in a research note on Wednesday, May 2nd. Guggenheim restated a buy rating and issued a $76.00 price objective on shares of NetGear in a research note on Friday, April 27th. Finally, BWS Financial raised their price objective on NetGear from $75.00 to $85.00 and gave the stock a buy rating in a research note on Monday, July 9th. One equities research analyst has rated the stock with a hold rating and five have given a buy rating to the company's stock. The stock presently has a consensus rating of Buy and a consensus price target of $67.75. Get NetGear alerts: +Shares of NASDAQ NTGR opened at $67.30 on Monday. The stock has a market capitalization of $2.14 billion, a price-to-earnings ratio of 29.05 and a beta of 1.99. NetGear has a fifty-two week low of $44.10 and a fifty-two week high of $78.30. +NetGear (NASDAQ:NTGR) last issued its quarterly earnings results on Monday, July 23rd. The communications equipment provider reported $0.57 earnings per share for the quarter, topping the consensus estimate of $0.51 by $0.06. NetGear had a positive return on equity of 9.97% and a negative net margin of 0.74%. The business had revenue of $366.80 million during the quarter, compared to the consensus estimate of $350.60 million. During the same quarter last year, the company earned $0.60 earnings per share. The company's quarterly revenue was up 10.9% on a year-over-year basis. sell-side analysts forecast that NetGear will post 2.2 EPS for the current year. +In related news, SVP Michael F. Falcon sold 521 shares of NetGear stock in a transaction that occurred on Thursday, May 24th. The stock was sold at an average price of $60.50, for a total transaction of $31,520.50. Following the completion of the transaction, the senior vice president now directly owns 43,403 shares in the company, valued at $2,625,881.50. The sale was disclosed in a document filed with the SEC, which can be accessed through this hyperlink . Also, Chairman Patrick Cs Lo sold 13,999 shares of NetGear stock in a transaction that occurred on Friday, June 1st. The shares were sold at an average price of $60.55, for a total value of $847,639.45. The disclosure for this sale can be found here . Over the last quarter, insiders have sold 56,573 shares of company stock valued at $3,634,788. 5.10% of the stock is owned by company insiders. +Hedge funds have recently made changes to their positions in the stock. Chicago Equity Partners LLC purchased a new position in NetGear during the first quarter valued at approximately $626,000. Symphony Asset Management LLC purchased a new position in NetGear during the first quarter valued at approximately $427,000. Principal Financial Group Inc. raised its position in NetGear by 0.5% during the first quarter. Principal Financial Group Inc. now owns 511,190 shares of the communications equipment provider's stock valued at $29,240,000 after acquiring an additional 2,435 shares in the last quarter. GSA Capital Partners LLP purchased a new position in NetGear during the first quarter valued at approximately $250,000. Finally, BlackRock Inc. raised its position in NetGear by 5.0% during the first quarter. BlackRock Inc. now owns 4,330,376 shares of the communications equipment provider's stock valued at $247,696,000 after acquiring an additional 207,037 shares in the last quarter. +About NetGear +NETGEAR, Inc engages in the provision of Internet connected products to consumers, businesses, and service providers. It operates through the following business segments: Arlo, Connected Home, and SMB. The Arlo segment offers internet-connected products for consumers and businesses that provide security and safety. Receive News & Ratings for NetGear Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for NetGear and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test4550.txt b/input/test/Test4550.txt new file mode 100644 index 0000000..2563fcb --- /dev/null +++ b/input/test/Test4550.txt @@ -0,0 +1,28 @@ +Jail for Moffat driver who was caught nearly seven times booze limit Caused chaos on M74 A motorist is breath tested Get daily updates directly to your inbox Subscribe Could not subscribe, try again later Invalid Email +A drink-driver caught nearly seven times the limit started a six-month jail sentence this week. +Cops found Peter McPhillips staggering around the B723 road after abandoning his car. +Officers heading north on the M74 near Ecclefechan had earlier seen the 45-year-old's vehicle swerving from one lane to another. Several drivers had to take evasive action and the car almost rammed the central barrier. +Police lost sight of the vehicle, Dumfries Sheriff Court heard, but 10 minutes later were alerted by reports of a driver having to swerve to avoid a head-on smash on the B723. +When they finally caught up with McPhillips, he had ditched the car and they soon discovered he had almost seven times the legal alcohol limit in his breath. +McPhillips, of St Ninian's Road, Moffat , who had two previous convictions over 10 years ago, admitted committing the offence at the weekend near Lockerbie and Hoddom Castle at Ecclefechan. +He also pleaded guilty to driving dangerously on the M74 and the B723 road repeatedly in an erratic manner, swerving across the roadway and causing other drivers to take evasive action to avoid colliding with him. +Fiscal depute Pamela Rhodes said it was 6.30pm when police received reports about a vehicle being driven in an erratic manner, swerving all over the road. +Then police driving north on the M74 near Ecclefechan saw the car driving from one lane to another, almost colliding with the central barrier and other drivers taking evasive action to avoid it. +They lost sight of it as it went off the motorway but 10 minutes later they received reports of a driver having to swerve to avoid a collision with a car coming straight towards him and then found the car abandoned off the edge of the roadway. +McPhillips was staggering on the roadway and smelling of drink. He failed a roadside breath test. +A solicitor said that McPhillips, who had been working in the Carlisle area, had had problems with drink. +Sheriff Brian Mohan also banned McPhillips from driving for two years, ordered him to re-sit a test before regaining his licence and ordered the forfeiture of his car. +Meanwhile, another man has escaped being locked up despite being caught over the limit for the third time. +Shaun Taylor, who at the time was living in Longtown, but has now moved north of the border to Chapelknowe, was warned by Sheriff David Young at Dumfries that because the previous offences were both more than 10 years ago, he would imposed a community payback order. +The 33-year-old was ordered to carry out 160 hours unpaid work and was banned from the road for 24 months. +He had admitted driving with four times the legal limit in his breath in June and also driving carelessly on the A75 near Annan, losing control of his vehicle and colliding with a fence and a hedge. +The court was told that nearby residents heard the crash and rushed to help and found Taylor smelling of drink. +Solicitor Roger Colledge said Taylor had been working in the Dumfries area and had gone out for a drink with some work colleagues, intending to stay the night in the town. +But he then found the place was unavailable and thought he might stay in the car but once there made a "stupid decision" to drive. +He added that Taylor didn't remember making the decision to drive. +Inspector Campbell Moffat of the Roads Policing Unit of Police Scotland at Dumfries, slammed the pair yesterday and warned others that drink driving won't be tolerated. +He said: "It's simply not acceptable in this day and age for anyone to get behind the wheel of a vehicle when under the influence of drink or drugs. +"The fact that more than 50 per cent of all drivers detected for driving whilst unfit due to drink or drugs are as a result of a report by a member of the public clearly shows that society are not content to stand by and wait for the consequences of such actions. +"We applaud this attitude and would ask that anyone who suspects that a driver is under the influence of drink or drugs to contact Police Scotland through the 999 system. +"Those who drink or take drugs and drive risk not only their own life but that of their passengers and other road users. +"Our patrols are on the road 24/7 and Police Scotland will not tolerate such irresponsible behaviour and will continue to target drink and drug driving until the message gets through." Like us on Faceboo \ No newline at end of file diff --git a/input/test/Test4551.txt b/input/test/Test4551.txt new file mode 100644 index 0000000..660c1f7 --- /dev/null +++ b/input/test/Test4551.txt @@ -0,0 +1,6 @@ +Nokia 6.1 price in India slashed by Rs 1,500: Specifications and features Nokia 6.1 price in India slashed by Rs 1,500: Specifications and features Nokia 6.1 or Nokia 6 (2018) price in India has been slashed by Rs 1,500. Nokia 6.1 with 3GB RAM and 32GB storage is now selling for Rs 15,499. By: Tech Desk | New Delhi 4:27:03 pm Nokia 6.1 or Nokia 6 (2018) price in India has been slashed by Rs 1,500. Nokia 6.1 with 3GB RAM and 32GB storage is now selling for Rs 15,499. +Nokia 6 .1 or Nokia 6 (2018) price in India has been slashed by Rs 1,500. The smartphone made its debut at the Mobile World Congress (MWC) in Barcelona this year. Nokia 6.1 with 3GB RAM and 32GB storage was launched in India in April at Rs 16,999. The storage model is now selling for Rs 15,499. The 4GB RAM+64GB storage variant made its way into India in May at a price of Rs 18,999. It can now be bought at Rs 17,499. The new prices are live on Nokia's India site. +Nokia 6.1 sports a metal unibody design. It gets a 5.5-inch FHD display and runs Android 8.0 Oreo out-of-the-box. The Android One phone comes with Android OS updates for the next two years as well as regular monthly security updates from Google promised. Nokia 6.1 is powered by the Snapdragon 630 processor, and is backed by a 3,000mAh battery. The phone has a 16MP rear camera with Zeiss optics. It supports a USB Type-C port with fast charging. +Nokia is expected to launch Nokia 6.1 Plus Android One phone in India on August 21. The phone is called Nokia X6 in China, while Nokia 6.1 Plus is the global variant's name. Nokia 6.1 Plus has been launched in Honk Kong under Google's Android One program, just like Nokia 6.1. It will get Android updates for the next two years. +Also read: Nokia X6 user guide hints at India launch soon: A closer look at the phone +In terms of specifications, Nokia 6.1 Plus comes with a 5.8-inch FHD+ display with an aspect ratio of 19:9 and a notch on top screen. It runs Android Oreo. The smartphone is powered by the Qualcomm Snapdragon 636 processor coupled with 4GB RAM and 64GB storage, which is expandable up to 400GB via a microSD card slot. The battery is a 3,060 mAh one with support for quick charge technology. Nokia 6.1 Plus comes with a dual rear camera setup, a combination of 16MP+5MP lens. The front camera is 16MP with dual tone flash. For all the latest Technology News , download Indian Express App © IE Online Media Services Pvt Ltd Tags \ No newline at end of file diff --git a/input/test/Test4552.txt b/input/test/Test4552.txt new file mode 100644 index 0000000..1da99bb --- /dev/null +++ b/input/test/Test4552.txt @@ -0,0 +1,17 @@ +(Bloomberg Opinion) -- If you've been tied to the hype around Tesla Inc., it can feel difficult to untether. But Panasonic Corp., one of the carmaker's longest-standing associates and the world's largest supplier of electric-car batteries, is showing how the perils of a relationship could outweigh the benefits. +This week, Panasonic said Tesla was retreating from an agreement to buy all the solar cells and modules it makes at Tesla's solar facility – the so called Gigafactory 2 -- in Buffalo, where it is investing almost $300 million. +As part of the agreement signed less than two years ago, Panasonic was expected to cover capital costs and Tesla signed up to a 10-year purchase commitment, according to filings. Now, Panasonic is being forced to diversify its customers –effectively removing the exclusivity with Tesla, and selling to potential competitors. +That move is understandable. After all, Panasonic has spent hundreds of millions on its partnerships with Tesla. It's been laying out about 220 billion yen ($2 billion) annually in recent years on auto batteries, rising to 240 billion in the current year through March 2019. That includes spending on its Japanese plant and a new one in Dalian in China, but Tesla's Nevada Gigafactory 1 is still probably consuming a third of the total. +In recent months the perils of the relationship have come into focus. Panasonic's energy business – a unit that includes batteries, but not solar – posted operating losses in the first quarter of its fiscal year, after earnings were hit by costs relating to the Nevada Gigafactory, in spite of higher sales. Tesla's attempts to ramp up production aggressively rather than gradually have been a big "burden" on Panasonic's profits, management said on an earnings call. Delays in shipments to Tesla also played a part. +The company's chief financial officer Hirokazu Umeda said the energy unit posted a loss in the first quarter, but expects to move into profit by the end of the year. That seems optimistic at this point, given Tesla's on-going production problems that will only be prolonged by Elon Musk's latest buyout-by-tweet preoccupation. +This may seem a lot of fuss about a business that accounts for only 8 percent of Panasonic's total sales, but much of the company's future in recent years has been pinned to hopes around its ramp-up in Nevada. +The relationship with Tesla helped define Panasonic's new image as the company tried to reposition from its traditional territory of appliances and televisions toward automotive and industrial systems and batteries. Autos now account for more than 20 percent of Panasonic's sales, with the overall automotive and industrial segment amounting to about a third of the total. It's also partnering with other car companies to develop assisted-driving cockpits with camera sensing and intelligent rear-view mirrors. +Still, perhaps Tesla rolling back its commitment to Panasonic on the solar business is a good thing. There are plenty of other levers for the Japanese company's management to pull in search of growth: In China, its Dalian plant will make auto batteries for what's already the world's largest electric car market, while a Porsche Design washing machine due to go on sale next month will keep its appliances division busy. In its home market, it's inked an agreement with Toyota Motor Corp. to look at making rechargeable batteries, deepening an existing relationship. +Panasonic's share price has collapsed over 20 percent since its peak late last year, although news of the agreement break with Tesla nudged it up a little Friday. Compared to its global battery peers, it still trades at a discount of as much as 44 percent, on a forward price-to-earnings multiple of just over 11 times. +Investors were perhaps too quick to treat the start of Panasonic's dalliance with Tesla as a transformational boost. As that relationship sours, they're not giving the Japanese company enough credit for how attractive it could be to other partners. +To contact the author of this story: Anjani Trivedi at atrivedi39@bloomberg.net +To contact the editor responsible for this story: David Fickling at dfickling@bloomberg.net +Panasonic makes cylindrical electric vehicle battery cells – a variety that typically have higher energy density – exclusively for Tesla. For other carmakers, it manufactures the prismatic cells normally used in hybrid vehicles. +This column does not necessarily reflect the opinion of the editorial board or Bloomberg LP and its owners. +Anjani Trivedi is a Bloomberg Opinion columnist covering industrial companies in Asia. She previously worked for the Wall Street Journal. +©2018 Bloomberg L.P \ No newline at end of file diff --git a/input/test/Test4553.txt b/input/test/Test4553.txt new file mode 100644 index 0000000..02c8416 --- /dev/null +++ b/input/test/Test4553.txt @@ -0,0 +1,17 @@ +By Anjani Trivedi | Bloomberg August 17 at 1:35 AM If you've been tied to the hype around Tesla Inc., it can feel difficult to untether. But Panasonic Corp., one of the carmaker's longest-standing associates and the world's largest supplier of electric-car batteries, is showing how the perils of a relationship could outweigh the benefits. +This week, Panasonic said Tesla was retreating from an agreement to buy all the solar cells and modules it makes at Tesla's solar facility – the so called Gigafactory 2 -- in Buffalo, where it is investing almost $300 million. +As part of the agreement signed less than two years ago, Panasonic was expected to cover capital costs and Tesla signed up to a 10-year purchase commitment, according to filings. Now, Panasonic is being forced to diversify its customers –effectively removing the exclusivity with Tesla, and selling to potential competitors. +That move is understandable. After all, Panasonic has spent hundreds of millions on its partnerships with Tesla. It's been laying out about 220 billion yen ($2 billion) annually in recent years on auto batteries, rising to 240 billion in the current year through March 2019. That includes spending on its Japanese plant and a new one in Dalian in China, but Tesla's Nevada Gigafactory 1 is still probably consuming a third of the total. +In recent months the perils of the relationship have come into focus. Panasonic's energy business – a unit that includes batteries, but not solar – posted operating losses in the first quarter of its fiscal year, after earnings were hit by costs relating to the Nevada Gigafactory, in spite of higher sales. Tesla's attempts to ramp up production aggressively rather than gradually have been a big "burden" on Panasonic's profits, management said on an earnings call. Delays in shipments to Tesla also played a part. +The company's chief financial officer Hirokazu Umeda said the energy unit posted a loss in the first quarter, but expects to move into profit by the end of the year. That seems optimistic at this point, given Tesla's on-going production problems that will only be prolonged by Elon Musk's latest buyout-by-tweet preoccupation. +This may seem a lot of fuss about a business that accounts for only 8 percent of Panasonic's total sales, but much of the company's future in recent years has been pinned to hopes around its ramp-up in Nevada. +The relationship with Tesla helped define Panasonic's new image as the company tried to reposition from its traditional territory of appliances and televisions toward automotive and industrial systems and batteries. Autos now account for more than 20 percent of Panasonic's sales, with the overall automotive and industrial segment amounting to about a third of the total. It's also partnering with other car companies to develop assisted-driving cockpits with camera sensing and intelligent rear-view mirrors. +Still, perhaps Tesla rolling back its commitment to Panasonic on the solar business is a good thing. There are plenty of other levers for the Japanese company's management to pull in search of growth: In China, its Dalian plant will make auto batteries for what's already the world's largest electric car market, while a Porsche Design washing machine due to go on sale next month will keep its appliances division busy. In its home market, it's inked an agreement with Toyota Motor Corp. to look at making rechargeable batteries, deepening an existing relationship. +Panasonic's share price has collapsed over 20 percent since its peak late last year, although news of the agreement break with Tesla nudged it up a little Friday. Compared to its global battery peers, it still trades at a discount of as much as 44 percent, on a forward price-to-earnings multiple of just over 11 times. +Investors were perhaps too quick to treat the start of Panasonic's dalliance with Tesla as a transformational boost. As that relationship sours, they're not giving the Japanese company enough credit for how attractive it could be to other partners. +To contact the author of this story: Anjani Trivedi at atrivedi39@bloomberg.net +To contact the editor responsible for this story: David Fickling at dfickling@bloomberg.net +Panasonic makes cylindrical electric vehicle battery cells – a variety that typically have higher energy density – exclusively for Tesla. For other carmakers, it manufactures the prismatic cells normally used in hybrid vehicles. +This column does not necessarily reflect the opinion of the editorial board or Bloomberg LP and its owners. +Anjani Trivedi is a Bloomberg Opinion columnist covering industrial companies in Asia. She previously worked for the Wall Street Journal. +©2018 Bloomberg L.P \ No newline at end of file diff --git a/input/test/Test4554.txt b/input/test/Test4554.txt new file mode 100644 index 0000000..2648876 --- /dev/null +++ b/input/test/Test4554.txt @@ -0,0 +1,3 @@ +(CNN) A low-carb or high-carb diet raises your risk of death, a new study suggests, with people eating the food staple in moderation seeing the greatest benefits to their health. +Less than 40% or more than 70% of your energy -- or calories -- coming from carbohydrates was associated with the greatest risk of mortality. Eating moderate levels between that range offered the best options for a healthy lifespan. The lowest risk of an early death was seen where carbs made up 50-55% of a person's diet, according to the study published Thursday. However, the definition of a low-carb diet had some caveats as not all diets were equal. People on low-carb diets who replaced their carbohydrates with protein and fats from animals, such as with beef, lamb, pork, chicken and cheese, had a greater risk of mortality than those whose protein and fats came from plant sources, such as vegetables, legumes, and nuts. Read More Health effects of carbs: Where do we stand? "We need to look really carefully at what are the healthy compounds in diets that provide protection" said Dr. Sara Seidelmann -- a clinical and research fellow in cardiovascular medicine from Brigham and Women's Hospital in Boston -- who led the research. Seidelmann warned about the widespread popularity of low-carb diets as a weight loss technique, with people giving up foods such as bread, pasta and potatoes. Although previous studies have shown such diets can be beneficial for short-term weight loss and lower heart risk, the longer-term impact is proving to have more negative consequences, according to the study. "Our data suggests that animal-based low carbohydrate diets, which are prevalent in North America and Europe, might be associated with shorter overall life span and should be discouraged," Seidelmann said. "On an 'average' 2,000 kcal-a-day intake, a diet of 30% calories from carbs equates to only 150g a day, with sugars (natural or 'added') contributing around 50g of that total. With a mere 100g of complex carb a day to play with, a lower intake of cereals, grains, and starchy vegetables is inevitable," said Catherine Collins, a dietitian with the UK's National Health Service, who was not involved in the study. She added that such diets compromise the essentials of a healthy diet -- dietary fiber to prevent constipation, support control of blood sugar and lower blood cholesterol levels. Government guidelines in countries like the UK already recommend at least a third of the diet should consist of starchy foods. The findings "will disappoint those who, from professional experience, will continue to defend their low carb cult, but contributes to the overwhelming body of evidence that supports a balanced approach to caloric intake recommended globally by public health bodies," Collins added. Are carbs as bad as red meat and cigarettes when it comes to lung cancer? The team studied more than 15,000 people aged between 45-64 years from diverse socioeconomic backgrounds across four regions of the United States. They then calculated average caloric intake and the proportion of calories coming from different food groups based on questionnaires the participants completed outlining the types of food and drink they consumed, portion sizes and how often they ate. They were then followed up for a median of 25 years, during which time, 6,283 people died. Added years In addition to the finding an optimal range associated with a lower risk of early death, the team also calculated how many extra years a moderate-carb diet could provide at certain ages. From age 50, the average life expectancy was an extra 33 years for people who ate carbs in moderation. This was four years longer than those on a low-carb diet (29 years) and one year longer than those on a high-carb diet (32 years), according to the study. The results were also combined with seven other studies on carbohydrate intake among people in North American, European and Asian countries, which revealed similar trends in life expectancy. Seidelmann, a clinical research fellow in Boston, revealed the added risk of replacing carbs with protein and fats from animals instead of plants. Clearer skin, fewer vitamins: How a vegan diet can change your body But the researchers recognize that their findings are purely observational at this stage and cannot prove a cause and effect of eating too little or too many carbohydrates. They also highlight that low-carb diets in the West often result in people eating more animal fats and meat, rather than more vegetables, fruit, and grains. In addition, the findings might be less generalizable to Asian populations where diets are high in carbohydrates, over 60% carbohydrates on average, but people also often consume fish rather than meat, according to the authors. Get CNN Health's weekly newsletter Sign up here to get The Results Are In with Dr. Sanjay Gupta every Tuesday from the CNN Health team. +But experts in the field agree the findings are notable. "Current guidelines have been criticized by those who favor low-carb diets, largely based on short term studies for weight loss or metabolic control in diabetes, but it is vital to consider long-term effects and to examine mortality, as this study did," said Nita Forouhi, Program Leader of the Nutritional Epidemiology program at the University of Cambridge. "A really important message from this study is that it is not enough to focus on the nutrients, but whether they are derived from animal or plant sources," she added. "When carbohydrate intake is reduced in the diet, there are benefits when this is replaced with plant-origin fat and protein food sources but not when replaced with animal-origin sources such as meats. Many low-carb diet regimes do not make this distinction, but it is important. \ No newline at end of file diff --git a/input/test/Test4555.txt b/input/test/Test4555.txt new file mode 100644 index 0000000..93fc32c --- /dev/null +++ b/input/test/Test4555.txt @@ -0,0 +1 @@ +EL PASO, Texas – Mayors of cities along the U.S.-Mexico border say negative rhetoric from Washington that labels the area a war zone remains a challenge and agree a wall isn't needed in the region. "Unfortunately, they don't know the beauty of our communities in the border," said Las Cruces Mayor Ken Miyagishima. More: President Trump's Border wall may cost more, take longer: Congress watchdog The mayors of El Paso, Las Cruces, Sunland Park, N.M., and the mayor pro tem of Juárez met for a roundtable discussion during the 2018 U.S.-Mexico Border Summit on Wednesday. The discussion comes at a time when the U.S.-Mexico border is under a political microscope over immigration and border security. President Donald Trump campaigned on building a wall and has continued to push for one since taking office. More: President Donald Trump threatens to shut down government over border wall funding However, the mayors said the region doesn't need a wall. "We have a fence here. The fence is fine. It does what it's supposed to do," El Paso Mayor Dee Margo said. "I hear the term wall, I think of the Berlin Wall. I think it's pretty detrimental to the relationships that have lasted more than 400 years." Roberto Rentería Manqueros, mayor pro tem of Juárez, said regardless of the wall, the communities work together. "I hope someday people find out that at least in this part (of the border) it's not necessary," Manqueros said. "We don't need a wall." More: Ex-Mexican President Ernesto Zedillo discusses NAFTA, 'failed' war on drugs in El Paso Manqueros said what is needed is more cooperation from state and federal governments to resolve issues, such as drug trafficking. "The drug issue is a very difficult problem, especially on the border," Manqueros said. "The borders are a very important part of the country for drug dealers. They have to pass through here in order to do their job." Manqueros said Mexican President-elect Andrés Manuel Lopez Obrador has mentioned initiatives that could help reduce the problem. Part of the plan is to lower taxes and the cost of goods at the border to make the region more competitive on the Mexican side, he said. More: 'The Wall' documentary about Trump's border wall shown in El Paso Manqueros also said if people have more money, then they will have better access to education and better job opportunities instead of joining gangs. The mayors said that while it is frustrating to hear the rhetoric about the border, it is up to them to educate people. "It falls on us to make sure that we do show people what we really are," said Sunland Park Mayor Javier Perea. Perea said he welcomes officials to the area and thinks it's also necessary to visit other cities to communicate the message that the region is united. More: Immigration and border security central to Ted Cruz, Beto O'Rourke Senate rac \ No newline at end of file diff --git a/input/test/Test4556.txt b/input/test/Test4556.txt new file mode 100644 index 0000000..42401c3 --- /dev/null +++ b/input/test/Test4556.txt @@ -0,0 +1,10 @@ +If you've checked your credit report recently, you might have noticed a pleasant surprise -- an increase in your credit score. Overall, nearly 70 percent of Americans have seen their credit rating improve over the last year, according to an analysis by the Federal Reserve Bank of New York. +The reason: The impact of the National Consumer Assistance Plan, an initiative launched by the big three credit reporting agencies – Equifax, Experian and TransUnion -- in 2017 to address complaints about credit reporting errors. To placate state regulators, the firms changed their standards and tightened their reporting requirements. +Ironically, the change won't mean much to most people. According to the New York Fed, the average credit score rose only 11 points. But you can take comfort in knowing that some types of debt, including traffic tickets, unreturned library books, certain tax liens and recent medical liabilities will no longer be included in your score. Unexpected medical expenses can wipe out even those with a healthy credit rating. A Harvard University study showed that hospital and doctor costs accounted for 62 percent of personal bankruptcies. +These new standards will ensure that credit reporting agencies dot their "I's" and cross their "T's". These agencies now have to indicate when payment on an account is made, remove accounts that don't arise from a contract or agreement to pay, and report accounts only when sufficient information exists linking it to an actual person's credit file. In other words, it has a name, address, Social Security number or birth date. +The Fed researchres also said these new standards resulted in a big drop in the number of people with collections accounts on their credit report since the new regulations took effect last year. +The number, which declined from 33 million individuals to 25 million, is good news for the nearly 20 percent who saw their credit score rise by more than 30 points. But the news is tempered by the fact that many of their credit scores were so low that it might not make much of a difference. Since their credit was tarnished by too much negative information, that small gain still might not help them get a job, mortgage or – in many states – auto insurance . +"It's likely that those who saw positive changes in their scores wouldn't qualify for credit that required higher scores anyway," said Beverly Harzog, a credit card expert with US News & World Report. +The three credit reporting agencies and FICO – a data analytics company that provides an all-important credit score based on the data it obtains from these agencies – have now had a year to absorb these new regulations. That means they will not be caught off guard when an individual suddenly has a new and higher credit score. +According to its research brief , "FICO observed no material impact … resulting from the credit reporting agencies enhanced public record standards." One reason: People with lower credit will still likely "have additional derogatory information," and so score relatively low even after some of the problematic information is removed. +One of the Fed researchers, senior data strategist Joelle Scally, said the ultimate effect of the reporting bureaus' new standards "remains to be seen. \ No newline at end of file diff --git a/input/test/Test4557.txt b/input/test/Test4557.txt new file mode 100644 index 0000000..33de3a3 --- /dev/null +++ b/input/test/Test4557.txt @@ -0,0 +1,3 @@ +Radio Toyota Camry 2013 +Quick Review The 2013 Toyota Camry has been redesigned with new or noted features being an automatic transmission, better mileage and a much large... Read More ... Toyota Camry 2012 +Quick Review The 2012 Toyota Camry has been redesigned with new or noted features being an automatic transmission, better mileage and a much large.. \ No newline at end of file diff --git a/input/test/Test4558.txt b/input/test/Test4558.txt new file mode 100644 index 0000000..38117c9 --- /dev/null +++ b/input/test/Test4558.txt @@ -0,0 +1 @@ +Press release from: Research for Markets PR Agency: Research for Markets Research for Markets According ResearchForMarkets in its latest research report on the "Global Precision Agriculture Systems Market Insights, Forecast to 2025" focuses on the major drivers, top key players and offers vital insights on every market segment in terms of market size analysis for precision agriculture systems across the different regions. Although market statistics information to gain the changing dynamics and future of the global market.Global Precision Agriculture Systems Market size will increase to 6950 Million US$ by 2025, from 2830 Million US$ in 2017, at a CAGR of 11.9% during the forecast period. In this study, 2017 has been considered as the base year and 2018 to 2025 as the forecast period to estimate the market size for Precision Agriculture Systems.The key consumption markets locate at developed countries. The North America takes the market share of around 50% in 2017, followed by Europe with 26.7%. APAC's consumption market has a quicker growing speed, with a market share of 17.6%.Request Free Sample Copy of the Report @ www.researchformarkets.com/sample/global-precision-agricu... The global precision agriculture systems market is highly fragmented and the top key players have used various strategies such as new product launches, sales, expansions, agreements, joint ventures, partnerships, acquisitions, and others to increase their footprints in this market. The report includes market shares of precision agriculture systems market for global, United States, Europe, China, Japan, Southeast Asia, India and Central & South America.This report focuses on the top manufacturers' Precision Agriculture Systems capacity, production, value, and price and market share in global market. The following manufacturers are covered in this report:· Deere & Compan \ No newline at end of file diff --git a/input/test/Test4559.txt b/input/test/Test4559.txt new file mode 100644 index 0000000..b7ff681 --- /dev/null +++ b/input/test/Test4559.txt @@ -0,0 +1,11 @@ +Be one of the first ten applicants Apply now +Are you Electrically qualified with Test and Insepction (C&G 2391)? +Are you Multi Skilled and can pick up A/C, Mechanical and Fabric Duties? +If the answer is Yes to the above, you will be interested in the role below!! +x5 Mobile Electrical/Multi-Skilled Engineers -Within M25 - Perm - Salaries Up to £40,000 +Exciting opportunity to work for an established FM service provider situated within M25 covering over 21 commerical buildings. The successful candidate will be electrically qualified with another trade under his/her belt with a proven track record in commercial building maintenance. He or she will be required to work as a Mobile Electrical Maintenance Engineer covering (M&E / Fabric) planned and reactive maintenance to a number of commercial buildings located in London. +You will be looking after a number of commerical offices within the M25 Area where a Van & Fuel card will be provided with a lot of overtime avaiable also +Hours of work Monday to Friday 08:00am - 17:00pm +1 in 6 Call out - £150 +Requirements Electrical biased / qualified (Apprenticeship, NVQ) 17th Edition & Test and Inspection Required F-Gas Ideal A proven track record in commercial building maintenance Multi-Skilled Able to start immediately or at short notice +Job Detail \ No newline at end of file diff --git a/input/test/Test456.txt b/input/test/Test456.txt new file mode 100644 index 0000000..f605708 --- /dev/null +++ b/input/test/Test456.txt @@ -0,0 +1,3 @@ +17 Aug 2018 +This week and every week, NSW Department of Primary Industries ( DPI ) celebrates the science which takes DPI research to support farming, fishing and forestry businesses across the state. +DPI Research Excellence deputy director general, John Tracey , said National Science Week is a fitting time t \ No newline at end of file diff --git a/input/test/Test4560.txt b/input/test/Test4560.txt new file mode 100644 index 0000000..b764044 --- /dev/null +++ b/input/test/Test4560.txt @@ -0,0 +1,8 @@ +23 minutes ago Manchester City's Kevin De Bruyne facing three months on sidelines Manchester City midfielder Kevin de Bruyne arrived at the premier of Manchester City's film about their title winning season on crutches after suffering an injury to his right knee at training. ESPN FC's Shaka Hislop assesses how Man City will fare in Kevin De Bruyne's absence following his recent knee injury. +Manchester City have confirmed that Kevin De Bruyne has suffered a lateral collateral ligament lesion in his right knee and will be out for around three months. +The club also said no surgery is required. +The 27-year-old was seen on crutches at the premiere of Manchester City's new Amazon documentary "All or Nothing" hours after it was announced that he injured his right knee on Wednesday. We can confirm @DeBruyneKev has suffered a lateral collateral ligament (LCL) lesion in his right knee.No surgery is required, and the midfielder is expected to be out for around three months. — Manchester City (@ManCity) August 17, 2018 +"Kevin is a great player and it's just unfortunate that it's happened to him in training but there's more than enough depth in the squad," City right-back Kyle Walker said on Wednesday evening. +"We don't just rely on one player. It's a team game and whoever steps in will do well. Obviously, it's a big loss but we've got more than enough cover." +De Bruyne had just returned to training Aug. 6 after helping Belgium to the semifinals of the World Cup in Russia. +He was a second-half substitute in the 2-0 Premier League-opening victory over Arsenal on Sunday, coming on in the 60th minute \ No newline at end of file diff --git a/input/test/Test4561.txt b/input/test/Test4561.txt new file mode 100644 index 0000000..ddaf743 --- /dev/null +++ b/input/test/Test4561.txt @@ -0,0 +1 @@ +Press release from: Market Research Future Nano Metrology Market 2018 Nano Metrology Market 2018 Nano metrology Market Share, Size, Trends, And Business Opportunity Analysis Report 2018 include historic data, with forecast data to 2027. Nano metrology Market report is helpful for future strategy development, and to know about Market Drivers, Restraints, Opportunities, And Global market size, share, Growth, Trends, key players forecast to 2027Nano metrology market Research Report by Application (Food industry, energy industry, computer science, transport industry) by product type (Microscope, sieves, chemical characterization, others) by techniques (XPS, spectroscopy) - and Forecast to 2027Get Sample Report of Nano metrology Market@ www.marketresearchfuture.com/sample_request/770 About Nano metrology:Nano metrology is a subset of metrology, which is concerned with the science of measurement at the Nano scale level. Nano metrology has an important part in order to produce Nano materials and devices with a high degree of accuracy and reliability in Nano manufacturing. A challenge in Nano metrology is to develop or create new measurement standards and techniques to meet the needs of next-generation advanced manufacturing, which will rely on nanometer scale materials and technologies. The requirements for estimation and portrayal of new specimen structures and attributes far exceed the capabilities of current measurement science. Foreseen advances in emerging nanotechnology industries will require revolutionary metrology with high determination and accuracy that has previously been imagined.Applications of Nano Metrology:Applications of nanotechnologies consist a source of complicated technologies and include sectors, from health industry, energy industry, food industry, computer science industry or transports industry. According to an inventory which was carried out in 2011 as part of the American initiative, nanoparticles and Nano materials can thus already be found in more than 1,300 commercial products.Nano Metrology market segmentation:Nano Metrology market segmentation by product type: Microscope \ No newline at end of file diff --git a/input/test/Test4562.txt b/input/test/Test4562.txt new file mode 100644 index 0000000..1795501 --- /dev/null +++ b/input/test/Test4562.txt @@ -0,0 +1,14 @@ +15:49 | 17/08/2018 Car & Motor Agricultural machinery producer VEAM Corp has piggybacked on its associate stakes in foreign-invested motorbike and car makers to boost its bottom line. Honda's share of Vietnam's motorbike market soared from 72.5 percent in 2017 to 77 percent in 2018's second quarter - Photo by Reuters +Viet Capital Securities JSC (VCSC) says VEAM posted VND3.3 trillion (US$140 million) in consolidated net profit after tax and minority interests (NPAT-MI) in the first half of this year, up 51 percent year-on-year. +The profit surge was mainly driven by shared profits from automobile associate companies including Honda, Toyota and Ford Vietnam. +VCSC attributed VEAM's impressive performance to a significant boost in Honda motorbike sales, forecast-beating profit margins with automobile associates, and smaller-than-expected losses from core businesses. +It said Honda's motorbike sales volume jumped by double-digits year-on-year in the first half of 2018, further entrenching its dominance in the local market. +Honda's share of Vietnam's motorbike market soared from 72.5 percent in 2017 to 77 percent in 2018's second quarter on the back of its dominance in the fast-growing scooter segment, top-brand positioning and extensive distribution network. +Honda motorbike sales is tracking ahead of the projection set for the whole of 2018, which is a 4.5 percent increase against 2017. +Meanwhile, the Japanese auto giant's passenger car sales rocketed 106 percent year-on-year to 11,181 units in the first half of this year. The company also posted significant growth in several models including Honda City (sedan B), Honda Civic (sedan C) and Honda CRV (crossover). +Of particular note is that Honda CRV took advantage of stalled imports of sport utility vehicles (SUV) Toyota Fortuner to surge 173 percent year-on-year in the first half to 4,076 units. +Honda car sales were also bolstered by the launch of a hatchback model, Honda Jazz. Honda accounted for 10 percent of the passenger car market in the first half of this year. +According to VCSC, the stalled imports of its Fortuner model hurt Toyota's passenger car sales, but this was partly cushioned by strong higher-margin sales of completely knocked down (CKD) units. +With Decree 116 on CBU imports into Vietnam catching Toyota off guard, its passenger car sales sank 13 percent year-on-year in the first half. The sale of CBUs plunged 97 percent to 263 units while that of CKDs soared 30 percent to 25,487 units. +Toyota's estimated passenger car market share of 23 percent was a six percent drop over the 29 percent it had in the first half of 2017. +VCSC analysts said Ford was a laggard in the passenger car market because of limited product offerings amidst tougher competition from other brands. Theo Vnexpres \ No newline at end of file diff --git a/input/test/Test4563.txt b/input/test/Test4563.txt new file mode 100644 index 0000000..6276870 --- /dev/null +++ b/input/test/Test4563.txt @@ -0,0 +1,13 @@ +Myanmar takes a new turn to delight its travellers Published on : Friday, August 17, 2018 +Today after over a century after he wrote this Quote: , Myanmar retains the power to surprise and delight the travellers. Myanmar was known as Burma prior to 1989; the name was changed during the Military rule. In the year 2015, Myanmar got its first Democratic governor in more than half a sanctuary. +Myanmar consists of over 100 ethnic groups bordering India, Bangladesh, China, Laos and Thailand. Yangon (Formerly known as Rangoon) is the country's largest city and home to bustling markets, numerous parks, lakes and the gilded Shwedagon Pagoda which contains Buddhist relics and dates to the 6th century. +Myanmar today +Once the democratic government took charge of the country, the country has seen international investors interested to do business in Myanmar. Myanmar has also seen social and economic changes since the new government took over. Modern travel conveniences such as mobile phone coverage with internet access, domestic flights connecting tourist places, modern hotels are now getting common. The new Myanmar is very much a work in progress country. +Old World Charm of Myanmar +Myanmar consists of multiple ethnic groups and even today Myanmar does remain a rural nation of traditional values. Local men will be seen wearing a Longyi – like a sarong and chewing betel nut and spitting the red juice on the ground, women are seen with faces covered with thanakha (a natural sunblock) and cheroot-smoking ladies. Drinking tea is very common and tea houses serving traditional savouries and tea are seen all over the place. +Myanmar – is rich with over 2,600 years of Buddhist civilization and posses many golden treasures across the country. Myanmar offers different travel option for different travellers from a rich cultural and historical experience with golden temples and pagodas in Yangon and Mandalay to vestiges of Bagan or a spectacular sunrise & sunset in Bagan or Mandalay. +Temples of Myanmar are distinct in design and patterns and temples or relics combine with spectacular surrounding scenery will leave an unforgettable impression of the rich and spiritual life leads by the locals. +Inle Lake offers extraordinary leisure along with a rich insight of local life and floating villages, floating gardens and markets. The Inle Lake also connects to some of the famous trekking routes or one can Drift down the Ayeyarwady (Irrawaddy) River in an old steamer or luxury cruiser or visit a beach on the blissful Bay of Bengal. Trek through pine forests to minority villages scattered across the Shan Hills offer a true glimpse of the local life of the Myanmar villages. +Thankfully, the pace of change is not overwhelming and has left the simple pleasures of travel in Myanmar intact. Best of all, you'll encounter locals who are gentle, humorous, inquisitive and passionate. Now is the time to make that connection. +Jay Kantawala from WIYO Travel felt that people are by far the best part of Burma; he was welcomed with smiles and kindness everywhere he visited. Now is the best time to travel to Myanmar as the new democratic government is working hard to improve the country's image and uplift tourism. Myanmar today remains one of the world's mysterious and untouched destinations. + myanmar , Tourism , traveller \ No newline at end of file diff --git a/input/test/Test4564.txt b/input/test/Test4564.txt new file mode 100644 index 0000000..1bb2066 --- /dev/null +++ b/input/test/Test4564.txt @@ -0,0 +1,13 @@ +China offers Turkey moral support, says can overcome difficulties Reuters Staff +3 Min Read +BEIJING (Reuters) - China offered moral support to Turkey on Friday as Ankara reeled from a currency crisis and U.S. sanctions, saying it believed the country could overcome its "temporary" economic difficulties, in Beijing's first comment on the issue. +A worker places the Turkish and Chinese flags before a meeting between the Turkish Foreign Minister Mevlut Cavusoglu and Chinese Foreign Minister Wang Yi in Beijing, China June 15, 2018. Greg Baker/Pool via REUTERS The Turkish lira TRYTOM=D3 has lost a third of its value against the dollar this year as worsening relations between the NATO allies Turkey and the United States added to losses driven by concerns over President Tayyip Erdogan's influence over monetary policy. +In a brief statement, China's Foreign Ministry said that it had noted the "new direction" of the Turkish economy and its foreign relations. +"Turkey is an important emerging market country, and it remaining stable and developing benefits regional peace and stability," the ministry added. +"China believes that Turkey has the ability to overcome the temporary economic difficulties, and hopes the relevant sides can ease their differences via dialogue," it said, referring to Turkey and the United States. +The ministry also referred to media reports that state-run Industrial and Commercial Bank of China Ltd ( 601398.SS ) had signed a $3.8 billion financing agreement with Turkey - an apparent reference to a Chinese state media report. +State news agency Xinhua reported last month that the Turkish unit of ICBC had signed a $3.8 billion deal at a forum in Ankara, though did not give details. +On Friday, the Foreign Ministry said China has always supported business and finance cooperation between the countries and the signing of deals in accordance with market rules. +An ICBC spokesman said on Friday that at its Turkish unit had signed memorandums of understanding for cooperation on infrastructure, but declined to comment on the figure of $3.8 billion. +China and Turkey have developed increasingly close ties since putting behind them a dispute over China's treatment of ethnic Uighurs, a Muslim people who speak a Turkic language and live in China's far western region of Xinjiang. +Reporting by Ben Blanchard and Zhang Shu; Editing by Clarence Fernandez and Kim Coghil \ No newline at end of file diff --git a/input/test/Test4565.txt b/input/test/Test4565.txt new file mode 100644 index 0000000..bc30d73 --- /dev/null +++ b/input/test/Test4565.txt @@ -0,0 +1,9 @@ +Let's talk cigars, says STG share on: +Cigar manufacturer Scandinavian Tobacco Group UK (STG UK) is to roll out a new online platform this autumn to provide retailers with key industry information and advice on how to maximise the cigar opportunity in their stores. +The still-to-go-live trade website, www.stgtrade.co.uk , will be centred around the strapline 'Let's Talk'. It will build on the consumer insights the company's Head of Marketing & Public Affairs Jens Christiansen recently revealed in SLR . These suggested that many retailers are missing out on tobacco sales due to not proactively engaging with customers. +Christiansen said: "Our research findings showed that over half (51%) of retailers aren't offering their customers the all-important guidance they need on which tobacco products to purchase. As one of the leading cigar manufacturers, we recognise we have an important role to play in helping retailers realise this opportunity by educating them on the category and how best to engage with customers." +The website will provide a host of tools designed especially with the trade in mind. These include information on STG UK's brands and products, the top-sellers in each segment, recommended ranging and planograms, as well as category management advice and top tips on how to build customer loyalty, along with retailer testimonials and success stories. +"The relationship between independent retailers and their customers is integral to sales success, especially within the Tobacco category," Christiansen added. +"Taking the time to engage with shoppers and forge a stronger connection by proactively offering advice can really pay off in sales. The average profitability for cigars is double that of cigarettes so it's really worth investing the time and effort in understanding the category and different products available so you can in turn offer well-informed advice to your customers. +"With the launch of our new website, we want to provide retailers with all the tools they need to help them take advantage of this opportunity, so they can successfully grow and enhance their businesses." +STG UK has more plans in the pipeline for 'Let's Talk' to help engage with retailers and recognise the important role they play within their communities. These will be unveiled later in the year \ No newline at end of file diff --git a/input/test/Test4566.txt b/input/test/Test4566.txt new file mode 100644 index 0000000..e4179d4 --- /dev/null +++ b/input/test/Test4566.txt @@ -0,0 +1,16 @@ +GORDON Brown rightly raised escalating child poverty at the Edinburgh Book Festival. and to be fair he made efforts when he was Chancellor, even if he failed to address growing inequality in so many other ways. But it's worse than ever now and only one manifestation of the growing divide between rich and poor. +Income inequality is not the only sign of a divided and increasingly fractured society; rising crime, mental health, and even obesity are also indicators. It also threatens our democracy, as power, not just wealth, is concentrated in the few not the many. +The election of President Trump is a clear example, which was brought about not so much by the despair and anguish of the left-behinds, most of whom didn't vote for him anyway, but by the rich and powerful. American oligarchs delivered the cash and influence for him and are now being rewarded with tax cuts whilst welfare and Medicare are cut. +READ MORE: Universal basic income is attempt to 'euthanise the working class as a concept' Received wisdom when I was Justice Secretary and the financial crash occurred was that crime would rise. It didn't even as poverty increased, as after all, the poor are disproportionately victims rather than perpetrators of crime – though it wasn't rocket science that showed the postcode of prisoners correlating with the areas of highest deprivation. +But, as inequality has increased crime, and violent crime has also grown as London evidences. Opulence cheek by jowl with no hope of ever achieving those trappings breeds resentment and a willingness to get them any which way. +A recent article in the Economist detailed research showing that fat, once argued to be a feminist issue, is now one of inequality. Studies of childhood obesity in neighbouring London boroughs showed a decline of two per cent in affluent Dulwich Village but an increase of 11 per cent in poverty-stricken Camberwell Green. +There are still those who say it's a lifestyle choice and condemn the undeserving poor. Tragically, many in positions of influence show that the same takeover by the rich and powerful has taken place in this country, as in the US. With a Cabinet of millionaires, it's hardly surprising but the crassness of statements by wealthy pundits or elected representatives about feeding a family for pennies on a bag of porridge are still revolting, reminiscent of Marie Antoinette and "let them eat cake" to the starving sans culottes seeking bread. +Gordon Brown: Scotland set to be engulfed in devastating child poverty crisis They show neither compassion nor understanding of our society where the poor are excluded from so much and the costs for them disproportionately high. Areas of New York described as "fruit free" and where cheap fast food outlets abound are now replicated here. It's not ignorance or lifestyle choice but imposed by necessity and geography. +A premium is also paid with other necessities of life simply for being poor . Banks reward high rollers and punish the poor, utility companies likewise. A relative's washing machine recently broke down and it was £7, just for the laundrette's basic wash and double if there was a big load. That might well see the kids go hungry in many a household but it's less than others pay their daily dog walker. +Of course, the most obvious manifestation is in pay. Recent statistics showed that whilst the earnings of most had stagnated at best and mostly declined, certainly in real terms, that of the top earners had grown. With no sense of shame, it was announced that chief executive pay had jumped by 11 per cent. At the same time statistics from the Equality Trust showed that a care worker earned 0.45 per cent of the salary of the average FTSE-100 CEO, the average wage was 0.73per cent and the minimum wage a paltry 0.38 per cent. That's neither morally right nor good for our society . +READ MORE: Universal basic income is attempt to 'euthanise the working class as a concept' It's many years since Wilkinson and Pickett's book The Spirit Level aptly and succinctly detailed how more equal societies were healthier, more productive and environmentally better across 11 different indices. Now, tragically, the UK in particular, and many other western countries, are playing it out in reverse. +Of course, it's often said that the poor are always with us and there's some truth in that. But, the progress made in narrowing the gap has gone into reverse and the ostentatious flaunting of wealth has increased. Thatcherism bred the "loadsamoney" culture lampooned by Harry Enfield but sadly all too prevalent in the City of London. It wasn't just inflated salaries but a glorification of wealth. But it's widened and worsened in recent years as "Thatcher's children" have grown up, venerating Mammon and taunting the poor, the very nadir being the story last of the archetypal Cambridge University Tory Boy burning a high denomination note in front of a homeless man. +Once upon a time our tax system was designed to try and at least mitigate against that. It didn't stop the rich remaining rich even when Denis Healey pledged to "tax the rich until the pips squeaked". But, it did at least place a greater burden on those with most and reflected a society seeking to tackle poverty and narrow the gap. +Now, our tax system is broken with companies like Amazon avoiding a fair share of their huge profits and not offset by paying their staff even moderately well. Meanwhile the Institute for Fiscal Studies, an organisation I wouldn't normally reference, showed it's not so much income but wealth where real inequality lies. That's where the real money and power exist. +Gordon Brown: Scotland set to be engulfed in devastating child poverty crisis They showed how the system "allows those lucky or skilful in the accumulation of capital to pay much less tax than those whose income is derived as earnings". This is self-evident when the Panama Papers show a Prime Minster and even the Royal Family hiding their wealth and avoiding tax whilst the low-paid PAYE earner is caught. +The wealthy must pay their share and the gap between rich and poor be narrowed. It's not just a moral argument but how to achieve a healthy and productive society. If we don't then bitter and angry people will react and gated communities won't offer enough protection \ No newline at end of file diff --git a/input/test/Test4567.txt b/input/test/Test4567.txt new file mode 100644 index 0000000..0213a38 --- /dev/null +++ b/input/test/Test4567.txt @@ -0,0 +1,12 @@ +By Linda Holmes • 1 hour ago L to R: Anna Cathcart, Janel Parrish, and Lana Condor play Kitty, Margot, and Lara Jean Covey in To All the Boys I've Loved Before . Netflix +Well, it's safe to say Netflix giveth and Netflix taketh away. +Only a week after the Grand Takething that was Insatiable , the streamer brings along To All The Boys I've Loved Before , a fizzy and endlessly charming adaptation of Jenny Han's YA romantic comedy novel. +In the film, we meet Lara Jean Covey (Lana Condor), who's in high school and is the middle sister in a tight group of three: There's also Margot, who's about to go to college abroad, and Kitty, a precocious (but not too precocious) tween. Unlike so many teen-girl protagonists who war with their sisters or don't understand them or barely tolerate them until the closing moments where a bond emerges, Lara Jean considers her sisters to be her closest confidantes — her closest allies. They live with their dad (John Corbett); their mom, who was Korean, died years ago, when Kitty was very little. +Lara Jean has long pined for the boy next door, Josh (Israel Broussard), who is Margot's boyfriend, and ... you know what? This is where it becomes a very well-done execution of romantic comedy tricks, and there's no point in giving away the whole game. Suffice it to say that a small box of love letters Lara Jean has written to boys she had crushes on manages to make it out into the world — not just her letter to Josh, but her letter to her ex-best-friend's boyfriend Peter (Noah Centineo), her letter to a boy she knew at model U.N., her letter to a boy from camp, and her letter to a boy who was kind to her at a dance once. +This kind of mishap only happens in romantic comedies (including those written by Shakespeare), as do stories where people pretend to date — which, spoiler alert, also happens in Lara Jean's journey. But there's a reason those things endure, and that's because when they're done well, they're as appealing as a solid murder mystery or a rousing action movie. +So much of the well-tempered rom-com comes down to casting, and Condor is a very, very good lead. She has just the right balance of surety and caution to play a girl who doesn't suffer from traditionally defined insecurity as much as a guarded tendency to keep her feelings to herself — except when she writes them down. She carries Han's portrayal of Lara Jean as funny and intelligent, both independent and attached to her family. +In a way, Centineo — who emerges as the male lead — has a harder job, because Peter isn't as inherently interesting as Lara Jean. Ultimately, he is The Boy, in the way so many films have The Girl, and it is not his story. But he is what The Boy in these stories must always be: He is transfixed by her, transparently, in just the right way. +There is something so wonderful about the able, loving, unapologetic crafting of a finely tuned genre piece. Perhaps a culinary metaphor will help: Consider the fact that you may have had many chocolate cakes in your life, most made with ingredients that include flour and sugar and butter and eggs, cocoa and vanilla and so forth. They all taste like chocolate cake. Most are not daring; the ones that are often seem like they're missing the point. But they deliver — some better than others, but all with similar aims — on the pleasures and the comforts and the pattern recognition in your brain that says "this is a chocolate cake, and that's something I like." +When crafting a romantic comedy, as when crafting a chocolate cake, the point is to respect and lovingly follow a tradition while bringing your own touches and your own interpretations to bear. Han's characters — via the Sofia Alvarez screenplay and Susan Johnson's direction — flesh out a rom-com that's sparkly and light as a feather, even as it brings along plenty of heart. +And yes, this is an Asian-American story by an Asian-American writer. It's emphatically true, and not reinforced often enough, that not every romantic comedy needs white characters and white actors. Anyone would be lucky to find a relatable figure in Lara Jean; it's even nicer that her family doesn't look like most of the ones on American English-language TV. +The film is precisely what it should be: pleasing and clever, comforting and fun and romantic. Just right for your Friday night, your Saturday afternoon, and many lazy layabout days to come. Copyright 2018 NPR. To see more, visit http://www.npr.org/. © 2018 KWIT 4647 Stone Avenue, Sioux City, Iowa 51106 712-274-6406 business line . 1-800-251-3690 studi \ No newline at end of file diff --git a/input/test/Test4568.txt b/input/test/Test4568.txt new file mode 100644 index 0000000..929204b --- /dev/null +++ b/input/test/Test4568.txt @@ -0,0 +1,21 @@ +Chinese internet stock sell-off may shake faith in FANGs Noel Randewich 5 Min Read +SAN FRANCISCO (Reuters) - A steep downturn in heavyweight Chinese internet stocks and recent weakness in half of the so-called FANG group have some investors worried that a key component of Wall Street's near-decade long rally may be low on fuel. +Traders work on the floor of the New York Stock Exchange (NYSE) in New York, U.S., July 16, 2018. REUTERS/Brendan McDermid Outstanding gains in Facebook ( FB.O ), Amazon ( AMZN.O ), Netflix ( NFLX.O ) and Alphabet ( GOOGL.O ) have underpinned much of the U.S. stock market's rally in recent years, along with the broader tech sector, but the group is widely viewed as overbought and valuations remain expensive. +Backed up by strong earnings growth and investor confidence in Silicon Valley's innovation track record, the S&P 500 technology index .SPLRCT is up 16 percent in 2018, making tech Wall Street's top performer. +But a recent slump in China's own superstar technology stocks, brought into sharper focus after Tencent Holdings ( 0700.HK ) reported its first profit drop in almost 13 years on Wednesday, has increased worries about Wall Street dependence on a handful top-shelf growth companies. +Shares of Tencent, China's largest social media and gaming company, have fallen over 6 percent in the past two days and are down by nearly a third from their record high close in January. +"Tencent is a good proxy for global growth and risk. Nowadays, with everything being so momentum driven in the market, if one thing goes, everything can go," said Wedbush Securities senior trader Joel Kulina. +Also unnerving tech investors: Netflix and Facebook, which along with Amazon and Google-parent Alphabet make up the FANG stocks, have fallen sharply since their June-quarter reports. +With Netflix down 22 percent from its record high close in early July, and Facebook down 19 percent since July 25 due to fallout from privacy scandals, some investors are questioning whether "FANG" may be turning into "AG". Even with those worries, investors continue to make the group a centerpiece of their portfolios. +Amazon has surged over 60 percent in 2018 and on Tuesday closed at a record high. Alphabet is up 17 percent year to date. +"FANG will continue to play a huge role over the next two to three years," said Jake Dollarhide, chief executive officer of Longbow Asset Management in Tulsa, Oklahoma. "They're expensive, but you have to hold your nose and buy them." +The S&P 500 in recent days has struggled just short of its January record high and is up 6 percent year to date. +Even after recovering from a steep sell-off in February, the S&P 500 is trading at a relatively inexpensive 16.5 times expected earnings, compared to 18.6 times earnings in January, according to Thomson Reuters data. The S&P 500 technology index is trading at 18.7 times earnings, compared to its high-point of 19.6 in late January. +The FANG stocks, plus Apple and Chinese stocks Baidu, Alibaba and Tencent, in August were the most crowded trade on Wall Street for the seventh straight month, according to survey of fund managers by Bank of America. +In crowded trades, most investors share the same opinion, increasing the potential for a volatile sell-off if sentiment changes. +Shares of U.S.-listed Chinese technology companies in recent years have been caught up Wall Street's tech rally, but changes in their prices can also reflect the outlook for China's economy and government regulation. +With China investors also worried about potential fallout from a trade war between Beijing and Washington, Chinese internet heavyweights Baidu ( BIDU.O ) and Alibaba ( BABA.N ) have fallen 11 percent and 7 percent since the end of June, respectively. U.S.-listed shares of Baidu and Alibaba both rose more than 1 percent on Thursday following selling earlier in the week. +Facing losses on China tech trades, global investment funds that own those stocks may be tempted to sell some of their U.S. tech stocks to lock in profits. +"Over time, the breadth of the market tends to narrow, you have smaller leadership groups and once they begin to roll over, which perhaps Tencent is telling us is about to happen, then the broader markets have more of a reason to sell off," said Peter Cecchini, managing director and chief market strategist at Cantor Fitzgerald in New York. +Amazon recently traded at 87 times expected earnings, its lowest in over a year. But many investors focus on the Internet retailer and cloud infrastructure company's explosive revenue growth. By that measure, Amazon appears expensive, at 3.5 times expected revenue, its highest level ever, according to Thomson Reuters data. +Reporting by Noel Randewich, additional reporting by Sruthi Shankar in Bangalore; Editing by Alden Bentley and Nick Zieminsk \ No newline at end of file diff --git a/input/test/Test4569.txt b/input/test/Test4569.txt new file mode 100644 index 0000000..e15845d --- /dev/null +++ b/input/test/Test4569.txt @@ -0,0 +1 @@ +Pinterest Medha Hosting Medha Hosting is the leading global Cloud, Managed hosting and managed IT services provider with award winning platforms in USA, Europe and Asia. Medha Hosting have delivered enterprise-level hosting services to businesses of all sizes round the world since 2014 and still serve a growing base of customers. They relay heavily on our 100 percent up time guarantee, unbeatable level of client service through our triumph Support Heroes, and world reach with half-dozen data centers across five regions in Europe, US, and Asia.we have a tendency to integrate the industry's best technology to supply you better of breed cloud hosting solutions, all backed by our triumph Support Heroes \ No newline at end of file diff --git a/input/test/Test457.txt b/input/test/Test457.txt new file mode 100644 index 0000000..16c9438 --- /dev/null +++ b/input/test/Test457.txt @@ -0,0 +1,8 @@ +Tweet +KAR Auction Services Inc (NYSE:KAR) CEO James P. Hallett sold 150,000 shares of the company's stock in a transaction dated Friday, August 10th. The stock was sold at an average price of $62.11, for a total transaction of $9,316,500.00. The transaction was disclosed in a legal filing with the Securities & Exchange Commission, which can be accessed through this hyperlink . +KAR stock opened at $62.12 on Friday. The stock has a market cap of $8.31 billion, a price-to-earnings ratio of 24.79, a PEG ratio of 1.86 and a beta of 1.06. KAR Auction Services Inc has a one year low of $43.83 and a one year high of $62.56. The company has a quick ratio of 1.31, a current ratio of 1.31 and a debt-to-equity ratio of 1.76. Get KAR Auction Services alerts: +KAR Auction Services (NYSE:KAR) last released its quarterly earnings results on Tuesday, August 7th. The specialty retailer reported $0.82 EPS for the quarter, beating the Thomson Reuters' consensus estimate of $0.80 by $0.02. The business had revenue of $956.60 million during the quarter, compared to analyst estimates of $923.01 million. KAR Auction Services had a net margin of 11.50% and a return on equity of 26.15%. analysts predict that KAR Auction Services Inc will post 2.99 earnings per share for the current year. The company also recently declared a quarterly dividend, which will be paid on Wednesday, October 3rd. Shareholders of record on Thursday, September 20th will be given a dividend of $0.35 per share. This represents a $1.40 annualized dividend and a dividend yield of 2.25%. The ex-dividend date of this dividend is Wednesday, September 19th. KAR Auction Services's payout ratio is 56.00%. +KAR has been the subject of a number of research reports. Zacks Investment Research lowered shares of KAR Auction Services from a "buy" rating to a "hold" rating in a research note on Thursday, May 3rd. Barrington Research reaffirmed a "buy" rating on shares of KAR Auction Services in a research note on Monday, May 7th. ValuEngine lowered shares of KAR Auction Services from a "buy" rating to a "hold" rating in a research note on Saturday, June 2nd. SunTrust Banks set a $70.00 price objective on shares of KAR Auction Services and gave the stock a "buy" rating in a research note on Thursday, August 9th. Finally, Gabelli lowered shares of KAR Auction Services from a "buy" rating to a "hold" rating in a research note on Thursday, August 9th. They noted that the move was a valuation call. Four research analysts have rated the stock with a hold rating and seven have given a buy rating to the company. The company presently has an average rating of "Buy" and an average target price of $60.89. +Several hedge funds have recently added to or reduced their stakes in KAR. Wells Fargo & Company MN lifted its position in shares of KAR Auction Services by 7.1% during the first quarter. Wells Fargo & Company MN now owns 2,762,612 shares of the specialty retailer's stock valued at $149,734,000 after buying an additional 183,166 shares during the last quarter. Frontier Capital Management Co. LLC raised its position in shares of KAR Auction Services by 2.5% in the 1st quarter. Frontier Capital Management Co. LLC now owns 2,706,854 shares of the specialty retailer's stock valued at $146,711,000 after purchasing an additional 65,562 shares during the last quarter. Atria Investments LLC raised its position in shares of KAR Auction Services by 14.4% in the 1st quarter. Atria Investments LLC now owns 9,140 shares of the specialty retailer's stock valued at $495,000 after purchasing an additional 1,149 shares during the last quarter. Carnick & Kubik Group LLC purchased a new position in shares of KAR Auction Services in the 1st quarter valued at approximately $846,000. Finally, Sheaff Brock Investment Advisors LLC purchased a new position in shares of KAR Auction Services in the 1st quarter valued at approximately $6,547,000. 99.02% of the stock is owned by institutional investors and hedge funds. +KAR Auction Services Company Profile +KAR Auction Services, Inc, together with its subsidiaries, provides used car auction and salvage auction services in the United States, Canada, Mexico, and the United Kingdom. The company operates through three segments: ADESA Auctions, IAA, and AFC. The ADESA Auctions segment offers whole car auctions and related services to the vehicle remarketing industry through online auctions and auction facilities \ No newline at end of file diff --git a/input/test/Test4570.txt b/input/test/Test4570.txt new file mode 100644 index 0000000..582fede --- /dev/null +++ b/input/test/Test4570.txt @@ -0,0 +1,14 @@ +Sigmar Recruitment Hiring 50 People In Tralee 17 Aug 2018 | 10.51 am Sigmar Recruitment Hiring 50 People In Tralee Talent Hub for international recruitment +17 Aug 2018 | 10.51 am Share +Recruitment company Sigmar is creating 50 jobs at its European Talent Hub in Tralee, and it's not bothered if the new hires don't have a recruitment agency background.. +Sigmar Recruitment said it is seeking applicants from all backgrounds, regardless of experience and education. Successful applicants will undergo on-site training to equip them with the skills and knowledge necessary to become successful international recruitment specialists. +The first of its kind in Ireland, the European Talent Hub has the objective of finding IT staff for Sigmar clients in markets outside Ireland. The venture is being supported with undisclosed taxpayer funding through IDA Ireland. "I will follow Sigmar's progress with interest and assure the company of IDA Ireland's continued support," said CEO Martin Shanahan. +Chief executive Adrian McGennis commented: "Our partnership with Groupe Adéquat is enabling us to fast track our growth trajectory, and with this announcement we are entering new global markets from Tralee. We envisage that the hub will be servicing some of the biggest technology giants across Europe, starting with Germany." +Earlier this year Sigmar agreed a takeover deal with French recruiter Groupe Adéquat structured through a staged equity investment over a five-year period that will see Adéquat take a majority interest. +Both companies are big players in their respective markets and are seeking to expand in Ireland and internationally through organic growth and acquisition. +McGennis (pictured) added: "Ireland has the talent to capitalise on current international recruitment opportunities. This investment will kickstart the group's international growth, initially in Germany and then other parts of Europe and the US. +"This Talent Hub will be a key element of Sigmar's international growth. It's also an operation where we can develop and test new technologies including robotics and Artificial Intelligence. We have been working on the processes, technology and markets for some time to accelerate our international expansion." +Part of Sigmar's attraction to Groupe Adéquat was that, for a company of its size, the Irish firm is well connected in the US, especially in Boston and San Francisco. +The combined entity is placed among the top 50 staffing businesses in the world. The strategy is to achieve 50% growth, which would move the new group into the global top 25. Share Sigmar Recruitment's French Connection +Inside the biggest recruitment agency trade sale for years Interview: Frank Farrelly, Sigmar Recruitment +Candidate shortages are sign economy is improvin \ No newline at end of file diff --git a/input/test/Test4571.txt b/input/test/Test4571.txt new file mode 100644 index 0000000..e44d082 --- /dev/null +++ b/input/test/Test4571.txt @@ -0,0 +1,9 @@ +NUI Galway to Host Major International Health Psychology Conference Friday, 17 August 2018 +NUI Galway's School of Psychology will host the 32nd Annual Conference of the European Health Psychology Society next week from 21-25 August. The European Health Psychology Society is the largest professional organisation of health psychologists in Europe with more than 600 members worldwide and 750 delegates will attend. +Hosting an event of this scale in Galway is estimated to benefit the local economy by almost €1 million with funding from Fáilte Ireland to support international promotion and the Health Research Board to support the running of this event. NUI Galway successfully hosted the event in 2005 when more than 600 delegates attended the four-day conference. +The theme of this year's conference is 'Health Psychology Across the Lifespan: Uniting Research, Practice and Policy'. Experts from around the world will meet and share their latest research findings on a range of established and emerging topics in health psychology research including: the role of technology in changing health relevant behaviour; coping with chronic illness; the impact of psychological and social stress on health; and how behavioural science can inform how healthcare is delivered. The event will also provide an extensive programme of training workshops where delegates can update their knowledge and skills in research and will also highlight the leading role that the School of Psychology in NUI Galway plays in research and practice relating to psychological and behavioural processes in health, illness and healthcare. +Keynote speakers will include Professor Alex Rothman from the University of Minnesota in the US and Professor Molly Byrne from NUI Galway who will speak about the role of patients and the public in informing this research. +Professor Molly Byrne has led research on the experience of young people living with Type 1 diabetes. In this work young adults living with the condition are involved as part of the team directing research on this topic. Professor Byrne will discuss how involving those who live with chronic health problems and those who directly provide care for them is often essential for producing research that has impact on reducing the suffering caused by these conditions. +Dr Gerry Molloy, Chair of the local organising committee and Programme Director of the MSc in Health Psychology at NUI Galway, said: "Being awarded this major international event for the second time reflects the high regard in which the Health Psychology team at NUI Galway are held. Many of our colleagues here in Galway are international leaders in major global health challenges such as the psychological aspects of chronic pain, living with Type 1 and Type 2 diabetes and long-term medication taking. The growth of Health Psychology at the University over last 15 years has meant that we are now one of the leading centres in this area in Europe, and hosting this major conference will help consolidate this position." +To stay informed about the conference, follow @ehps2018 or search for #ehps2018 on Twitter, or visit the conference website www.ehps2018.net . +-Ends \ No newline at end of file diff --git a/input/test/Test4572.txt b/input/test/Test4572.txt new file mode 100644 index 0000000..448595f --- /dev/null +++ b/input/test/Test4572.txt @@ -0,0 +1,2 @@ +16:15 | 17/08/2018 Economy- Society Vietnam's capital city of Hanoi and southern economic hub of Ho Chi Minh City are among the five biggest improvers of quality of life over the past five years, according to the Global Liveability Index 2018 of the Economist Intelligence Unit (EIU) – a research and analysis division of the UK-based Economist Group. The Hoan Kiem Lake in Hanoi - Photo: traveleasy.vn +This year, Hanoi was ranked 107th out of the 140 surveyed countries with 59.7 points, up 5.5 percentage points, while HCM City came in 116th with 57.1 points, up 4.4 percentage points. The rapid economic development along with the higher scores in the fields of recreational and art activities, private education, and road infrastructure were the main factors that helped the Vietnamese cities increase their places in the ranking. The ten most liveable cities are Vienna (Austria), Melbourne (Australia), Osaka (Japan), Calgary (Canada), Sydney (Australia), Vancouver (Canada), Toronto (Canada), Tokyo (Japan), Copenhagen (Denmark) and Adelaide (Australia). Those that score the best tend to be mid-sized cities in wealthier countries, according to the survey. Several cities in the top ten also have relatively low population density. This can foster a range of recreational activities without leading to high crime levels or overburdened infrastructure. The ten least liveable cities are Dakar (Senegal), Algiers (Algeria), Douala (Cameroon), Tripoli (Libya), Harare (Zimbabwe), Port Moresby (Papua New Guinea), Karachi (Pakistan), Lagos (Nigeria), Dhaka (Bangladesh) and Damascus (Syria). The survey of liveable cities is conducted annually based on various criteria such as stability, health care, culture and environment, education, and infrastructure. Theo VN \ No newline at end of file diff --git a/input/test/Test4573.txt b/input/test/Test4573.txt new file mode 100644 index 0000000..2648876 --- /dev/null +++ b/input/test/Test4573.txt @@ -0,0 +1,3 @@ +(CNN) A low-carb or high-carb diet raises your risk of death, a new study suggests, with people eating the food staple in moderation seeing the greatest benefits to their health. +Less than 40% or more than 70% of your energy -- or calories -- coming from carbohydrates was associated with the greatest risk of mortality. Eating moderate levels between that range offered the best options for a healthy lifespan. The lowest risk of an early death was seen where carbs made up 50-55% of a person's diet, according to the study published Thursday. However, the definition of a low-carb diet had some caveats as not all diets were equal. People on low-carb diets who replaced their carbohydrates with protein and fats from animals, such as with beef, lamb, pork, chicken and cheese, had a greater risk of mortality than those whose protein and fats came from plant sources, such as vegetables, legumes, and nuts. Read More Health effects of carbs: Where do we stand? "We need to look really carefully at what are the healthy compounds in diets that provide protection" said Dr. Sara Seidelmann -- a clinical and research fellow in cardiovascular medicine from Brigham and Women's Hospital in Boston -- who led the research. Seidelmann warned about the widespread popularity of low-carb diets as a weight loss technique, with people giving up foods such as bread, pasta and potatoes. Although previous studies have shown such diets can be beneficial for short-term weight loss and lower heart risk, the longer-term impact is proving to have more negative consequences, according to the study. "Our data suggests that animal-based low carbohydrate diets, which are prevalent in North America and Europe, might be associated with shorter overall life span and should be discouraged," Seidelmann said. "On an 'average' 2,000 kcal-a-day intake, a diet of 30% calories from carbs equates to only 150g a day, with sugars (natural or 'added') contributing around 50g of that total. With a mere 100g of complex carb a day to play with, a lower intake of cereals, grains, and starchy vegetables is inevitable," said Catherine Collins, a dietitian with the UK's National Health Service, who was not involved in the study. She added that such diets compromise the essentials of a healthy diet -- dietary fiber to prevent constipation, support control of blood sugar and lower blood cholesterol levels. Government guidelines in countries like the UK already recommend at least a third of the diet should consist of starchy foods. The findings "will disappoint those who, from professional experience, will continue to defend their low carb cult, but contributes to the overwhelming body of evidence that supports a balanced approach to caloric intake recommended globally by public health bodies," Collins added. Are carbs as bad as red meat and cigarettes when it comes to lung cancer? The team studied more than 15,000 people aged between 45-64 years from diverse socioeconomic backgrounds across four regions of the United States. They then calculated average caloric intake and the proportion of calories coming from different food groups based on questionnaires the participants completed outlining the types of food and drink they consumed, portion sizes and how often they ate. They were then followed up for a median of 25 years, during which time, 6,283 people died. Added years In addition to the finding an optimal range associated with a lower risk of early death, the team also calculated how many extra years a moderate-carb diet could provide at certain ages. From age 50, the average life expectancy was an extra 33 years for people who ate carbs in moderation. This was four years longer than those on a low-carb diet (29 years) and one year longer than those on a high-carb diet (32 years), according to the study. The results were also combined with seven other studies on carbohydrate intake among people in North American, European and Asian countries, which revealed similar trends in life expectancy. Seidelmann, a clinical research fellow in Boston, revealed the added risk of replacing carbs with protein and fats from animals instead of plants. Clearer skin, fewer vitamins: How a vegan diet can change your body But the researchers recognize that their findings are purely observational at this stage and cannot prove a cause and effect of eating too little or too many carbohydrates. They also highlight that low-carb diets in the West often result in people eating more animal fats and meat, rather than more vegetables, fruit, and grains. In addition, the findings might be less generalizable to Asian populations where diets are high in carbohydrates, over 60% carbohydrates on average, but people also often consume fish rather than meat, according to the authors. Get CNN Health's weekly newsletter Sign up here to get The Results Are In with Dr. Sanjay Gupta every Tuesday from the CNN Health team. +But experts in the field agree the findings are notable. "Current guidelines have been criticized by those who favor low-carb diets, largely based on short term studies for weight loss or metabolic control in diabetes, but it is vital to consider long-term effects and to examine mortality, as this study did," said Nita Forouhi, Program Leader of the Nutritional Epidemiology program at the University of Cambridge. "A really important message from this study is that it is not enough to focus on the nutrients, but whether they are derived from animal or plant sources," she added. "When carbohydrate intake is reduced in the diet, there are benefits when this is replaced with plant-origin fat and protein food sources but not when replaced with animal-origin sources such as meats. Many low-carb diet regimes do not make this distinction, but it is important. \ No newline at end of file diff --git a/input/test/Test4574.txt b/input/test/Test4574.txt new file mode 100644 index 0000000..830821d --- /dev/null +++ b/input/test/Test4574.txt @@ -0,0 +1 @@ +Press release from: WISE GUY RESEARCH CONSULTANTS PVT LTD PR Agency: WISE GUY RESEARCH CONSULTANTS PVT LTD Tortilla is a form of baked bread which is majorly prepared from corn and wheat and consumed mostly in Spain and Mexico. The use of corn in the preparation of tortilla enhances its nutritional value as corn is a rich source of proteins, vitamins and minerals. Vitamin B controls the vital metabolism of cell. The process of production of tortilla from corn involves the soaking of corn in the limewater and this process helps in the availability of Vitamin B after its consumption. Tortilla has potential application as bread replacer as it is found to be more nutritious. It is consumed as snacks in the form of ready-to-eat baked chips and tortilla shells. It has multi-purpose application in preparation of various food dishes. GET SAMPLE REPORT @ www.wiseguyreports.com/sample-request/2932033-global-tort... Tortilla chips have gained their popularity as a potential snack and as an alcohol accompaniment. Tortilla chips are found to have become staple snack for consumers in various regions based on the unique formulation and flavor of the product. Strong performance of the retail sector and product promotions have played a vital role in increasing the sale of tortilla via supermarkets/hypermarkets and specialty stores. More than 50% sales of tortilla chips were observed to have been accomplished through supermarkets and grocery stores. Healthier varieties available in tortilla chips such as whole-grain corn tortilla chips have increased the demand even more. Tortilla chips are hence also considered as the most popular dip chip based on the 'better-for-you' dip chip property. Regional Analysis: The Global Tortilla market is segmented into North America, Europe, Asia Pacific, Latin America, Middle East and Africa. North America region is accounting for 59.24% market proportion in the year of 2017 in the global Tortilla market and it is estimated to retain its dominance throughout the forecast period of 2017-2023. The growth of the North America region is expected to be driven by the increasing consumption of tortilla both in U.S. and Mexico. Moreover, tortilla has been invented in Mexico. Also, the key manufacturers of tortilla are located in North America region which in turn escalates the sales of tortilla. However, Latin America region is projected to expand at a substantial growth rate of 5.07% during the forecast period of 2017-2023. Segments: Tortilla market has been segmented on the basis of type of tortilla mix, pre-cooked tortilla, frozen tortilla, tortilla chips and others. On the basis of source, market is segmented into corn, wheat and others. On basis of claim, market is segmented into gluten free, low carb and others. On basis of distribution channel, the market is segmented into store based and non-store based Key Players: The leading market players in the global tortilla market primarily are Tyson Foods, Inc. (U.S.), Gruma SAB de CV (Mexico), Grupo Bimbo SAB de CV (Mexico), General Mills, Inc. (U.S.), Azteca Foods Inc.(U.S.), Ole Mexican Foods Inc. (U.S.),and Grupo Liven, S.A. (Spain) Target Audience \ No newline at end of file diff --git a/input/test/Test4575.txt b/input/test/Test4575.txt new file mode 100644 index 0000000..b41f2cf --- /dev/null +++ b/input/test/Test4575.txt @@ -0,0 +1,5 @@ +Durham sign banned Australia opener Cameron Bancroft for 2019 season +Durham have signed Cameron Bancroft, the ball-tampering opening batsman who received a nine-month domestic ban by Cricket Australia this year. Bancroft, who will join as their overseas player for 2019, was found guilty of attempting to manipulate the condition of the ball on day three of the third Test against South Africa on 24 March. It was an act which led to widespread condemnation and also saw Australia 's captain, Steve Smith, and his deputy David Warner receive 12-month suspensions for their involvement. They have secured overseas contracts in Canada and the Caribbean Premier League.... read more Metro , 26 November 2017 in Sport Metro , 27 November 2017 in Sport Daily Mail , 28 March 2018 in Sport England backing Jonny Bairstow amid accusations of head-butting Australia debutant Cameron Bancroft in bar +England's Ashes tour went from bad to worse when Jonny Bairstow was accused of physical violence. Bairstow was said to have head-butted Australian debutant Cameron Bancroft during a night out in Perth at the start of this tour at a time when England... Daily Mail , 26 November 2017 in Sport Jonny Bairstow releases statement on Cameron Bancroft headbutt after Ashes collapse +In it, he provided his account of his evening out in Perth with Australia opener Cameron Bancroft and others on October 29. Here it is: "I wanted to address you, obviously, about some news that's come (out) over the last 24 hours. "First of... Daily Express , 27 November 2017 in Sport Steve Smith handed one-match suspension for ball tampering as Australia batsman Cameron Bancroft escapes ban +Steve Smith has been handed a one-match suspension after admitting he was party to a decision to ball-tamper during Australia's Test match against South Africa in Cape Town. ICC chief executive David Richardson charged Smith under the Code of Conduct... Metro , 25 March 2018 in Spor \ No newline at end of file diff --git a/input/test/Test4576.txt b/input/test/Test4576.txt new file mode 100644 index 0000000..2b3b8be --- /dev/null +++ b/input/test/Test4576.txt @@ -0,0 +1 @@ +PR Agency: WISE GUY RESEARCH CONSULTANTS PVT LTD Plastic Caps and Closures Market Plastic Caps and Closures Market 2018Wiseguyreports.Com adds "Plastic Caps and Closures Market –Market Demand, Growth, Opportunities, Analysis of Top Key Players and Forecast to 2025" To Its Research Database.Report Details:This report provides in depth study of "Plastic Caps and Closures Market" using SWOT analysis i.e. Strength, Weakness, Opportunities and Threat to the organization. The Plastic Caps and Closures Market report also provides an in-depth survey of key players in the market which is based on the various objectives of an organization such as profiling, the product outline, the quantity of production, required raw material, and the financial health of the organization.This report researches the worldwide Plastic Caps and Closures market size (value, capacity, production and consumption) in key regions like North America, Europe, Asia Pacific (China, Japan) and other regions. This study categorizes the global Plastic Caps and Closures breakdown data by manufacturers, region, type and application, also analyzes the market status, market share, growth rate, future trends, market drivers, opportunities and challenges, risks and entry barriers, sales channels, distributors and Porter's Five Forces Analysis.The bottle is sealed with a Closure; Closures are mainly manufactured by plastic, metal and wood. This study is about the plastic Closure. Asia Pacific is projected to have the largest market share and dominate the plastic caps and closures market from 2018 to 2023. This region offers potential growth opportunities, as developing countries such as China and India are projected to be emerging markets, making it the fastest-growing market for plastic caps and closures. The growth of the plastic caps and closures market in this region is propelled by factors such as the growth of the beverage, healthcare, and personal care products industry. Also, the growing population and economic development are other factors driving the market.Global Plastic Caps and Closures market size will increase to 15900 Million US$ by 2025, from 12100 Million US$ in 2017, at a CAGR of 3.5% during the forecast period. In this study, 2017 has been considered as the base year and 2018 to 2025 as the forecast period to estimate the market size for Plastic Caps and Closures.This report focuses on the top manufacturers' Plastic Caps and Closures capacity, production, value, price and market share of Plastic Caps and Closures in global market. The following manufacturers are covered in this report: Berica \ No newline at end of file diff --git a/input/test/Test4577.txt b/input/test/Test4577.txt new file mode 100644 index 0000000..926ba0c --- /dev/null +++ b/input/test/Test4577.txt @@ -0,0 +1,21 @@ +By Nina Gbor 17 August 2018 0 Colour is a lot more than what just meets the eye. All photos supplied. +As a passionate lover of colours, I've always been drawn to particular colours at different phases of my life. I have experienced alignment and big doses of positive energy emanating from those colours that I have been drawn to. So you can imagine my delight when I recently came across Aura-Soma colour therapy and was finally given the opportunity to understand the significance of the magnetic allure to colour. +I got in touch with Canberra's professional Aura-Soma Practitioner, Rozalia Brien to get an understanding of why this colour therapy is said to empower people to change the course of their lives towards a path of happiness, health and vitality. +RA : What is Aura Soma? +RB : Aura-Soma is a form of colour therapy and energy work that supports a person's wellbeing. It works in a very gentle and supportive way to bring balance within ourselves and raise our consciousness. +Vicky Wall, a British Chiropodist and pharmacist, healer and herbalist who is acknowledged as the founder of Aura-Soma often said: "You are the colours you choose". When talking about colours, we are talking about the three energies that come together and are at the core of the Aura-Soma Colour Care System; the mineral kingdom, the plant kingdom and hue-man kingdom (or) world of colour and light. +The Equilibrium bottles are central to Aura-Soma. At present, there are 116 coloured bottles that contain the energies of plants, crystals, and colour. They are living energies and interact with our own individual energy fields when we stand in front of them. The bottom portion consists of water (some of which comes from Glastonbury Well in England), herbal extracts, colour, and crystal energies, while the top portion is derived from vegetable oil, essential oils, colour, and crystal energies. +Aura-Soma is an ancient knowledge that has been reborn and revitalised into a living energy system, easily accessible to all. It speaks in a universal language through beautiful bottles of rainbow coloured oils, special essences, Pomanders and Quintessences. +Today, Aura-Soma is known and used worldwide, even by trained practitioners. +RA : How long have you been a practitioner and what led you to this therapy? +RB : In 2001, I encountered Aura-Soma at an Expo/Festival, when I walked into the room and these amazing colours jumped out at me and caught my eye. I was in awe, I had never seen anything like this amazing beauty held within glass bottles. I was captivated and wanted to know more about the colours and what they were about. +I immediately completed a mini-workshop but there was so much to take in, that I became lost in the need to learn more. My first full consultation was not until 2007, and that experience opened my eyes and lead me on another journey. My studies commenced in 2009, and after completing my studies I became an Aura-Soma Practitioner in 2012. Since 2012, my desire to know more about this amazing system has not stopped. +RA : How exactly does the colour therapy work in creating healing, balance and wellbeing for clients? +RB : The Aura-Soma Colour Care system four-bottle consultation is usually the first step in helping with a client's wellbeing. During the first stage of the consultation process, the client stands in front of the Equilibrium bottles and breathes, relaxes and their individual energies start to interact with the bottles energies. +As we are "drawn" to certain Equilibrium bottles, those colours chosen reflect the needs that we have hidden within ourselves. Our colour choice helps us to recognize these needs at a deeper level. It is like our own colour code that is linked to our life's journey. +As a Practitioner, my role is to assist and guide the person through each step of the revelations. The key to moving towards balance and wellbeing is using the colours/bottles. It is very easy to use: By choosing 1 Equilibrium bottle to start with, and simply putting the oils and essences onto the body, it helps to bring your being into a state of balance and the colour and energy connection with the client's auric field and chakras. This may help to increase self-awareness and create a harmonious sense of well-being around and within the person. As mentioned, the choice of colour reflects the [client's] personal needs and assists the client to find a truer understanding of their potential and purpose. Otherwise, it is like window shopping, looking, admiring but not feeling the full experience. +RA : How are people able to identify if Aura-Soma is the therapy that they need? +RB : I have found over the years that the use of Aura-Soma is a personal choice. People who see me at an Expo or come for a consultation will say that "I feel drawn to the bottles." I then explain to them the meaning of Aura-Soma, i.e. Aura; a word from Latin, meaning, "light" and referring to the electromagnetic field surrounding everyone, and Soma; an old Greek word for "body". [I explain to them that] our own vibrational energy is drawn or aligning with the energies in the Equilibrium bottles, and as we allow this process to happen, it shines the "light" on our egos and our past wounds so that, through the use of the bottles, we may heal. +It reminds me of a client, who will remain anonymous (but has given me permission to use this example). This person mentioned to me that they were drawn to come and see me and the bottles and was not really sure why but as the bottles were 'pretty,' thought, 'why not?' Anyway, as they stood in front of the bottles they were drawn to the Equilibrium bottle number six. This was Red on Red. As we explored this choice, it was revealed that they had past traumas with their family of origin and as a result, they then identified the source of their ongoing anger. Because of this awareness, and insight, this person was able to initiate steps to heal this area of their life and connect to their inner beauty. +Learn more about Aura-Soma from Colour and Touch with Rozalia . +if you're keen to further unravel the magic of Aura-Soma, Rozalia is reachable by email on and on mobile, by dialling 0438928011 \ No newline at end of file diff --git a/input/test/Test4578.txt b/input/test/Test4578.txt new file mode 100644 index 0000000..fa55ea9 --- /dev/null +++ b/input/test/Test4578.txt @@ -0,0 +1,27 @@ +Jets' Darnold looks like rookie in 15-13 loss to Redskins - WALB.com, South Georgia News, Weather, Sports Member Center: Jets' Darnold looks like rookie in 15-13 loss to Redskins 2018-08-17T03:13:44Z 2018-08-17T10:21:29Z (AP Photo/Alex Brandon). New York Jets quarterback Sam Darnold (14) throws under pressure from Washington Redskins linebacker Ryan Kerrigan, left, during the first half of a preseason NFL football game Thursday, Aug. 16, 2018, in Landover, Md. (AP Photo/Alex Brandon). New York Jets quarterback Sam Darnold (14) is sacked by Washington Redskins defensive tackle Da'Ron Payne (95) during the first half of a preseason NFL football game Thursday, Aug. 16, 2018, in Landover, Md. (AP Photo/Nick Wass). New York Jets quarterback Sam Darnold (14) looks to pass as Washington Redskins defensive end Jonathan Allen (93) is blocked during the first half of a preseason NFL football game Thursday, Aug. 16, 2018, in Landover, Md. (AP Photo/Nick Wass). New York Jets quarterback Sam Darnold warms up for the team's NFL football preseason game against the Washington Redskins, Thursday, Aug. 16, 2018, in Landover, Md. (AP Photo/Alex Brandon). Washington Redskins defensive back Troy Apke (30) celebrates his interception with defensive tackle Ondre Pipkins (78) during the first half of a preseason NFL football game against the New York Jets, Thursday, Aug. 16, 2018, i... +By STEPHEN WHYNOAP Sports Writer +LANDOVER, Md. (AP) - Limited playing experience in high school and college makes Sam Darnold appreciate every game, even if it's just the preseason. +The third overall pick made his first exhibition start for the New York Jets on Thursday night and showed some of the growing pains of a rookie quarterback by throwing an interception , taking two sacks and having a couple of balls batted out of the air. +Darnold was 8 of 11 for 62 yards in the first half before giving way to Teddy Bridgewater in a game the Jets lost to the Washington Redskins 15-13 on a last-second field goal. +"Any game experience is huge," said Darnold, who felt he played well but wasn't as sharp as his 13 of 18 for 96 yards preseason debut. "I feel like I'm going to continue to grow and get better every single day, and that's what I'm most excited about is to see how much I'm going to be able to grow and get better." +Darnold went in looking like the front-runner to win New York's starting QB competition, and it's still muddled after Bridgewater was 10 of 15 for 127 yards, a touchdown and an interception. Veteran Josh McCown didn't play after starting the first preseason game because coach Todd Bowles already knows what he has in the 39-year-old. +"It's already been cloudy," Bowles said. "It'll be a tough choice." +Darnold showed flashes for the Jets (1-1), going 5 of 5 on his second drive but was sacked by Preston Smith to force a field goal on a night full of them. Bridgewater took some intentional risks to test the left knee he injured two years ago to the point Bowles joked he had a neighborhood he could send the former Vikings quarterback to if he wanted to get hit. +"Some of those plays, I could've thrown the ball away or run out of bounds, but I wanted to challenge myself to see if I could take a hit and it was fun," Bridgewater said. +Redskins starter Alex Smith was 4 of 6 for 48 yards in one series, his only work so far in the preseason. Smith said he always wished he could play more but acknowledged "it's a fine line." +Washington kicker Dustin Hopkins made all five of his field-goal attempts, including a 40-yarder as time expired to win it for the Redskins (1-1). +INJURIES +Jets: CB Jeremy Clark left with a hamstring injury. ... LT Kelvin Beachum (foot), RG Brian Winters (abdominal), RB Isaiah Crowell (concussion) and DL Steve McLendon (leg) did not play. +Redskins: RB Samaje Perine injured an ankle on his first carry, a 30-yard run , and did not return. Coach Jay Gruden said Perine twisted his ankle but expects him to be OK ... RB Byron Marshall was evaluated for a lower-leg injury that Gruden said was fine after an MRI. ... LT Trent Williams, RB Chris Thompson, WR Maurice Harris and Jamison Crowder, TE Jordan Reed, OT Ty Nsekhe and DL Matt Ioannidis and Phil Taylor were among those nursing or coming off injuries who didn't dress. +REDSKINS RB COMPETITION +After second-round pick Derrius Guice's season ended because of a torn ACL , Rob Kelley was up first to show he deserves to be Washington's starter. Kelley had seven carries for 17 yards, Perine was impressive on his one run before being injured, Marshall had a kick-return fumble that was overturned on video review and Kapri Bibbs made six catches for 47 yards with only 6 yards on the ground. +"It will be a tough deal for us to figure all that out, but we will," Gruden said. +UNDISCIPLINED JETS +Linebacker Jordan Jenkins was flagged on the game's opening drive for roughing the passer against Smith when he drove the QB into the ground. Darron Lee was penalized for a horse-collar tackle on Redskins punt returner Danny Johnson. Then, there was rookie Frankie Luvu, who led with his helmet into Colt McCoy on a more egregious roughing-the-passer violation than what Jenkins had. +NATIONAL ANTHEM +All players appeared to stand for the national anthem. Jets players locked arms along the visiting sideline with no one remaining in the locker room. +NEXT UP +Jets: See what more Darnold can do in game action when they face the Giants on Aug. 24. +Redskins: Are expected to give Smith more snaps Aug. 24 when they host the Denver Broncos. +___ +More AP NFL: https://apnews.com/tag/NFLfootball and https://twitter.com/AP_NF \ No newline at end of file diff --git a/input/test/Test4579.txt b/input/test/Test4579.txt new file mode 100644 index 0000000..6d7a376 --- /dev/null +++ b/input/test/Test4579.txt @@ -0,0 +1,20 @@ +Today in History for Aug. 17th By The Associated Press +Today is Friday, Aug. 17, the 229th day of 2018. There are 136 days left in the year. Today's Highlight in History: +On August 17, 1943, the Allied conquest of Sicily during World War II was completed as U.S. and British forces entered Messina. On this date: +In 1807, Robert Fulton's North River Steamboat began heading up the Hudson River on its successful round trip between New York and Albany. +In 1915, a mob in Cobb County, Georgia, lynched Jewish businessman Leo Frank, 31, whose death sentence for the murder of 13-year-old Mary Phagan had been commuted to life imprisonment. (Frank, who'd maintained his innocence, was pardoned by the state of Georgia in 1986.) Advertisement +In 1942, during World War II, U.S. 8th Air Force bombers attacked German forces in Rouen, France. U.S. Marines raided a Japanese seaplane base on Makin Island. +In 1969, Hurricane Camille slammed into the Mississippi coast as a Category 5 storm that was blamed for 256 U.S. deaths, three in Cuba. +In 1978, the first successful trans-Atlantic balloon flight ended as Maxie Anderson, Ben Abruzzo and Larry Newman landed their Double Eagle II outside Paris. +In 1982, the first commercially produced compact discs, a recording of ABBA's "The Visitors," were pressed at a Philips factory near Hanover, West Germany. +In 1983, lyricist Ira Gershwin died in Beverly Hills, Calif., at age 86. +In 1985, more than 1,400 meatpackers walked off the job at the Geo. A. Hormel and Co.'s main plant in Austin, Minnesota, in a bitter strike that lasted just over a year. +In 1987, Rudolf Hess, the last member of Adolf Hitler's inner circle, died at Spandau Prison at age 93, an apparent suicide. The musical drama "Dirty Dancing," starring Jennifer Grey and Patrick Swayze, premiered in New York. +In 1988, Pakistani President Mohammad Zia ul-Haq and U.S. Ambassador Arnold Raphel (RAY'-fehl) were killed in a mysterious plane crash. +In 1996, the Reform Party announced Ross Perot had been selected to be its first-ever presidential nominee, opting for the third-party's founder over challenger Richard Lamm. +In 1999, more than 17,000 people were killed when a magnitude 7.4 earthquake struck Turkey. +Ten years ago: At the Beijing Olympics, Michael Phelps and three teammates won the 400-meter medley relay for Phelps' eighth gold medal. In tennis, Venus and Serena Williams defeated Anabel Medina Garrigues and Virginia Ruano Pascual of Spain in women's doubles; Rafael Nadal defeated Fernando Gonzalez of Chile in the men's singles; Elena Dementieva defeated fellow Russian Dinara Safina in the women's singles. Matamoros, Mexico, pitcher Jesus Sauceda had the fifth perfect game in Little League World Series history as he struck out all 12 batters in a 12-0 win over Emilia, Italy. (The game went just four innings because of Little League's mercy rule.) +Five years ago: The attorney for a young man who'd testified he was fondled by former Penn State assistant football coach Jerry Sandusky said his client had reached a settlement, the first among dozens of claims made against the school amid the Sandusky child sex abuse scandal. Nick Davilla threw six touchdown passes and the Arizona Rattlers defeated the Philadelphia Soul 48-39 in the ArenaBowl. Kansas City's Miguel Tejada was suspended 105 games by Major League Baseball for violating its Joint Drug Program, one of the longest suspensions ever handed down. +One year ago: A van plowed through pedestrians along a packed promenade in the Spanish city of Barcelona, killing 13 people and injuring 120. (A 14th victim died later from injuries.) Another man was stabbed to death in a carjacking that night as the van driver made his getaway, and a woman died early the next day in a vehicle-and-knife attack in a nearby coastal town. (Six suspects in the attack were shot dead by police, two more died when a bomb workshop exploded.) +Today's Birthdays: Former Chinese president Jiang Zemin (jahng zuh-MEEN') is 92. Author V.S. Naipaul is 86. Former MLB All-Star Boog Powell is 77. Actor Robert DeNiro is 75. Movie director Martha Coolidge is 72. Rock musician Gary Talley (The Box Tops) is 71. Actor-screenwriter-producer Julian Fellowes is 69. Actor Robert Joy is 67. International Tennis Hall of Famer Guillermo Vilas is 66. Rock singer Kevin Rowland (Dexy's Midnight Runners) is 65. Rock musician Colin Moulding (XTC) is 63. Country singer-songwriter Kevin Welch is 63. Olympic gold medal figure skater Robin Cousins is 61. Singer Belinda Carlisle is 60. Author Jonathan Franzen is 59. Actor Sean Penn is 58. Jazz musician Everette Harp is 57. Rock musician Gilby Clarke is 56. Singer Maria McKee is 54. Rock musician Steve Gorman (The Black Crowes) is 53. Rock musician Jill Cunniff (kuh-NIHF') is 52. Actor David Conrad is 51. Actress Helen McCrory is 50. Singer Donnie Wahlberg is 49. College Basketball Hall of Famer and retired NBA All-Star Christian Laettner is 49. Rapper Posdnuos (PAHS'-deh-noos) is 49. International Tennis Hall of Famer Jim Courier is 48. Retired MLB All-Star Jorge Posada is 47. TV personality Giuliana Rancic is 44. Actor Bryton James is 32. Actor Brady Corbet (kohr-BAY') is 30. Actress Taissa Farmiga is 24. Olympic bronze medal figure skater Gracie Gold is 23. +Thought for Today: "It is not love that is blind, but jealousy."— Lawrence Durrell, British-born author (1912-1990) \ No newline at end of file diff --git a/input/test/Test458.txt b/input/test/Test458.txt new file mode 100644 index 0000000..153159c --- /dev/null +++ b/input/test/Test458.txt @@ -0,0 +1,7 @@ +You are at: Home » Opportunities » Competition » Asia-Pacific Regional Youth Video Competition Asia-Pacific Regional Youth Video Competition Competition , International Jobs & Opportunities , Opportunities +UNFPA is hosting an Asia-Pacific Regional Youth Video Competition that will further recognize the key role of young people in tackling issues on SRHR and CSE. These videos will act as advocacy and awareness-raising to further strengthen policies and programmes of SRHR and CSE in the region. Furthermore, it enables them to showcase their solutions and inspire others. Young people constitute a growing proportion of the world's population, with larger numbers than ever before. Globally, this age group comprises of over 1.8 billion young people of which the Asia Pacific countries account for nearly 1 billion . Young people are shaping social and economic development and building the foundation for the region's future . +Yet, young people face many obstacles to achieving sexual and reproductive health (SRH), including lack of access to information and lack of skills to safeguard their well-being. Adolescent pregnancy is increasing in many countries in the region, contrary to global trends of decreasing adolescent pregnancy. Currently nearly 5 million adolescent girls give birth each year in the Asia Pacific region, with over 3000 deaths due to pregnancy or birth complications. Nearly 600,00 young people are living with HIV in the region with 300 young people infected every day. Both adolescent pregnancy and HIV can be prevented through comprehensive sexuality education with a focus on gender equality. +Harmful gender norms often assign rigid gender roles to men as providers and women as care givers, prizing physical strength, aggression and sexual experience in men, and submissiveness, passivity and chastity in women. Taboos about menstruation also influence young girls' knowledge, attitudes and self-confidence at puberty. Harmful gender norms lead to acceptance of male dominance and violence against women including coerced sexual intercourse and rape. Gender based violence also occurs against others who do not conform to heteronormative masculine "ideals", including men who have sex with men (MSM), and transgender and intersex people. , Schools, which should be safe spaces for learning, have a high prevalence of school-related gender based violence, including bullying and psychosocial and physical violence. , Read also: ASIAN-INDIA RESEARCH TRAINING FELLOWSHIP (AI-RTF) FOR ASIAN RESEARCHERS +Comprehensive sexuality education (CSE) both in and out of school is critical for equipping young people with the knowledge, skills and attitudes necessary for fostering healthy relationships. Evidence has shown that curriculum-based CSE that includes a focus on gender and human rights can delay sexual debut, decrease frequency of sexual intercourse, decrease the number of sexual partners, reduce risk-taking, and increase the use of condoms and contraception. +CSE increases knowledge of one's rights within sexual relationships and promotes the development of socio-emotional skills, such as interpersonal communication skills and decision-making, that are necessary for young people to express healthy sexuality and develop healthy intimate relationships. , Research shows that socio-emotional learning (SEL), a core concept of CSE, can also yield improved mental well-being (reductions in substance abuse, anxiety, depression, and suicide ideation), reductions in bullying and harassment and increased academic achievement. +CSE encourages young people to critically reflect on how social and cultural norms positively and negatively impact sexual behavior and influence gender roles in their communities. Awards & Prizes The total award value is USD 3000, to be shared by two winners. Round-trip travel to attend the share-a-thon in bangkok, thailand in november 2018 Assignment as a youth reporter: opportunity to work with the unfpa asia-pacific regional office with videos, articles and social media covering highlights of the meeting The videos will be showcased in front of an international audience Rules & Terms There is no entry fee. The video submissions can be short films, documentaries and animation and must focus on the Asia-Pacific region at any level (regional, national, local, institutional, policy, etc.) and produced by producers from the region. Productions will be accepted in English, or in original or native language if accompanied by subtitles in English. Length of productions can be up to 3 minutes and will have to be professionally made according to broadcast standards. Only one video clip can be submitted per individual. The video clip should have been produced by the entrant and/or the entrant should have the unrestricted right to disseminate it. The video clip should be supported by a document file containing the script, title, location, and the producer's name in English. Only high resolution videos (minimal resolution of 720p), with good sound quality, will be accepted. The competition will not accept films produced by governments or development actors publicizing a specific project. The video should be the original work of the entrant and must not infringe upon the copyrights, trademarks, and rights of privacy, publicity, or any other proprietary rights of a person or entity. UNFPA accepts all entries in good faith, and will not be held liable if a competitor violates these guidelines. If an entry is found to violate these guidelines, it will be disqualified. Please make sure any music or audio you use on your video is license free or you have acquired a license to use it. The entrant retains copyright of the film/s and product/s submitted, but agrees that UNFPA can use the film/s and product/s in perpetuity across multiple platforms, including websites, social media and any other platforms that currently exist or may be developed in the future. UNFPA will make every effort to acknowledge the entrants' names alongside the film/s and product/s whenever they are used. The film should not feature or depict any specific commercial products, processes, services and political views. Applicants must submit their applications on 15 October 2018. For more info contact: youthasiapacificregion@gmail.com Facebook Comments Relate \ No newline at end of file diff --git a/input/test/Test4580.txt b/input/test/Test4580.txt new file mode 100644 index 0000000..f13b557 --- /dev/null +++ b/input/test/Test4580.txt @@ -0,0 +1 @@ +August 17, 2018 7:00am Comments Share: This August, Best Sanitizers, Inc. Celebrates Hand Hygiene Awareness Month by Offering Training, Support and Education to the Food Processing Industry Best Sanitizers, Inc. celebrates Hand Hygiene Awareness Month by offering hand hygiene training and guidance to the food manufacturing industry. PR Newswire NEVADA CITY, NEVADA CITY, /PRNewswire-PRWeb/ -- Best Sanitizers, Inc. celebrates August as Hand Hygiene Awareness Month . CDC (Center for Disease Control and Prevention) estimates that each year roughly 1 in 6 Americans (or 48 million people) get sick, 128,000 are hospitalized, and 3,000 die of foodborne diseases. Hand washing can make a difference in cross-contamination from food production workers. Contaminated hands can transfer pathogens to surfaces, utensils, ingredients, and finished food products. As part of Hand Hygiene Awareness Month, Best Sanitizers is offering food manufacturers free hand hygiene training, guidance and support through onsite training or through web-based presentations. Interested companies in the food manufacturing industry can learn more and schedule their training by calling Best Sanitizers at 888.225.3267. Food manufacturers require their production employees to wash their hands repeatedly throughout the day: before starting a shift, after using the restroom, after lunch, after breaks, and after touching anything that might carry pathogens. Best Sanitizers follows these CDC guidelines for proper hand washing technique: Thoroughly wet hands with clean, running water, apply an adequate amount of soap, rub palms and back of hands, rub thumbs and interlace fingers, rub fingertips into palm of opposite hand, rub wrists, rinse well with running water, dry hands thoroughly with a disposable paper towel. Best Sanitizers recommends using a quality hand soap like Alpet® Q E2 Sanitizing Foam Soap to reduce pathogens. Alpet Q E2 Sanitizing Foam Soap is pH balanced and formulated with emollients to help keep employees' hands soft and healthy, even with repeated use. The goal of hand hygiene is to reduce the number of pathogens on the hands to the smallest number possible. Hand sanitizing after washing will further reduce the colony forming units (CFUs) on the hands, making it more difficult for germs to transfer on to surfaces, utensils, ingredients, and finished food products from contaminated hands. For maximum pathogen reduction, Best Sanitizers recommends using an effective hand sanitizer, such as Alpet® E3 Plus Hand Sanitizer Spray . This additional layer of pathogen reduction can greatly reduce the risk of cross-contamination. Its 71% Ethanol formula is 99.9999% effective in killing 26 tested pathogens in 15 seconds, which is one of the highest LOG reductions in the industry. Alpet E3 Plus is formulated with emollients to keep hands soft and healthy, even with repeated use. As a spray, it goes on light and leaves hands feeling silky, not heavy and sticky. Best Sanitizers encourages food processors and food handlers to look at their own hand hygiene programs for any areas that can be improved. The new Food Safety Modernization Act (FSMA) ruling includes, "continual improvement" as an element food processors must incorporate into their food safety plans and adding sanitizing soap and hand sanitizer is a good way to meet this requirement. "Our goal is to promote and advance food safety throughout the industry," states Ryan Witt , Vice President of Sales and Marketing. "And, we want to provide food industry professionals with the tools and education they need to reduce cross-contamination from hands." Best Sanitizers, Inc. offers on-site hand hygiene trainings, demonstrations, and educational webinars for your facility, including food processing plants, nutraceutical facilities, and pharmaceutical processors. With a full line of quality Alpet® hand soaps and hand sanitizers, Best Sanitizers can help food manufacturers choose the right products and maximize hand hygiene efforts with training and support designed specifically to meet their plant's needs. Schedule an on-site training by calling 888-225-3267. Best Sanitizers products, please visit http://www.bestsanitizers.com . About Best Sanitizers, Inc: Since 1995, Best Sanitizers, Inc. has been providing the Food Processing, Janitorial Sanitation and Healthcare industries with the highest quality hand soaps, hand sanitizers, surface sanitizers and dispensing options available. These products are used in over 9,000 U.S. food processing facilities. Best Sanitizers was the first company to achieve an E3 rating for an alcohol-based hand sanitizer, and the first to achieve a D2 rating for an alcohol/quat-based surface sanitizer for food contact surfaces. Best Sanitizers continues to explore new and innovative ways to deliver hand hygiene and surface sanitation solutions \ No newline at end of file diff --git a/input/test/Test4581.txt b/input/test/Test4581.txt new file mode 100644 index 0000000..2167b1f --- /dev/null +++ b/input/test/Test4581.txt @@ -0,0 +1,5 @@ +Erisco Foods Limited is a leading manufacturer of Tomato paste and other made in Nigeria drinks and food products and the 4th largest tomato paste producing company in the world. +Position Title: Account Receivable Officer (Northern Region) +Locations: Kano and Yola Collects accounts by contacting customers referred by marketers; Investigating circumstances of non-payment; negotiating and resolving conflicts; expediting payment. Supports financial planning by forecasting cash. Updates receivables by coordinating and monitoring daily sales order processing and bank remittance transactions. Maintains financial security by adhering to internal accounting controls. Protects organization's value by keeping information confidential. Updates job knowledge by participating in educational opportunities; Assure timely collection of monies due to organization. Monitor and report on deviations from credit standards. Assure timely and accurate invoicing. Manage cash application making sure all cash receipts are applied properly Conduct credit checks on all customers, establish and manage limits. Make recommendations to improve quality of invoicing, waybills and collection procedures. Daily reporting of invoicing totals/aging totals/cash receipts/invoice adjustments; and stock Reconcile customers ledger and account statement on a regular basis; Attend to external auditors during interim and year end audit. Handle other jobs as may be assigned by Finance Manager. +Application Deadline: 28th September, 2018. +Interested and qualified candidates should submit their Resume as one attachment in MS Word or PDF format to indicating the position title as the subject of email only. Please follow and like us: \ No newline at end of file diff --git a/input/test/Test4582.txt b/input/test/Test4582.txt new file mode 100644 index 0000000..906354d --- /dev/null +++ b/input/test/Test4582.txt @@ -0,0 +1,10 @@ +PIC board meets to discuss govt probe on alleged improprieties By 18 PIC chief executive Dan Matjila. Picture: PIC +JOHANNESBURG, August 17 – The board of the Public Investment Corporation (PIC) will on Friday meet and be briefed about government's decision to institute a commission of inquiry. +National Treasury announced on Thursday that President Cyril Ramaphosa had agreed to appoint a commission of inquiry into the alleged improprieties at the state-owned fund manager. +PIC spokesperson Sekgoela Sekgoela told ANA that the board was meeting later on Friday to discuss the pending inquiry. +"The matter is now with the finance minister and I cannot say anything about it. But we have prepared something for the board and they will decide after the meeting if they would make public their sentiment about the inquiry," Sekgoela in a telephonic interview. +The PIC invests government pensions and handles assets worth about R1.928 trillion. It is one of the biggest known funds on the African continent. +Terms of reference of the commission will include a review of the PIC's governance and operating model, possible changes to the PIC's founding legislation and its Memorandum of Incorporation and investment decision-making framework. +Names of the chair of the commission and the supporting team, as well as the detailed terms of reference of the commission, are yet to be announced. +Meanwhile, the African National Congress (ANC) has "welcomed" the announcement of a commission of inquiry, saying that it was decisive action by Ramaphosa. +– African News Agency (ANA \ No newline at end of file diff --git a/input/test/Test4583.txt b/input/test/Test4583.txt new file mode 100644 index 0000000..3f9529f --- /dev/null +++ b/input/test/Test4583.txt @@ -0,0 +1,13 @@ +Tom Moyane. Picture: TREVOR SAMSON The commission of inquiry into tax and governance at the South African Revenue Service will resume public hearings on Tuesday. +Proceedings will kick off with evidence from SARS group executive for research Randall Carolissen, who argued last year that the tax agency was not to blame for the drop in revenue collection. +The commission is aimed at getting to the bottom of the governance issues at SARS under suspended commissioner Tom Moyane, which have been partly blamed for the R48bn hole in revenue collection. +The inquiry heard in its first round of public hearings at the end of June how a far-reaching restructuring at SARS eroded its internal capacity in a variety of areas including enforcement. +The inquiry will also hear evidence from SARS executive for tax and customs compliance risk Thabelo Malovhele. +The third witness to give evidence next week will be Fareed Khan, executive for enforcement audits. +Get our news and views in your inbox The resumption of the hearings follows Moyane's deadline to submit a response to the charges against him in his separate disciplinary inquiry on Monday. +Moyane was directed to make the submission by the chairman of the disciplinary inquiry, advocate Azhar Bham, in July after all his objections to the process were dismissed. +Among Moyane's objections was that the two processes — the commission of inquiry into governance at SARS and the disciplinary process against him — were taking place at the same time. +He had written to President Cyril Ramaphosa to ask that one or both of the processes be halted. +The president responded saying he would await a ruling on the objections from Bham before deciding on the matter. +By Thursday, the president had not yet responded to Moyane after Bham's ruling was delivered at the end of July. +MarrianN@Businesslive.co.z \ No newline at end of file diff --git a/input/test/Test4584.txt b/input/test/Test4584.txt new file mode 100644 index 0000000..ceddce5 --- /dev/null +++ b/input/test/Test4584.txt @@ -0,0 +1,9 @@ +Manchester United's Romelu Lukaku considering Belgium exit after Euro 2020 play Are the differences between Mourinho and Pogba irreconcilable? (6:28) +The FC crew assess the seemingly deteriorating state of the relationship between Manchester United manager Jose Mourinho and Paul Pogba. (6:28) Facebook Messenger +Manchester United striker Romelu Lukaku is considering retiring from international football after the next European Championship. +Lukaku, 25, helped Belgium finish third at the World Cup in Russia this summer but has said he might not make it to Qatar in 2022 and plans to quit after Euro 2020. +"After the Euros, I think I'll stop," he told Business Insider . Belgium's Romelu Lukaku scored four goals at the World Cup. Robbie Jay Barratt - AMA/Getty Images +Lukaku, who is line to make his first United start of the season against Brighton on Sunday, is Belgium's record goalscorer with 40 goals in 75 games after beginning his international career in 2010. +He is already targeting a first trophy with his national team at the next Euros but suggested after the tournament it may be time to step aside to make room for some of Belgium's talented youngsters -- even if he will only be 27. +"I'm 25, I'm like, I'm not even in my prime yet," he said. I still see them [Belgium's young players] as competition right now because they try to take my spot and I don't want to give it up to them. So like another two years, and then they can have it. +"Every big tournament for us as a country has to be getting into the semifinals, and then you go from there. You will go to win the whole thing, but you don't go for less than the semifinals." Facebook Messenger ABOUT COOKIES To help make this website better, to improve and personalise your experience and for advertising purposes, are you happy to accept cookies and other technologies? Ye \ No newline at end of file diff --git a/input/test/Test4585.txt b/input/test/Test4585.txt new file mode 100644 index 0000000..9a5d7d0 --- /dev/null +++ b/input/test/Test4585.txt @@ -0,0 +1,19 @@ +Mixing software development roles produces great results Mixing software development roles produces great results Three reasons why mixing roles in engineering is good for users. 17 Aug 2018 Jos Poortvliet Feed 3 Get the newsletter Join the 85,000 open source advocates who receive our giveaway alerts and article roundups. +Most open source communities don't have a lot of formal roles. There are certainly people who help with sysadmin tasks, testing, writing documentation, and translating or developing code. But people in open source communities typically move among different roles, often fulfilling several at once. +In contrast, team members at most traditional companies have defined roles, working on documentation, support, QA, and in other areas. +Why do open source communities take a shared-role approach, and more importantly, how does this way of collaborating affect products and customers? +Nextcloud has adopted this community-style practice of mixing roles, and we see large benefits for our customers and our users. 1. Better product testing +Testing is a difficult job, as any tester can tell you. You need to understand the products engineers develop, and you need to devise test plans, execute them, and return the results to the developers. When that process is done, the developer makes changes, and you repeat the process, going back-and-forth as many times as necessary until the job is done. More Great Content Learn Advanced Linux Commands In a community, contributors typically feel responsible for the projects they develop, so they test and document them extensively before handing them to users. Users close to the project often help test, translate, and write documentation in collaboration with developers. This creates a much tighter, faster feedback loop, speeding up development and improving quality. +When developers continuously confront the results of their work, it encourages them to write in a way that minimizes testing and debugging. Automated testing is an important element in development, and the feedback loop ensures that it is done right: Developers are organically motivated to automate what should be automated—no more and no less. Sure, they might want others to do more testing or test automation, but when testing is the right thing to do, they do it. Moreover, they review each others' code because they know that issues tend to come back bite them later. +So, while I won't argue that it's better to forgo dedicated testers, certainly in a project without community volunteers who test, testers should be developers and closely embedded in the development team. The result? Customers get a product that was tested and developed by people who are 100% motivated to ensure that it is stable and reliable. 2. Close alignment between development and customer needs +It is extraordinarily difficult to align product development with customer needs. Every customer has their own unique needs, there are long- and short-term factors to consider—and of course, as a company, you have ideas on where you want to go. How do you integrate all these ideas and visions? +Companies typically create roles like product management, support, QA, and others, which are separate from engineering and product development. The idea behind this is that people do best when they specialize, and engineers shouldn't be bothered with "simple" tasks like testing or support. +In effect, this role separation is a cost-cutting measure. It enables management to micromanage and feel more in control as they can simply order product management, for example, to prioritize items on the roadmap. (It also creates more meetings!) +In communities, on the other hand, "those who do the work decide." Developers are often also users (or are paid by users), so they align with users' needs naturally. When users help with testing (as described above), developers work with them constantly, so both sides fully understand what is possible and what is needed. +This open way of working closely aligns users and projects. Without management interference and overhead, users' most pressing needs can be quickly met because engineers already intimately understand them. +At Nextcloud, customers never need to explain things twice or rely on a junior support team member to accurately communicate issues to an engineer. Our engineers continuously calibrate their priorities based on real customer needs. Meanwhile, long-term goals are set collaboratively, based on a deep knowledge of our customers. 3. The best support +Unlike proprietary or open core vendors, open source vendors have a powerful incentive to offer the best possible support: It is a key differentiator from other companies in their ecosystem. +Why is the driving force behind a project—think Collabora behind LibreOffice , The Qt Company behind Qt , or Red Hat behind RHEL —the best source of customer support? +Direct access to engineers, of course. Rather than walling off support from engineering, many of these companies offer customers access to engineers' expertise. This helps ensure that customers always get the best answers as quickly as possible. While some engineers may spend more time than others on support, the entire engineering team plays a role in customer success. Proprietary vendors might provide customers a dedicated on-site engineer for a considerable cost, for example, but an open source company like OpenNMS offers that same level of service in your support contract—even if you're not a Fortune 500 customer. +There's another benefit, which relates back to testing and customer alignment: Sharing roles ensures that engineers deal with customer issues and wishes daily, which motivates them to fix the most common problems quickly. They also tend to build extra tools and features to save customers from asking. +Put simply, folding QA, support, product management, and other engineering roles into one team ensures that the three famous virtues of great developers— laziness, impatience, and hubris —closely align with customers. About the author Jos Poortvliet - People person, technology enthusiast and all-things-open evangelist. Head of marketing at Nextcloud, previously community manager at ownCloud and SUSE and a long time KDE marketing veteran, loves biking through Berlin and cooking for friends and family. Find my personal blog here \ No newline at end of file diff --git a/input/test/Test4586.txt b/input/test/Test4586.txt new file mode 100644 index 0000000..b11d9c7 --- /dev/null +++ b/input/test/Test4586.txt @@ -0,0 +1,16 @@ +/ Originally published on August 17, 2018 1:01 am +As California's enormous wildfires continue to set records for the second year in a row, state lawmakers are scrambling to close gaps in state law that could help curb future fires, or make the difference between life and death once a blaze breaks out. +While the biggest political battle in Sacramento is focused on utility liability laws , lawmakers are also rushing to change state laws around forest management and emergency alerts before the legislative sessions ends this month. +A special joint legislative committee is examining how to shore up emergency alert systems so people know to evacuate, and how to prevent fires through better forest management. They're among the challenges facing many Western states. +Historically, state Sen. Hannah-Beth Jackson said during a recent interview in her Capitol office, "we have looked at fire as an enemy." +That was a mistake, said Jackson, a Democrat who represents Santa Barbara and Ventura counties, both of which were devastated by the enormous Thomas Fire last December. She's pushing legislation that would expand prescribed burns and other forest management practices on both public and private lands. +"We have been doing less and less to try to clear vegetation, to do controlled burns, so that we can reduce the dead vegetation that we have," she said. "As a result, we have conditions that are seeing fruition with these enormous and out of control fires." +Jackson says after years of inaction, everyone in California is finally at the table --including environmental groups — supporting the measure and engaging in a conversation around forest management. +Jackson also has a bill that would let counties automatically enroll residents in emergency notification systems; it's one of two bills aimed at shoring up gaps around evacuation alerts that were exposed by last years' deadly fires . The other is Senate Bill 833 by North Bay Sen. Mike McGuire; it would seek to expand use of the federally-regulated wireless emergency alert system in California. +Jackson noted that technology has changed and governments must adjust. +"We used to be warned about danger with the church bells and then during the Cold War with Russia we had a CONELRAD alert system ... well we don't have any of those things today," she said. "We rely upon people's cell phones ... fewer and fewer people actually have landlines today. So we've got to adapt and that's what this program will hopefully do." +At the national level, there's also political maneuvering over fires. +Department of Homeland Security Secretary Kirstjen Nielson visited a fire zone in Northern California earlier this month and promised to start providing federal emergency funding earlier. Meanwhile, during her recent tour of a fire area, California's U.S. Sen. Kamala Harris said she is pushing to expand federal funding for both fighting and preventing wildfires. Some of that funding is in a bipartisan bill that is co-sponsored by senators from 10 other states, many of them in the fire-prone West. +"Let's also invest resources in things like deforestation, in getting rid of these dead trees and doing the other kind of work that is necessary to mitigate the harm that that is caused by these fires," Harris said while visiting Lake County. +Dollars are important: The state has blown through its firefighting budget seven of the last 10 years, even as the annual budget has grown five-fold over the same period. This fiscal year started six weeks ago, and California has already spent three-quarters of its firefighting budget for the entire year. +That spending is "a very stark indication of the severity and the scope of these type of catastrophic wildfires," said H.D. Palmer, spokesman for Gov. Jerry Brown's Department of Finance. Copyright 2018 KQED. To see more, visit KQED . © 2018 Hawaii Public Radi \ No newline at end of file diff --git a/input/test/Test4587.txt b/input/test/Test4587.txt new file mode 100644 index 0000000..4f776ff --- /dev/null +++ b/input/test/Test4587.txt @@ -0,0 +1,10 @@ +XAT 2019: Key changes in the exam pattern that you must know Nidhi Gupta Aug 17, 2018 15:48 IST XAT 2019: Key changes in the exam pattern +The upcoming XAT exam, which is going to be held on 6 th Jan, 2019 is introduced with major changes this year for the aspirants. XLRI has brought an array of modifications to the traditional XAT exam pattern. From revamping the existing sections to dropping a few areas, aspirants will see tremendous change in the XAT exam from the previous year. The registration window for the computer based test will open from August 20 th to December 15 th , 2018. Candidates are required to carefully examine and take note of the changes in the XAT exam pattern to prepare strategically for the exam. Get ready to face this online computer based XAT exam like a pro! Significant changes in the XAT exam pattern +It should be noted that XLRI team has confirmed about the major changes in the XAT exam pattern this year. There will be change in the format of the exam. XAT 2019 exam is divided into four areas i.e. Verbal and Logical Ability, Decision Making, Quantitative Ability & Data Interpretation, and General Knowledge. This also means that Essay writing has been removed from the MBA entrance exam. All the questions will be asked in multiple choice questions (MCQ) based format and each MCQ will be followed by 5 answer options. +Take a look at the exam pattern: Section No Negative Marking Total Questions: 100 +Apart from the changes in the type and number of questions that are to be asked from the exam takers, there are other changes as well. The exam is tailored to test the aptitude of the candidates' basis other MBA entrance exams. Candidates will be allotted time span of 180 minutes i.e. 3 hours to appear in the XAT exam. For each correct answer +1 Mark will be awarded to the aspirants. Negative Marking of 0.25 (¼) mark exists in the XAT 2019 exam. The GK section of XAT exam is free from Negative Marking. Thus, aspirants can attempt all the questions from the GK section without having to worry about the Negative Marking. XAT 2019: Exam Structure +The XAT 2019 exam paper is divided into four sections with multiple choice questions. The sections are Decision Making, Verbal & Logical Ability, Quantitative Ability & Data Interpretation and General Knowledge. There will be no subjective essay writing test in XAT 2019. Please note that the marks of general knowledge will not be included in finalizing the percentile and cut off at the initial (1 st ) stage of selection. The duration of the test will be of 3 hours, starting from 10:00 AM to 01:00 PM, in a single session. XAT 2019: Marking Scheme +In XAT 2019 paper, one mark will be awarded for every correct answer, and one fourth of a mark will be deducted for every incorrect answer. It is important to note that there will be a deduction of 0.25 mark per question if a test taker leaves more than 12 questions unanswered in XAT 2019 question paper. The difficulty level of XAT 2019 will be moderate as it is expected that the question paper will be designed with certain precautions this year. Key Changes in XAT Exam Pattern: Few points to remember XAT 2019 Paper is divided in 4 parts instead of 5 sections. Time allotted for attempting XAT 2019 is 180 minutes instead of 210 minutes. The marks obtained in GK in XAT 2019 will only be considered at the time of final selection of candidates and not for the initial shortlisting for GD/interview Essay writing will not be asked in the XAT 2019 exam and all the questions will be in MCQ format. XAT Mock Test +XLRI will also release XAT mock test which is expected to carry time limit of 2 hours whereas the actual exam will be conducted for the duration of 3 hours. Aspirants are advised to attempt the mock test to get a fair idea about the difficulty level of the questions expected in XAT 2019. XAT mock test will also provide a sneak peek into the XAT exam structure which will be fairly new for the aspirants. +We hope that your hard work will yield excellent results in the XAT 2019 exam, which will open the door to some of the finest B-schools in India like XLRI, IMT and SPJIMR. In case, you have any doubts or want to share your feedback, don't hesitate to write down your comments. Also, make sure to share this article around your circle to let your friends know about the key changes in XAT 2019 Exam. +Also Read – XAT Exam Update \ No newline at end of file diff --git a/input/test/Test4588.txt b/input/test/Test4588.txt new file mode 100644 index 0000000..d8815c4 --- /dev/null +++ b/input/test/Test4588.txt @@ -0,0 +1,6 @@ +Now you can buy and sell Ethereum Classic on Coinbase 17 Aug, 2018 News Share +Dan Romero, Vice President and GM of Coinbase Consumer, announced on the Coinbase blog , that they now support Ethereum Classic on Coinbase.com and their mobile app. +Romero added that from now on, their customers in every country where Coinbase operates can now log in to buy, sell, send, receive, or store Ethereum Classic, along with Bitcoin, Bitcoin Cash, Ethereum, and Litecoin. +Coinbase made the announcement of adding Ethereum Classic onto Coinbase Pro already in the beginning of July, however, criticism about the way it added Bitcoin Cash last year, could be the reason why Coinbase took more then a month to implement ETC. +Today Coinbase offers 5 coins, but that's likely to change later this year. +"We announced last month that we are exploring a number of other assets to add to the platform. We hear your requests, and are working hard to make more assets available to more customers around the world." Romero said. As 5pm PT, Coinbase Consumer now supports Ethereum Classic (ETC) across its products, including https://t.co/bCG11KveHS and the mobile app. https://t.co/VokLVW6kRf pic.twitter.com/ciJWxr1p9 \ No newline at end of file diff --git a/input/test/Test4589.txt b/input/test/Test4589.txt new file mode 100644 index 0000000..b997e57 --- /dev/null +++ b/input/test/Test4589.txt @@ -0,0 +1 @@ +Hello, I read and understood that you need an "Maintainance Service App" and i believe that i can design and develop the best quality app for you and provide you long term support. I am an experienced dedicated mo Más $300 USD en 10 días (6 comentarios) panchalanurag Hello I have seen your post you want to mobile app, definitely I will help you to develop an attractive app as per your requirements but I want to know full requirements of this app, please share all details about Más $250 USD en 10 días (2 comentarios \ No newline at end of file diff --git a/input/test/Test459.txt b/input/test/Test459.txt new file mode 100644 index 0000000..c835250 --- /dev/null +++ b/input/test/Test459.txt @@ -0,0 +1 @@ +Indian team pay tribute to Ajit Wadekar 4 hours ago Aug 17, 2018 ANI Nottingham (London) , August 16 : Indian cricket team observed two minutes of silence in Nottingham for the former cricketer and coach Ajit Wadekar, who passed away last night in Mumbai. The silence was observed during the practice hours of the Kohli-led side ahead of the third Test of the ongoing five-match series against England.Earlier, people from cricket fraternity like Sachin Tendulkar, Anil Kumble, and Ravi Shastri took to Twitter to mourn the demise of the cricketing giant.Wadekar, who was considered as India's finest slip fielders and an aggressive left-hander, appeared in a total of 37 Tests and amassed 2,113 runs at an average of 31.07. He scored his sole century against New Zealand in 1968.Born in Bombay, Wadekar made his first-class debut in 1958, while he played his first Test match against the West Indies in 1966.In 1967, the Government of India bestowed Wadekar with the Arjuna Award. He also received the Padma Shri Award, the country's fourth highest civilian honour, in 1972.Wadekar also served as the manager of the Indian cricket team in the 1990s, along with the then captain of the national team, Mohammad Azharuddin.Meanwhile, India, who are trailing the five-match series 0-2, are slated to play their third Test against England from August 18. Share it \ No newline at end of file diff --git a/input/test/Test4590.txt b/input/test/Test4590.txt new file mode 100644 index 0000000..651e1e7 --- /dev/null +++ b/input/test/Test4590.txt @@ -0,0 +1 @@ +Press release from: Market Research Future Pharmaceutical Excipients Market Market Research Future Present a latest Report "Global Pharmaceutical Excipients Market". This Report Completed Major Study by Future Growth, Size, Share, Worldwide Segmentation and Competitive Players. Outlook till - 2023Global Pharmaceutical Excipient Market - OverviewWith the growing advancement in the pharmaceutical industry, the need to satisfy patient's therapeutic needs is also rising. Pharmaceutical raw materials and APIs pharmaceutical excipients are crucial for drug delivery within the body.Get Sample copy @ www.marketresearchfuture.com/sample_request/868 Apart from active ingredients, inactive excipients play a major role in formulation development.The global pharmaceutical excipient market consists of number of pharmaceutical drug manufacturers, healthcare providers involved in the market. The market demonstrates steady growth. Further resulting in intensified competition. Top players are investing heavily in R&D and clinical trials to develop effective products in the pharma market space. Top Vendors:The Global Pharmaceutical Excipient Market consist of players such as Ashland, Inc. (U.S.), BASF SE (Germany), Croda International PLC (U.K), Evonik Industries Ag (Germany), Ferro Corporation (U.S.), FMC Corporation (U.S.), kzo Nobel NV (Netherlands), P&G Chemicals (U.S.), The Dow Chemical Company (U.S.) and others. These are some of the prominent players at the forefront of competition in the global pharmaceutical excipient market and are profiled in MRFR Analysis report.Pharmaceutical Excipients Market – Study Objective- To provide detailed analysis of the market structure along with forecast for the next 10 years of the various segments and sub-segments of the global Pharmaceutical Excipients Market.- To provide insights about factors affecting the market growth. - To provide historical and forecast revenue of the market segments and sub-segments with respect to four main geographies and their countries- North America, Europe, Asia, and Rest of the World (ROW).- To provide strategic profiling of key players in the market, comprehensively analyzing their core competencies, and drawing a competitive landscape for the market- To track and analyze competitive developments such as joint ventures, strategic alliances, mergers and acquisitions, new product developments, and research and developments in the global Pharmaceutical Excipients Market .Get Amazing Discount @ www.marketresearchfuture.com/check-discount/868 Global Pharmaceutical Excipient Market - Regional AnalysisThe global pharmaceutical excipient market is growing at a moderate rate. This market is greatly benefitted by the increased aging population in the major regions all across the world. America region captured a significant share of the global pharmaceutical excipient market. American pharmaceutical market is well established with number of major pharmaceutical companies based in this region. High demand of over the counter drugs, rising prevalence of the chronic diseases leading to the high demand for the drugs. Rise in drug development has increased demand for the pharmaceutical excipients greatly in this region.European market is second highest revenue generator after America. Europe pharmaceutical excipient market has benefited by the presence of some major pharmaceutical companies in this region. Moreover, increasing patient pool for chronic diseases and changing over the counter drug scenario are driving the growth for Europe pharmaceutical excipient market.Asia Pacific region is the fastest growing region in pharmaceutical excipient market owing to the rising population with the acute and chronic health problems. Pharmaceutical industry has grown tremendously in this region in last couple of decades which has definitely impacted on the growth of the pharmaceutical excipients market. Apart from that, low cost of raw materials, availability of cost-effective workforce and untapped resources it offers in terms of manufacturing facilities has boosted growth of this market in Asia Pacific region.Middle East & Africa region is still in the growing phase with new opportunities are being created day by day. Many of the big pharmaceutical companies are expanding their business in the Middle Eastern region which has helped the growth of the pharma market in these region. Currently Middle East & Africa contributes least in the global pharmaceutical excipient market.Request for TOC @ www.marketresearchfuture.com/reports/pharmaceutical-excip... About Market Research Future:At Market Research Future (MRFR), we enable our customers to unravel the complexity of various industries through our Cooked Research Report (CRR), Half-Cooked Research Reports (HCRR), Raw Research Reports (3R), Continuous-Feed Research (CFR), and Market Research & Consulting Services.Contact Us:Office No. 528, Amanora ChambersMagarpatta Road, Hadapsar \ No newline at end of file diff --git a/input/test/Test4591.txt b/input/test/Test4591.txt new file mode 100644 index 0000000..6f33aa6 --- /dev/null +++ b/input/test/Test4591.txt @@ -0,0 +1,16 @@ +Politics Of Wildfires: Biggest Battle Is In California's Capital By Marisa Lagos • 9 minutes ago Related Program: Morning Edition King Bass sits and watches the Holy Fire burn from on top of his parents' car as his sister, Princess, rests her head on his shoulder last week in Lake Elsinore, Calif. More than a thousand firefighters battled to keep a raging Southern California forest fire from reaching foothill neighborhoods. Patrick Record / AP +As California's enormous wildfires continue to set records for the second year in a row, state lawmakers are scrambling to close gaps in state law that could help curb future fires, or make the difference between life and death once a blaze breaks out. +While the biggest political battle in Sacramento is focused on utility liability laws , lawmakers are also rushing to change state laws around forest management and emergency alerts before the legislative sessions ends this month. +A special joint legislative committee is examining how to shore up emergency alert systems so people know to evacuate, and how to prevent fires through better forest management. They're among the challenges facing many Western states. +Historically, state Sen. Hannah-Beth Jackson said during a recent interview in her Capitol office, "we have looked at fire as an enemy." +That was a mistake, said Jackson, a Democrat who represents Santa Barbara and Ventura counties, both of which were devastated by the enormous Thomas Fire last December. She's pushing legislation that would expand prescribed burns and other forest management practices on both public and private lands. +"We have been doing less and less to try to clear vegetation, to do controlled burns, so that we can reduce the dead vegetation that we have," she said. "As a result, we have conditions that are seeing fruition with these enormous and out of control fires." +Jackson says after years of inaction, everyone in California is finally at the table --including environmental groups — supporting the measure and engaging in a conversation around forest management. +Jackson also has a bill that would let counties automatically enroll residents in emergency notification systems; it's one of two bills aimed at shoring up gaps around evacuation alerts that were exposed by last years' deadly fires . The other is Senate Bill 833 by North Bay Sen. Mike McGuire; it would seek to expand use of the federally-regulated wireless emergency alert system in California. +Jackson noted that technology has changed and governments must adjust. +"We used to be warned about danger with the church bells and then during the Cold War with Russia we had a CONELRAD alert system ... well we don't have any of those things today," she said. "We rely upon people's cell phones ... fewer and fewer people actually have landlines today. So we've got to adapt and that's what this program will hopefully do." +At the national level, there's also political maneuvering over fires. +Department of Homeland Security Secretary Kirstjen Nielson visited a fire zone in Northern California earlier this month and promised to start providing federal emergency funding earlier. Meanwhile, during her recent tour of a fire area, California's U.S. Sen. Kamala Harris said she is pushing to expand federal funding for both fighting and preventing wildfires. Some of that funding is in a bipartisan bill that is co-sponsored by senators from 10 other states, many of them in the fire-prone West. +"Let's also invest resources in things like deforestation, in getting rid of these dead trees and doing the other kind of work that is necessary to mitigate the harm that that is caused by these fires," Harris said while visiting Lake County. +Dollars are important: The state has blown through its firefighting budget seven of the last 10 years, even as the annual budget has grown five-fold over the same period. This fiscal year started six weeks ago, and California has already spent three-quarters of its firefighting budget for the entire year. +That spending is "a very stark indication of the severity and the scope of these type of catastrophic wildfires," said H.D. Palmer, spokesman for Gov. Jerry Brown's Department of Finance. Copyright 2018 KQED. To see more, visit KQED \ No newline at end of file diff --git a/input/test/Test4592.txt b/input/test/Test4592.txt new file mode 100644 index 0000000..9288d87 --- /dev/null +++ b/input/test/Test4592.txt @@ -0,0 +1,21 @@ +Beto O'Rourke speaks at the Texas Democratic Convention in June. Since winning the Democratic primary, O'Rourke has embraced progressive positions — at times, including impeaching President Trump — as he challenges GOP Sen. Ted Cruz's reelection bid. Richard W. Rodriguez / AP GOP Sen. Ted Cruz takes a photo with a supporter during a rally to launch his re-election campaign on April 2 in Stafford, Texas. Cruz says he's taking the campaign of Democratic challenger Beto O'Rourke seriously. Erich Schlegel / Getty Images Rep. Beto O'Rourke, Democratic nominee for Senate in Texas, greets supporters at a cafe in San Antonio. Wade Goodwyn / NPR Listening... / +If you arrived at Beto O'Rourke's recent town hall meeting in San Antonio even 40 minutes ahead of time, you were out of luck. All 650 seats were already taken. +It was one sign that the El Paso Democratic congressman has set Texas Democrats on fire this year, as he takes on Republican Sen. Ted Cruz's re-election bid. +Texas Democrats have been wandering in the electoral wilderness for two decades — 1994 was the last time they won a statewide race — but at O'Rourke's events they have been showing up in droves. Often, it's standing room only. +"Let's make a lot of noise so the folks in the overflow room know we're here, that we care about them," O'Rourke tells the crowd at the town hall, before counting to three and leading them in a cheer of "San Antonio!" +While he was sorry that all of those supporters couldn't see him, Beto O'Rourke is an unapologetic, unabashed liberal, who's shown no interest in moving toward the political middle after his victory in the Texas Democratic primary. +On issues like universal health care, an assault weapons ban, abortion rights and raising the minimum wage, O'Rourke has staked out progressive positions. The Democrat even raised the specter of impeachment after President Trump's Helsinki press conference with Vladimir Putin — although O'Rourke has since walked back that position some. +Nevertheless, recent polls have him just 2 and 6 points behind Cruz. Compare that with the 20-point walloping Texas state Sen Wendy Davis endured in 2014 when she lost in a landslide to Republican Greg Abbott in the race for governor. But that recent history begs the question of whether someone running as far to the left as Cruz can actually win in a state like Texas. +Former Texas agricultural commissioner and Democratic populist Jim Hightower sees something different in O'Rourke's campaign. +"You've got a Democratic constituency that is fed up, not just with Trump, but with the centrist, mealy-mouthed, do-nothing Democratic establishment," Hightower said. "They're looking for some real change and Beto is representing that." +Cruz says he's taking O'Rourke's candidacy very seriously. +"I think the decision he's made is run hard left and find every liberal in the state of Texas, and energize them enough that they show up and vote," Cruz said in an interview with NPR. "And I think he's gambling on there are enough people on the left for whom defeating and destroying Donald Trump is their number-one issue, that he's hoping that his path to victory. I don't see that in the state of Texas. In Texas, there are a whole lot more conservatives than liberals." +When it comes to the critical issue of immigration, the two Texas candidates for Senate couldn't be further apart. Last week in Temple, Cruz indicated he supports ending birthright citizenship telling the crowd, "it doesn't make a lot of sense." O'Rourke is against building a wall along the border and favors a gradual path to legal status for undocumented immigrants. +Political observers in Texas say it's still too early to get a good read on the race, although it seems that O'Rourke's campaign is generating some momentum. Jim Hensen, director of the Texas Politics Project at the University of Texas, which does extensive statewide polling, says the key to O'Rourke's success thus far is that he began his campaign early. +"He's much more viable, he's been working harder, he's traveled all over the state. He started earlier than the statewide candidates that we've seen in recent years, and I think it's made a big difference," Hensen said. Still, Hensen believes an O'Rourke victory is probably a long shot, not for lack of effort or fundraising, but because of the advantage Republican candidates enjoy in Texas when it comes to the sheer numbers of voters. +"In a hundred-yard dash, [O'Rourke] probably starts 10 to 15 yards behind," Hensen said. +At a café in San Antonio where he's come for an interview, O'Rourke can't make it to a table because he's mobbed by customers who recognize him and want a picture together. The congressman patiently chats up everyone who approaches and agrees to pictures. He urges his fans to share the photos on social media, a likely unnecessary piece of advice. +With the recent separations of immigrant children from their parents who are seeking asylum at the Texas border, immigration is hot topic of conversation. "I think that this state, the most diverse state in the country, should lead on immigration," O'Rourke told NPR. "Free DREAMers from the fear of deportation, but make them citizens today so they can contribute to their full potential. That is not a partisan value, that's our Texan identity and we should lead with it." +O'Rourke seems to have no fear of sounding too progressive for Texas. He has no interest in moving toward the ideological center for the general election. +He borrowed an old line from Jim Hightower as way of explanation. +"The only thing that you're going to find in the middle of the road are yellow lines and dead armadillos. You have to tell the people that you want to serve what it is you believe and what you are going to do on their behalf," O'Rourke said. "We can either be governed by fear, fear of immigrants, fear of Muslims, call the press the enemy of the people, tear kids away from their parents at the U.S.-Mexico border, or we can be governed by our ambitions and our aspirations and our desire to make the most out of all of us. And that's America at its best." Copyright 2018 NPR. To see more, visit http://www.npr.org/. In Association wit \ No newline at end of file diff --git a/input/test/Test4593.txt b/input/test/Test4593.txt new file mode 100644 index 0000000..8c3ca43 --- /dev/null +++ b/input/test/Test4593.txt @@ -0,0 +1,12 @@ +The "Queen of Soul" has died at age 76 August 16, 2018 by Linda Pena Leave a Comment +Aretha Franklin, the undisputed "Queen of Soul" who sang with matchless style on such classics as "Think,""I Say a Little Prayer" and her signature song, "Respect," and stood as a cultural icon around the globe, has died at age 76 from advance pancreatic cancer. She leaves behind 4 children. +Publicist Gwendolyn Quinn tells The Associated Press through a family statement that Franklin passed Thursday at 9:50 a.m. at her home in Detroit. The statement said "Franklin's official cause of death was due to advance pancreatic cancer of the neuroendocrine type, which was confirmed by Franklin's oncologist, Dr. Philip Phillips of Karmanos Cancer Institute" in Detroit. +The family added: "In one of the darkest moments of our lives, we are not able to find the appropriate words to express the pain in our heart. We have lost the matriarch and rock of our family." +Born in 1942 in Memphis, Tenn., Franklin's family eventually relocated to Detroit, where she was raised and learned to sing. When Franklin was 10, her mother died, and a number of women, including the gospel singer Mahalia Jackson helped take care of Franklin and her siblings. It was around this time that Franklin started playing piano, singing and performing gospel songs at her father's church in Detroit. TIME joined Franklin for a return to the New Bethel Baptist Church in 2016 , where she performed a six-minute version of "Rock of Ages," nearly 70 years after singing there as a young girl. +Franklin recorded a gospel album when she was just 14 and four years later signed with Columbia Records, where she produced eight albums and reached international success with hit songs like "Rock-a-Bye Your Baby with a Dixie Melody." Franklin later moved to Atlantic Records, where the hits started pouring out of her. "Respect," written by Otis Redding, lit up charts in 1967 and became an anthem. Her hits over the following three years included "Chain of Fools", "Natural Woman" and "Think." +Franklin's contributions to music and pop culture received several honors throughout her life. She won a total of 18 Grammy awards; the first in 1967 for "Respect." Franklin was later honored with a Grammys Legend Award in 1991 and a Lifetime Achievement Award in 1994. In 2014, Franklin reached a new milestone by becoming the first woman to have her 100th hit on Billboard's Hot R&B/Hip-Hop Songs Chart with "Rolling in the Deep (The Aretha Version)." +In a career spanning more than 50 years, Franklin's performances marked certain pivotal moments in U.S. history. A longtime family friend of Martin Luther King Jr., she sang "Precious Lord" at the civil rights leader's memorial service. She performed "America (My Country 'Tis of Thee)" at former President Barack Obama's inauguration. And she brought Obama (and much of the audience) to tears six years later when she surprised Kennedy Center honoree Carole King with "Natural Woman" in 2015 — a rendition that memorably ended with a belting Franklin tossing her fur coat to the stage. +Personal note: Aretha, your voice was a natural wonder. Your songs inspired me to achieve my dreams and your interpretation of the song, "I had a dream," changed my life. I will miss you, having grown up listening to your God-given voice. May Heaven give you the peace you so deserve. +Ref. Time, ABC News, NBC News, CBS News +Photo courtesy of Bing.com Filed Under: TV , TV News About Linda Pena +Linda Pena is a freelance writer for several online and local publications, a published author and poet, and a former professional model with the Barbizon Agency. Linda enjoys fashion, health, and natural healing. Having been a single mother of three, she knows the ins and outs of raising children solo by managing money on a dime. Leave a Reply Your email address will not be published. Required fields are marked * Commen \ No newline at end of file diff --git a/input/test/Test4594.txt b/input/test/Test4594.txt new file mode 100644 index 0000000..7aab0a5 --- /dev/null +++ b/input/test/Test4594.txt @@ -0,0 +1,8 @@ +15:21 | 17/08/2018 Fashion & Life H' Hen Nie, Miss Universe Vietnam 2017, has been named an ambassador for Room to Read, a global non-profit focused on literacy and girls' education. H' Hen Nie, Miss Universe Vietnam 2017 +H'Hen Nie has committed to a personal fundraising goal of US$22,000 to fund the creation of a Room to Read library stocked with quality reading materials in Lam Dong Province, Vietnam, as well as supporting 50 girls across Asia and Africa to complete secondary school and develop key life skills through the Room to Read's Girls' Education Program. +H'Hen Nie's philanthropic commitment is aligned with Room to Read's global movement Active for Education, which encourages supporters around the world to activate their body and mind through personalised fundraising campaigns. +As a Room to Read ambassador, H'Hen Nie will participate in awareness raising activities to advocate Room to Read's programs in literacy and girls' education, which enable students to reach their full potential and contribute to society. +"Growing up as an ethnic minority in Vietnam, I have seen firsthand that education is the only way to break the cycle of poverty," said H'Hen Nie. "I want children everywhere to flourish, dream big and have the resilience to overcome obstacles." +H'Hen Nie is of the Ede group, an ethnic minority in Vietnam and comes from a family of farmers. Her passion for Room to Read's mission stems from her personal experience overcoming obstacles, including working multiple jobs as a housekeeper and waitress, to finance her own education and pursue her dreams. As reigning Miss Universe Vietnam she has actively championed numerous social causes and has participated in community activities throughout Vietnam. +Founded in 2000 on the belief that World Change Starts with Educated Children, Room to Read's innovative model focuses on deep, systemic transformation within schools in low-income countries during the two time periods that are most critical in a child's schooling: early primary school for literacy acquisition and secondary school for girls' education. +Room to Read has benefited 12.4 million children across more than 20,000 communities in 15 countries. Theo ND \ No newline at end of file diff --git a/input/test/Test4595.txt b/input/test/Test4595.txt new file mode 100644 index 0000000..e45c531 --- /dev/null +++ b/input/test/Test4595.txt @@ -0,0 +1,10 @@ +Hyderabad: Intermittent rains continued to lash the city apart from causing a considerable drop in the temperature and disrupting normal life to some extent on Thursday. +Clouds stayed in control the entire day. With the Sun failing to break through them, day temperatures too plummeted. +More rainfall is in store with Met authorities making a forecast on weather generally remaining cloudy and accompanied by light rain or drizzle in different areas on Friday too. Following the rains, maximum temperature in Hyderabad was recorded at 27 degree Celsius, which is three degree Celsius departure from the normal temperature recorded during this time of the year. +Similarly, the minimum temperature dropped to 21.3 degree Celsius recording a departure of one degree Celsius from the normal temperature. +In the city, Shapurnagar, Gajularamaram received the highest cumulative rainfall of 18.3 mm rainfall. This was followed by Madhapur, which received 9.8 mm and Mehdipatnam receiving 7 mm rainfall respectively, said TSPDS official. +Meanwhile, many homebound employees got stuck in traffic jams in few areas, especially in the west zone of the city. Traffic moved at a very slow pace at Gachibowli, Mindspace, Mehdipatnam, Hitec City roads late in the evening. +According to Cyberabad Traffic police, traffic on the Khajaguda- Narayanamma College road was affected due to damage at Shaikpet nala. +With the rains continuing, instructions have been issued to GHMC officials to stay alert and clear water logging on the main thoroughfares. +All the 252 teams, including instant repair teams, mini-mobile monsoon teams, mobile monsoon emergency teams and central emergency teams have been directed to attend complaints in their respective areas at the earliest and facilitate traffic flow. +GHMC officials said 13,099 potholes were identified across the city since July 1 and of these,12,959 have been filled. Efforts were on to fill other 140 at the earliest, officials said. On Thursday alone, 222 potholes were identified and 216 were fixed, officials claimed \ No newline at end of file diff --git a/input/test/Test4596.txt b/input/test/Test4596.txt new file mode 100644 index 0000000..460660d --- /dev/null +++ b/input/test/Test4596.txt @@ -0,0 +1,12 @@ +By Linda Holmes • 1 hour ago L to R: Anna Cathcart, Janel Parrish, and Lana Condor play Kitty, Margot, and Lara Jean Covey in To All the Boys I've Loved Before . Netflix +Well, it's safe to say Netflix giveth and Netflix taketh away. +Only a week after the Grand Takething that was Insatiable , the streamer brings along To All The Boys I've Loved Before , a fizzy and endlessly charming adaptation of Jenny Han's YA romantic comedy novel. +In the film, we meet Lara Jean Covey (Lana Condor), who's in high school and is the middle sister in a tight group of three: There's also Margot, who's about to go to college abroad, and Kitty, a precocious (but not too precocious) tween. Unlike so many teen-girl protagonists who war with their sisters or don't understand them or barely tolerate them until the closing moments where a bond emerges, Lara Jean considers her sisters to be her closest confidantes — her closest allies. They live with their dad (John Corbett); their mom, who was Korean, died years ago, when Kitty was very little. +Lara Jean has long pined for the boy next door, Josh (Israel Broussard), who is Margot's boyfriend, and ... you know what? This is where it becomes a very well-done execution of romantic comedy tricks, and there's no point in giving away the whole game. Suffice it to say that a small box of love letters Lara Jean has written to boys she had crushes on manages to make it out into the world — not just her letter to Josh, but her letter to her ex-best-friend's boyfriend Peter (Noah Centineo), her letter to a boy she knew at model U.N., her letter to a boy from camp, and her letter to a boy who was kind to her at a dance once. +This kind of mishap only happens in romantic comedies (including those written by Shakespeare), as do stories where people pretend to date — which, spoiler alert, also happens in Lara Jean's journey. But there's a reason those things endure, and that's because when they're done well, they're as appealing as a solid murder mystery or a rousing action movie. +So much of the well-tempered rom-com comes down to casting, and Condor is a very, very good lead. She has just the right balance of surety and caution to play a girl who doesn't suffer from traditionally defined insecurity as much as a guarded tendency to keep her feelings to herself — except when she writes them down. She carries Han's portrayal of Lara Jean as funny and intelligent, both independent and attached to her family. +In a way, Centineo — who emerges as the male lead — has a harder job, because Peter isn't as inherently interesting as Lara Jean. Ultimately, he is The Boy, in the way so many films have The Girl, and it is not his story. But he is what The Boy in these stories must always be: He is transfixed by her, transparently, in just the right way. +There is something so wonderful about the able, loving, unapologetic crafting of a finely tuned genre piece. Perhaps a culinary metaphor will help: Consider the fact that you may have had many chocolate cakes in your life, most made with ingredients that include flour and sugar and butter and eggs, cocoa and vanilla and so forth. They all taste like chocolate cake. Most are not daring; the ones that are often seem like they're missing the point. But they deliver — some better than others, but all with similar aims — on the pleasures and the comforts and the pattern recognition in your brain that says "this is a chocolate cake, and that's something I like." +When crafting a romantic comedy, as when crafting a chocolate cake, the point is to respect and lovingly follow a tradition while bringing your own touches and your own interpretations to bear. Han's characters — via the Sofia Alvarez screenplay and Susan Johnson's direction — flesh out a rom-com that's sparkly and light as a feather, even as it brings along plenty of heart. +And yes, this is an Asian-American story by an Asian-American writer. It's emphatically true, and not reinforced often enough, that not every romantic comedy needs white characters and white actors. Anyone would be lucky to find a relatable figure in Lara Jean; it's even nicer that her family doesn't look like most of the ones on American English-language TV. +The film is precisely what it should be: pleasing and clever, comforting and fun and romantic. Just right for your Friday night, your Saturday afternoon, and many lazy layabout days to come. Copyright 2018 NPR. To see more, visit http://www.npr.org/. KVCR is a service of the San Bernardino Community College District. © 2018 91.9 KVC \ No newline at end of file diff --git a/input/test/Test4597.txt b/input/test/Test4597.txt new file mode 100644 index 0000000..47e13fa --- /dev/null +++ b/input/test/Test4597.txt @@ -0,0 +1,21 @@ +Previously grainy wheat genome comes into focus 17 Aug 2018 News from: The John Innes Centre +The complete sequence of the huge wheat genome is published this week, and the enormous dataset will accelerate innovation in breeding resilient and disease resistant crops to feed a growing global population. +Wheat is the most widely-cultivated crop on Earth. It provides more protein than meat in the human diet, and contributes about a fifth of calories consumed by humans. It also has a large and complex genome with 16 billion base pairs - the building blocks of DNA - which is more than five times larger than the human genome. +But wheat is susceptible to drought and flood, and swathes of the crop are damaged each year by diseases such as wheat rust. The sequencing of its genome paves the way for much faster production of wheat varieties adapted to climate challenges, with higher yields, enhanced nutritional quality and improved sustainability. +Sequencing the genome has long been a huge challenge. As well as its enormity, it has three sub-genomes and a large part of it is composed of repetitive elements. This means that vast parts of the genome are very similar, if not identical, to each other. This has made it difficult, until now, to distinguish each sub-genome and to put together the genome into its correct order. +A paper published in Science by the International Wheat Genome Sequencing Consortium is authored by more than 200 scientists from 73 research institutions in 20 countries including the John Innes Centre in the UK. It details the sequence of the 21 chromosomes, the precise location of 107,891 genes and more than 4 million molecular markers, as well as sequence information between the genes containing the regulatory elements influencing the expression of genes. +A second paper, led by a team at the John Innes Centre, provides annotation and resources to support researchers and breeders in understanding how wheat genes affect traits. This will help develop wheat varieties with greater yields, more resilient against environmental changes and improved resistance to diseases. Dr Cristobal Uauy, Project Leader in crop genetics at the John Innes Centre. Copyright: Andrew Davis, John Innes Centre +In previous work at the John Innes Centre, researchers have also fine-tuned a technique called 'speed breeding' whereby glasshouses are configured to shorten breeding cycles. Combined with the genome resources developed in the two new papers, this is significantly shortening the time to test whether genetic markers really do point to traits such as drought resistance and breeders can get new varieties to market more quickly. +Dr Cristobal Uauy, Project Leader in crop genetics at the John Innes Centre says: "Genomic knowledge of other crops has driven progress in selecting and breeding important traits. Tackling the colossal wheat genome has been a Herculean challenge, but completing this work means we can identify genes controlling traits of interest more rapidly. This will facilitate and make more effective the breeding for traits like drought or disease resistance. Where previously we had a broad view and could spot areas of interest, we can now zoom into the detail on the map." +He adds: "It is anticipated that the world will need 60% more wheat by 2050 to meet global demand. We are in a better position than ever to increase yield, breed plants with higher nutritional quality and create varieties that are adapted to climate changes thanks to the research we and the international community are publishing." +Dr Philippa Borrill, Research Fellow at the John Innes Centre and BBSRC Innovator of the Year 2018 finalist says: "The years of work that went into decoding the wheat genome are just the beginning. These results facilitate further collaboration between scientists, breeders and farmers to locate and identify genes to improve wheat yield in a sustainable and responsible way, to meet the needs of a growing population." +Ricardo Ramirez-Gonzalez, a Scientific Programmer at the John Innes Centre adds: "The genome is really a tool that allows us to address the challenges around food security and environmental change. We believe that we can boost wheat improvement in the next few years in the same way that rice and maize were refined after their sequences were completed." +ENDS About the John Innes Centre +The John Innes Centre (JIC) is an independent, international centre of excellence in plant science and microbiology. +Our mission is to generate knowledge of plants and microbes through innovative research, to train scientists for the future, to apply our knowledge of nature's diversity to benefit agriculture, the environment, human health, and wellbeing, and engage with policy makers and the public. +To achieve these goals we establish pioneering long-term research objectives in plant and microbial science, with a focus on genetics. These objectives include promoting the translation of research through partnerships to develop improved crops and to make new products from microbes and plants for human health and other applications. We also create new approaches, technologies and resources that enable research advances and help industry to make new products. The knowledge, resources and trained researchers we generate help global societies address important challenges including providing sufficient and affordable food, making new products for human health and industrial applications, and developing sustainable bio-based manufacturing. +This provides a fertile environment for training the next generation of plant and microbial scientists, many of whom go on to careers in industry and academia, around the world. +The John Innes Centre is strategically funded by the Biotechnology and Biological Sciences Research Council (BBSRC). The John Innes Centre is also supported by the John Innes Foundation through provision of research accommodation and long-term support of the Rotation PhD programme. About BBSRC +The Biotechnology and Biological Sciences Research Council (BBSRC) is part of UK Research and Innovation, a non-departmental public body funded by a grant-in-aid from the UK government. +BBSRC invests in world-class bioscience research and training on behalf of the UK public. Our aim is to further scientific knowledge, to promote economic growth, wealth and job creation and to improve quality of life in the UK and beyond. +Funded by government, BBSRC invested £498 million in world-class bioscience in 2017-18. We support research and training in universities and strategically funded institutes. BBSRC research and the people we fund are helping society to meet major challenges, including food security, green energy and healthier, longer lives. Our investments underpin important UK economic sectors, such as farming, food, industrial biotechnology and pharmaceuticals \ No newline at end of file diff --git a/input/test/Test4598.txt b/input/test/Test4598.txt new file mode 100644 index 0000000..4bac627 --- /dev/null +++ b/input/test/Test4598.txt @@ -0,0 +1,81 @@ +The dessert bar at 86 Champs, the cafe by Pierre Hermé on the Champs-Elysees in Paris. (Pierre Hermé Paris) By Ceil Miller Bouchet August 17 at 7:00 AM Blame it on the religieuse pastry, two stacked, chocolate cream-filled puffs that sent me to patisserie nirvana the first week of my long-ago junior year in Paris. When you're used to Twinkies, that kind of experience is, indeed, a revelation. After marrying a lemon-tart-loving Frenchman and producing a daughter (vanilla macaron) and son (coffee eclair) who share my passion, I thought I had pretty much covered the gamut of French pastries. +Teatime service at 86 Champs features George Canon teas, flavored milk drinks and pastries such as this mille-feuille cake, assembled in front of you at the dessert bar. (Ceil Miller-Bouchet/For The Washington Post) Until this past April, that is, when on a Sunday afternoon stroll with an old friend down the Rue de Rivoli, near the Louvre, I realized my guilty pleasure had emerged from the shadows and, seemingly, been embraced by le tout Paris. +"C'est la folie" — "It's a madhouse!" — Agnès exclaimed when we noticed a throng of gourmands outside of Cédric Grolet's new pastry boutique. We were just around the corner from Le Meurice, the historic hotel where I once spotted actress Catherine Deneuve in the powder room and where Grolet, 33, is the award-winning head pastry chef at the Michelin two-star restaurant. +"Parisians have gone crazy over patisseries," Agnès continued, "and this place is ground zero. It opened in March." We observed the uniformed doorman admitting customers, one by one, into the narrow, laboratory-like sanctum. There was no display case. Instead, as in a fine jewelry store, the goods were stored on trays under the counter, from whence the white-coated staff produced each order. +"Grolet is famous for his fruit pastries," Agnès said as we peered through the window. "They're astonishing, because they look just like real fruit." She told me she had tried his lemon creation, and that it was "one of the most delicious things" she'd ever tasted. "But you have to arrive early," she warned, as we headed toward the Tuileries Garden, "because when they sell out, they close." +Two days later, I was first in line when the boutique opened at noon. Discreet Edith Piaf melodies serenaded me as I pondered the day's five options, which included two fruit confections (simply called grapefruit and passion fruit), plus three more-traditional choices: a hazelnut tart, a pistachio riff on the donut-shaped, cream-filled Paris-Brest pastry, and an heirloom strawberry tart. Displayed on the snowy marble counter with five-star precision, each pastry was about the size of a softball. The man behind me, a Parisian who said he was on a "top pastry chef" quest, quickly opted for the Paris-Brest, at 10 euros (about $11.50). For the sake of research, I splurged on the grapefruit, at a whopping 17 euros. Price notwithstanding, I had a surreal "this is not a grapefruit" sensation as I watched the precious orb, which looked exactly like a ripe grapefruit, go into a box worthy of the jewelry stores on nearby Place Vendome — or of the latest iPhone. +Inside Cédric Grolet's "Grapefruit" pastry is a gelée with pieces of the actual fruit and preserved peel. (Ceil Miller-Bouchet/For The Washington Post) +The entrance to Grolet's Le Meurice pastry shop. (Ceil Miller-Bouchet/For The Washington Post) That evening, I shared it with Agnès over a glass of rosé (a perfect, if unintentional, pairing). With trepidation, I broke the flawless "peel" with my spoon. A thick layer of white chocolate ganache buttressed the delicate outer shell. Inside, a transparent grapefruit gelée held gemlike nuggets of pink grapefruit and morsels of preserved peel that flowed slowly from the casing, like glowing lava. I dipped in my spoon. Frisky, fresh, intense, chewy and creamy, the vibrant taste and crazy textures sent me to pastry nirvana for the second time in my life. +I was hooked again. But this time I validated my guilty pleasure by joining the millions of followers on Grolet's Instagram feed and becoming the 40,160th person to like a post captioned, "Life is short . . . let's start with dessert." +According to a recent survey, 1 in 3 French people indulge in pastries once a week — it is a French culinary tradition, after all — while 58 percent consider a good meal incomplete without a pastry dessert. "Pastries are kind of irresistible," writes sociologist and trend forecaster Ronan Chastellier, who was hired by the organizers of Paris's inaugural Pastry Show, held in June. The show, attended by more than 25,000 visitors (including me) over three days is just one example of the city's pastry obsession. +Fueled by photogenic pastry chefs on social media and cooking programs such as "Top Chef," the current consumer focus on pastries is unrelenting, according to panelists I heard at the show's roundtable discussions. "Pastries are an affirmation of life, a source of comfort that harks back to childhood, and an accessible pleasure that compensates, probably, for the many little hassles of daily life," said Chastellier, who was one of the panelists. +The éclat at Hotel de Crillon. (Hotel de Crillon) +A mango pastry at Cafe Antonia. (Laurent Fau/Studio des fleurs) Ignited by the encounter with Grolet's grapefruit, my renewed love for these quintessential French treats called for a pastry tour de Paris. With input from French friends, family, bloggers and even famous pastry chefs I met along the way, I made my list and whittled it down to focus on a variety of atmospheres. Whether at five-star hotels where teatime includes inventive pastry menus prepared by celebrity chefs or along a street with an unusual concentration of patisseries or at modest shops thrust into the limelight by bloggers, it was a sweet way to experience perhaps the most elemental aspect of French culture: truly savoring what we eat. +The haute couture of Parisian pastries is found at the historic "palace hotels" (it's an official classification, anointing the crème de la crème of five-star establishments), where ambitious pastry experts, who work alongside the restaurants' executive chefs, are redefining French pastry art for the new generation with gold-flecked and color-swirled designer treats. Teatime, usually from 2:30 to 6 p.m. daily, offers a chance to sample some of the most innovative pastry art in Paris, all while recharging in the rarefied air of these landmarks. +I have a soft spot for Le Bristol's romantic Cafe Antonia (conveniently located for shoppers in the heart of the Right Bank between the Champs-Elysees and the luxury fashion boutiques on Rue du Faubourg Saint-Honore) and the posh Jardin d'Hiver lounge at Hotel de Crillon (Marie Antoinette once took piano lessons in the hotel's historic salon overlooking Place de la Concorde), where pastry chefs Julien Alvarez and Pablo Gicquel, respectively, offer some of the most delicious — and interesting — teatime experiences in town. +For many pastry lovers, though, a trip to Paris is incomplete without a macaron feast. Blame it on Pierre Hermé, father of the macaron renaissance. "When I began, in 1997, I had no idea the macaron would become as Parisian as the Eiffel Tower!" Hermé said, speaking to a standing-room-only crowd at the Pastry Show. His newest venture, 86 Champs, is a mod cafe on the Champs-Elysees featuring an expansive macaron counter at the entrance, where you can choose from dozens of varieties. It also includes a long dessert bar, where I watched a chef assemble my pastry order. Then, I devoured the best mille-feuille cake I have ever tasted, and with the most unusual flavor, too: Hermé's signature "Ispahan" rose, litchi and raspberry combo. +Over the past decade, Hermé has mentored many successful chefs, including Claire Damon, the publicity-shy pastry queen of cult favorite Des Gateaux et du Pain. One afternoon, I met French pastry blogger Xavier Martinage at Damon's boutique on the Rue du Bac, perhaps the tastiest destination on the Left Bank. +Rue du Bac has become a magnet for sweet shops, Martinage said, as we chose our pastries from the sleek display case. Next door, the Patisserie des Reves was among the first to present fancy pastries under glass cloches, in 2009. Up the street, there is an outpost of Angelina, famous for hot chocolate and old-school pastries like the Mont Blanc. (The original is on the Rue de Rivoli.) Around the corner is the stylish Hugo & Victor, featuring pastries with plant-based colorants and natural , organic ingredients. +The lemon tart at Patisserie Nanan is the author's favorite. (Le Pivot Voice and Vibes) +The Saint Honoré cake from Gilles Marchal's namesake shop. (Ceil Miller-Bouchet/For The Washington Post) Although Martinage thinks Claire Damon's lemon tart is among the best, I prefer the version at Patisserie Nanan, a simple shop on a working-class street near Place de la Bastille, with its intense Sicilian lemon curd topped with a swish of lightly toasted meringue. Chef-owners Yukiko Sakka and Sophie Sauvage come from fine-dining backgrounds but wanted to have their own place "in a neighborhood where we could be close to our clients," they said. +I wrapped up my Paris pastry tour on a tip from Gicquel, the Hotel de Crillon pastry chef, with a Saint Honoré cake purchased from the niece of chef Gilles Marchal at his namesake — and homespun — Montmartre shop. "My uncle is usually here in the mornings," she said, when she saw me peering into the tiny baking kitchen, where burnished copper pots hung on the wall. +Across the way, I spotted a worn park bench on Place Emile-Goudeau, next to the studio where Picasso painted "Les Demoiselles d'Avignon" in 1907. Early evening light filtered through the oak leaves and the velvety murmur of French voices rose from the cafe terrace below. I sat, plucked the caramel-glazed chou from atop the pastry and popped it into my mouth. +For the record, the French phrase for guilty pleasure directly translates as "cute sin." Savoring a pastry named after Saint Honoratus — the patron saint of pastry chefs — on the Mount of Martyrs, next to a place that revolutionized the art world? Now that is a sin I can live with. +Bouchet is a writer based in Chicago. Her website is ceilmillerbouchet.com . Follow her on Twitter: @CeilBouchet. +More from Travel : +The best jazz clubs in Paris +Lucky 13: The unsung arrondissement you need to visit in Paris +Can't decide where to stay in Paris? A guide for every type of traveler. +If you go Where to eat 86 Champs +86 Ave. des Champs-Elysees +011-33-1-70-38-77-38 +86champs.com/home +This 10,000-square-foot joint "concept store" (with perfume company L'Occitane en Provence) is open from 8:30 a.m. to 11:30 p.m. daily. Food selections include a macaron takeout counter, restaurant, desert bar, teatime service and cocktails plus a dedicated coffee bar serving more than 16 specialty coffee drinks. Desserts from about $16. Macarons about $3 each. +Angelina +108 Rue du Bac +011-33-1-42-22-63-08 +angelina-paris.fr/en +Generations of pastry lovers have frequented Angelina's, a Parisian classic since 1903. The shop on Rue du Bac offers the same pastries — such as the famous Mont Blanc (about $10.50) — as its original location on Rue de Rivoli. +Des Gateaux et du Pain +89 Rue du Bac +011-33-6-98-95-33-18 +desgateauxetdupain.com +With a boutique that looks like a sleek, contemporary jewelry store and seasonal pastries to match, chef Claire Damon makes pastry-lover cult favorites such as "J'Adore La Fraise" cake ("I Love Strawberry" cake, about $7.40) or a fresh rhubarb cream pastry on an almond cookie base (about $6.85). +Hotel de Crillon +Jardin d'Hiver +10 Place de la Concorde +011-33-1-44-71-15-00 +rosewoodhotels.com/en/hotel-de-crillon/dining/Jardin-d-Hiver +For a three-course pastry extravaganza in the stylish Jardin d'Hiver lounge, try its "teatime of the Dukes" prix fixe menu, which costs about $68 per person. +Hugo & Victor +40 Blvd. Raspail +011-33-1-44-39-97-73 +hugovictor.com +The location, among the Left Bank's sidewalk cafes, is a good spot for people-watching while enjoying a croissant (about $2) or a moist financier cake (about $2.15). If you can resist the attractive array of traditional pastries, that is. +La Patisserie des Reves +93 Rue du Bac +011-33-9-72-60-93-19 +lapatisseriedesreves.com/en +Although some pastry-lovers say quality has declined since the owners opened other locations throughout Paris, this is still one of the most gorgeous shops in Paris for displays. Sweet, individual treats from about $2.38. +Le Bristol Paris +Cafe Antonia +112 Rue du Faubourg Saint-Honore +011-33-1-53-43-43-00 +oetkercollection.com/destinations/le-bristol-paris +At cozy Cafe Antonia, teatime includes signature pastries like creamy mango cheesecake. Classic high tea costs about $68 per person. +Patisserie Gilles Marchal +9 Rue Ravignan +011-33-1-85-34-73-30 +gillesmarchal.com +In his tiny corner shop on a quiet slope of Montmartre, owner Gilles Marchal makes his famous Saint Honoré cakes (about $7.40) and eclairs (about $5.30) every morning in the well-used back kitchen. +Patisserie Nanan +38 Rue Keller +011-33-9-83-41-38-49 +facebook.com/patisserienanan +Just a few blocks from Place de la Bastille, this neighborhood spot is staffed by the owners, who bake the delicious lemon tarts (about $5) and other pastries — including an unusually moist green-tea cake (about $3.40) — on site. +Le Meurice's Pastry Boutique by Cédric Grolet +6 Rue de Castiglione +011-33-1-44-58-10-10 +instagram.com/cedricgrolet +The pastry shop, on Rue de Castiglione, is just around the corner from hotel Le Meurice's entrance on Rue de Rivoli. Pastries from about $5.70 for a "cookie" to $19 for a fruit confection. An alternative to waiting in line at the shop is to book teatime at Le Meurice's lovely restaurant, Le Dali, where Grolet's pastries are always on the menu. Teatime starts at about $68. +C.B \ No newline at end of file diff --git a/input/test/Test4599.txt b/input/test/Test4599.txt new file mode 100644 index 0000000..0718599 --- /dev/null +++ b/input/test/Test4599.txt @@ -0,0 +1,8 @@ + Joseph McCarthy on Aug 17th, 2018 // No Comments +Legal & General Group Plc trimmed its holdings in shares of Luxoft Holding Inc (NYSE:LXFT) by 32.4% in the 1st quarter, according to the company in its most recent 13F filing with the Securities and Exchange Commission. The firm owned 7,300 shares of the software maker's stock after selling 3,500 shares during the period. Legal & General Group Plc's holdings in Luxoft were worth $299,000 at the end of the most recent quarter. +Other hedge funds and other institutional investors have also made changes to their positions in the company. Wells Fargo & Company MN increased its stake in shares of Luxoft by 126.9% in the 4th quarter. Wells Fargo & Company MN now owns 22,231 shares of the software maker's stock valued at $1,239,000 after buying an additional 12,434 shares during the period. Deutsche Bank AG increased its stake in shares of Luxoft by 70.9% in the 4th quarter. Deutsche Bank AG now owns 71,432 shares of the software maker's stock valued at $3,978,000 after buying an additional 29,629 shares during the period. Goldman Sachs Group Inc. increased its stake in shares of Luxoft by 52.7% in the 4th quarter. Goldman Sachs Group Inc. now owns 31,867 shares of the software maker's stock valued at $1,775,000 after buying an additional 11,001 shares during the period. Millennium Management LLC increased its stake in shares of Luxoft by 157.7% in the 4th quarter. Millennium Management LLC now owns 211,321 shares of the software maker's stock valued at $11,771,000 after buying an additional 129,305 shares during the period. Finally, Manning & Napier Group LLC acquired a new stake in shares of Luxoft in the 1st quarter valued at $16,364,000. Institutional investors and hedge funds own 57.24% of the company's stock. Get Luxoft alerts: +Shares of Luxoft stock opened at $40.80 on Friday. Luxoft Holding Inc has a 12 month low of $31.50 and a 12 month high of $59.05. The firm has a market cap of $1.35 billion, a P/E ratio of 19.57 and a beta of 1.57. +Luxoft (NYSE:LXFT) last posted its earnings results on Wednesday, August 15th. The software maker reported $0.43 earnings per share for the quarter, topping the Thomson Reuters' consensus estimate of $0.15 by $0.28. The firm had revenue of $212.79 million for the quarter, compared to analyst estimates of $212.44 million. Luxoft had a return on equity of 16.33% and a net margin of 6.29%. The company's revenue for the quarter was up 1.7% on a year-over-year basis. During the same period in the previous year, the company posted $0.50 earnings per share. analysts anticipate that Luxoft Holding Inc will post 1.62 EPS for the current year. +A number of equities research analysts recently commented on LXFT shares. Zacks Investment Research raised Luxoft from a "strong sell" rating to a "buy" rating and set a $43.00 price objective for the company in a research note on Wednesday, July 25th. Berenberg Bank set a $55.00 price objective on Luxoft and gave the stock a "buy" rating in a research note on Friday, May 25th. Pivotal Research reaffirmed a "hold" rating and set a $35.00 price objective (down from $48.00) on shares of Luxoft in a research note on Friday, May 25th. ValuEngine raised Luxoft from a "sell" rating to a "hold" rating in a research note on Wednesday, May 2nd. Finally, William Blair cut Luxoft from an "outperform" rating to a "market perform" rating in a research note on Thursday, May 24th. Two research analysts have rated the stock with a sell rating, six have assigned a hold rating and five have given a buy rating to the company's stock. Luxoft presently has a consensus rating of "Hold" and an average price target of $50.00. +Luxoft Profile +Luxoft Holding, Inc, together with its subsidiaries, provides software development services and IT solutions to multinational corporations primarily in Europe and the United States. It offers application software development, software architecture design, performance engineering, optimization and testing, process consulting, and software quality assurance services; functional specification and mock-up, product design, engineering, automated testing, maintenance, support, and performance engineering services; and IT strategy, software engineering process, and data security consulting services. Receive News & Ratings for Luxoft Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Luxoft and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test46.txt b/input/test/Test46.txt new file mode 100644 index 0000000..0682d28 --- /dev/null +++ b/input/test/Test46.txt @@ -0,0 +1,15 @@ +Man saved following dramatic triple heart attack Menu Man saved by Yorkshire Air Ambulance following dramatic triple heart attack Graeme Hetherington graemeecho Chief Reporter (Tees Valley) Show caption 0 comments THE dramatic efforts to save the life of a Ripon greengrocer who suffered three heart attacks features in an episode of a documentary following the Yorkshire Air Ambulance. +Monday night's episode of Helicopter ER on UKTV, shows the story of John Simmonds, who has sold fruit and vegetables for more than 40 years from his mobile greengrocers van. +He was loading the van up one morning last October when he suffered a massive heart attack. +"I remember being at the wholesalers and loading the van and then the next thing I was looking up at this lovely nurse and wondering what on earth was happening," said the father-of-three. +Mr Simmonds' heart was shocked back to life twice by a road ambulance crew before Yorkshire Air Ambulance (YAA) paramedics arrived to coordinate the efforts to save the popular tradesman's life. +With Mr Simmonds too unstable to fly, YAA paramedic Matt Syrat went with him in on the road journey to Harrogate Royal Infirmary during which his heart stopped a third time. +YAA serves 5 million people across Yorkshire and carries out more than 1,300 missions every year. +The charity operates two Airbus H145 helicopters and needs to raise £12,000 every day to keep saving lives. +YAA operates two helicopters, G-YAAC and G-YOAA out of RAF Topcliffe, near Thirsk, and patients are transferred to the nearest major trauma centres, flying at speeds of up to 160mph. +Mr Simmonds said: "Everyone was absolutely brilliant and I know I've been very very lucky," said the 67-year-old, who decided to sell the van after having a pacemaker fitted. +He added: "The doctors didn't think it was a good thing for me to continue lifting sacks of fruit and vegetables every day but I could have opened a card shop with all the well wishes I got from people which was really touching. +"You see the Air Ambulance flying overhead quite often and always feel sorry for the person who is so ill to need it, never thinking that one day it would be me." +The father-of-three still provides a gardening and hedge-cutting service but is enjoying spending more time with his family and following his beloved Leeds United. +The dramatic efforts to save Mr Simmonds' life can be seen in Monday's episode of Helicopter ER at 9pm on Really. +The series is made by York-based Air Television who have won two Royal Television Society awards for their work on the programme \ No newline at end of file diff --git a/input/test/Test460.txt b/input/test/Test460.txt new file mode 100644 index 0000000..6bf4df2 --- /dev/null +++ b/input/test/Test460.txt @@ -0,0 +1,22 @@ +High levels of exposure to the insecticide DDT in women seems to more than double the risk of autism in their children, new research suggests. +The study looked for a link between the development of autism and two common environmental chemicals — DDT and PCBs. PCBs are chemicals that were used in many products, especially transformers and electrical equipment. In this study, they weren't linked to autism. +Both DDT and PCBs have been banned in the United States and many other countries for more than three decades. Yet they're still present in soil, groundwater and foods. +"They break down slowly over time. Even though they're not produced any more in the Western world, almost everyone is exposed to some of them," said study author Dr. Alan Brown. He's a professor of epidemiology at Columbia University Medical Center in New York City. +"In our Finnish population-based sample of more than 1 million pregnancies, virtually all of the women had exposure to DDT and PCBs," Brown added. +Autism is a neurodevelopmental disorder that affects social skills and nonverbal communication and also can cause repetitive behaviors. Signs include avoiding eye contact, speech delays, behaviors such as flapping or rocking, and intense reactions to stimulation such as sounds or lights. +The exact cause is unknown, but the disorder is believed to involve both genetic and environmental factors. Some studies have found links between autism and certain toxins. +Because DDT and PCBs are everywhere in the environment in both the United States and Finland, the researchers wanted to see if there was a connection between exposure to them and development of autism. +They were able to match nearly 800 cases of autism in children born from 1987 to 2005 to women in Finland who had provided blood samples. Their blood was tested for PCBs and DDE, a substance formed as DDT breaks down. +"DDE, but not PCBs were related to autism in the offspring, especially autism with intellectual disability," Brown said. +The overall odds of autism were almost one-third higher in children born to moms with elevated DDE levels, the study found. For women with the highest DDE levels, the risk of autism with an intellectual disability was more than double. +But while the study found a link between autism and DDT exposure, it did not prove a cause-and-effect relationship. +Brown said researchers don't know how DDT exposure might lead to autism, though they suspect the chemical may alter the function of certain genes. +He said his group would like to team up with basic science researchers to find out how the chemicals might lead to the increased risk. +Thomas Frazier, chief science officer for the advocacy group Autism Speaks, also suspects that DDT may influence gene function, but exactly how is unclear. +"We don't have enough data to know how that might happen," said Frazier, who wasn't involved with the research. "This is the first study looking at DDT and autism risk in a rigorous way. This is a lead that certain types of environmental processes may interact with biology to increase the risk of autism." +And, he said, while the increased risk wasn't "trivial," this study didn't find a "massive increase" either. +Frazier noted that it was reassuring to see there wasn't an association between PCBs and autism risk, which has been suggested in other studies. He said it's too soon to say there's absolutely no link, though. +"The jury is still out on PCBs and autism," Frazier said. +The study was published in the Aug. 16 issue of the American Journal of Psychiatry . +More information +The U.S. Centers for Disease Control and Prevention's Agency for Toxic Substances and Disease Registry has more about DDT \ No newline at end of file diff --git a/input/test/Test4600.txt b/input/test/Test4600.txt new file mode 100644 index 0000000..b9f1563 --- /dev/null +++ b/input/test/Test4600.txt @@ -0,0 +1,12 @@ +Daniel Arzani watched Celtic take on AEK Athens in the Champions League Winger Daniel Arzani says he was attracted by the opportunity to work with Brendan Rodgers after completing his loan move to Celtic. +The Australia international, 19, has agreed a two-year loan to the Scottish champions from Manchester City. +It follows his transfer from Melbourne City to the Premier League champions earlier this month. +"The idea was put to me to come to Celtic and work with Brendan Rodgers," Arzani told the Celtic website. +"It was something I was very interested in doing, and when it became a reality, I was very excited." Commons questions Celtic signings +The Iran-born winger, who has five caps, became the youngest player to make a World Cup appearance for Australia at this summer's tournament in Russia. +The winger came off the bench in the Socceroos' group matches against France, Denmark and Peru, and joins international colleague Tom Rogic at his new club. +"I gave Tom a call and had a chat with him about the club and everything was positive," Arzani said. +"Basically he said to me that if it wasn't so good, he wouldn't have signed an extension. Apparently, playing in front of the Celtic fans is absolutely amazing and I'm really excited about that." +Several Manchester City players have enjoyed fruitful loan stints with Celtic, including defender Jason Denayer, striker John Guidetti and winger Patrick Roberts. +Belgium defender Dedryck Boyata joined Celtic on a permanent transfer from the Premier League side in 2015, and French midfielder Olivier Ntcham followed last summer. +Arzani becomes Rodgers' fourth summer addition, following goalkeeper Scott Bain, defender Emilio Izaguirre and club-record signing Odsonne Edouard, a striker. Share this pag \ No newline at end of file diff --git a/input/test/Test4601.txt b/input/test/Test4601.txt new file mode 100644 index 0000000..66993e4 --- /dev/null +++ b/input/test/Test4601.txt @@ -0,0 +1,15 @@ +A pension crisis is brewing across the globe and the problem is only getting worse. In America alone, many states do not have enough money to pay benefits promised to government workers. According to a recent report from The Pew Charitable Trusts , the shortfall across U.S. states grew by $295 billion between 2015 and 2016. In total, state pension plans had just $2.6 trillion to cover a cumulative liability of $4 trillion. And the pension crisis is not just affecting America. The UK now has an estimated $4 trillion retirement savings shortfall, which has been projected by experts to rise 4% each year and reach $33 trillion by 2050. Other populous countries like China are also being hit hard, seeing pension expenses rise 11.6% to 2.58 trillion Yuan in 2016. The government was left with a 429.1 billion Yuan expense to cover the shortfall, according to data from the finance ministry. Meanwhile, the World Economic Forum predicts that the pensions deficit will reach $400 trillion by 2050. +Anastasia Andrianova, a former Lehman Brothers private equity investor and Founder and CEO of Akropolis , has w atched the pension crisis unfold firsthand. Not only has Andrianova been involved in the finance industry for years, but her Eastern European roots have allowed her to see what happens during times of economic difficulties. +" When an economic crisis occurs, the first thing that a state will do is tap into pension funds or reserves. Both public and private funds are raided. I've seen this happen firsthand, which was further reinforced by the global financial crisis of 2007. The fast points of attack are typically pension services. Pension payouts are cut first. This affects people the worse," Andrianova told me. +Blockchain Can Fix Broken Pension Sector +Following Andrianova's time working with several pension funds, she started to notice several pain points impacting the pension system. Andrianova recently wrote on Global Banking and Finance Review , +The pensions system is simply no longer functional. Cost inefficiencies are decimating savers' pots, mismanagement is rife, and programs are mired in complexity. Meanwhile, retirements are getting longer and more expensive as life expectancy rises. Individuals who have contributed to funds for decades are stuck in schemes which may not deliver their pensions. Meanwhile, alienated younger generations struggling with soaring rents and property prices aren't saving enough for the future. +According to Andrianova, a lack of transparency is at the heart of the many problems facing current pension systems. One of the main benefits of blockchain technology is its ability to provide increased transparency and efficiency. Taking a firm belief that the current pension system is too far-gone, Andrianova founded her company, Akropolis, last year. +Currently, Akropolis is working on building a protocol to provide a blockchain-based infrastructure to decentralize pensions. The platform aims to gather fund managers, institutional users, individual users and developers under a single ecosystem to provide increased transparency for pension funds. This would also cut out the middlemen that could potentially take value out of pension investments. +"I wanted to come up with a solution that would provide for decentralized custody, an auditable track record that is accessible to relevant stakeholders and a single immutable source of truth. Naturally, this lead us to explore blockchain technology," explained Andrianova. +Furthermore, taking a blockchain based approach to the pension system also means that no single entity is in control of the ledger, ensuring that transparency can be built-in at the protocol level. And once data is inputted it can't be erased, helping with the integrity of pensions. +Yet more importantly, Andrianova also understands that a blockchain-based pensions ecosystem could also utilize smart contracts to ensure exclusive delivery of funds to beneficiaries. This will eliminate the risk of fund seizures and hidden costs. +"We are building a platform that users can trust, where no single party can take their money away. It's as basic as that. I am not sure too many people are aware of this, but even in the U.S. pension fund raids have become a massive issue," Andrianova noted. +Preventing A Pension Crisis? +While Andrianova truly believes that blockchain technology can help solve many of the problems facing today's pension systems, she remains aware that a blockchain-based solution will not inevitably prevent a crisis from occurring. However, she is confident that building a new solution from the ground up will help solve many of the pain points facing pension systems. +The coming pension crisis is so acute – it's inevitable and massive in size. In our case, blockchain is being used to solve a problem needing innate security and a single source of truth. I am not saying blockchain will solve all the future problems, but it is a tool that will help address the current pain points. Decentralized pensions on the blockchain are, without a doubt, the best route to a safer financial future worldwide \ No newline at end of file diff --git a/input/test/Test4602.txt b/input/test/Test4602.txt new file mode 100644 index 0000000..e135530 --- /dev/null +++ b/input/test/Test4602.txt @@ -0,0 +1,9 @@ +By Associated Press August 17 at 6:23 AM NEW DELHI — Rescuers used helicopters and boats on Friday to evacuate thousands of people stranded on their rooftops following unprecedented flooding in the southern Indian state of Kerala that left more than 160 dead. +With heavy rains stopping after a week, rescuers moved quickly to shift those marooned by floods to 1,200 state-run camps where more than 150,000 people already have taken shelter. +Heavy rains over the past eight days triggered flooding, landslides and home and bridge collapses, severely disrupting air and train services in Kerala state, a popular tourist destination with scenic landscapes, waterfalls and beautiful beaches. +State officials have put the death toll at 164 since Aug. 8. +Monsoon rains kill hundreds of people every year in India. The season runs from June to September. +The monsoon flooding has severely hit 12 of Kerala's 14 districts, affecting the lives of more than 200,000 people with hundreds of homes damaged since June. Crops over 32,500 hectares (80,300 acres) of land have also been damaged, the Home Ministry said. +The international airport at Kochi, a major port city, has suspended flight operations until Saturday after the runway was flooded. Authorities also asked tourists to stay away from the popular hill station of Munnar in Idukki district because of flooding. +India's National Emergency Response Center said more than 800 people have lost their lives in seven states since the start of the monsoon season in June. A total of 247 people have died in Kerala, 190 in Uttar Pradesh, 183 people in West Bengal, 139 in Maharashtra, 52 in Gujarat, 45 in Assam and 11 in Nagaland state, the Press Trust of India reported. +Copyright 2018 The Associated Press. All rights reserved. This material may not be published, broadcast, rewritten or redistributed \ No newline at end of file diff --git a/input/test/Test4603.txt b/input/test/Test4603.txt new file mode 100644 index 0000000..3302f5c --- /dev/null +++ b/input/test/Test4603.txt @@ -0,0 +1,35 @@ +People whose names were left out of the National Register of Citizens draft stand in line to collect forms to file appeals in Mayong, India, on Aug. 10. (Anupam Nath/AP) By Vidhi Doshi , Reporter August 17 at 6:03 AM GUWAHATI, India — The list drew lines through villages, divided families and caused chaos in communities. +The Indian state of Assam last month put out a draft of the National Register of Citizens that excluded 4 million people who claimed to be Indian, part of a wider campaign to " detect-delete-deport " as many as 20 million illegal immigrants from Muslim-majority Bangladesh. Last week, many of those excluded in Assam began submitting applications to find out why they were left off the list — the first step in what could be months of limbo and cumbersome legal battles to prove their nationality. +"I cried," said Sumiron Nessa, in her early 20s, who found out last month that both she and her mother were not on the list. She has no birth certificate or document to prove she owns land, only school records, which were rejected without explanation. +"I am a student. I am an Indian," Nessa said. "Why do I have to go through all this to prove it?" +The citizens' register is part of a multipronged effort to remove foreigners from Assam. The state has a long, porous border and has wrestled with illegal immigration for decades. But critics say the list effectively disenfranchises the millions of people who have been excluded, the majority of them Muslim. +[ India's crackdown on illegal immigration could leave 4 million people stateless ] +Indian Home Minister Rajnath Singh has said that Indian citizens left off the list will have opportunities to prove their nationality, but that has not assuaged the fears of minorities, especially Muslims, who feel targeted by the policy. +Villagers of Hathishola, a verdant paddy-growing village about 40 miles from the state's capital, raised the issue one recent Thursday morning to Akram Hussein, the ex-president of the village. +About a third of his mostly Muslim village — 4,886 people — is facing scrutiny for having insufficient proof of Indian nationality. Poring over papers, Hussein tried to identify the flaws in their documents: One man had misspelled his father's name, he pointed out; another had no birth certificate, and so could not prove her connection to her father, raising questions about her ancestry. +Some cases baffled him. A pair of twins who had submitted nearly identical documents were told that one was on the list and the other was not. +Hussein said that the registry was being used to legitimize racist abuse against Bengali-speakers and Muslims, who have become targets of xenophobic abuse. +"We were born in Assam, we practice Assamese culture," he said. "But they call us Bengali. Many people have started speaking only Assamese outside their home for fear of being mocked." +[ Muslims in India's Assam state live in fear of being driven out ] +A draft list of citizens in Assam, released in July, excluded 4 million people who claim to be Indian citizens. (Anupam Nath/AP) Many Indians might lose their rights as citizens because of clerical errors or a lack of documents, said Aman Wadud, a human rights lawyer. It also means that Bangladesh — which is sheltering more than 1 million Rohingya refugees from Myanmar, also known as Burma, on its southern border — could see a new influx of stateless migrants from the north. +India would need Bangladesh's cooperation to deport migrants, and there have been no formal talks between the two countries on the matter. Speaking to television channel News 18, Bangladeshi Minister of Home Affairs Asaduzzaman Khan said the country would consider taking back migrants if their Bangladeshi citizenship could be proven. +"We share a very good relationship with India, and due to this excellent relationship, we believe that India will not push them to Bangladesh in haste," he said. +Efforts to deport Bangladeshis have a decades-long history in Assam. In 1985, India's government signed the Assam Accord, which made all undocumented migrants to the state after 1971 illegal. Over the years, Bengali speakers have faced repeated rounds of xenophobic violence. +"We cannot compromise our identity," said Samujjal Bhattacharjya, chief adviser to the All Assam Students Union, which has been at the forefront of an anti-immigrant campaign in the state. "We cannot feel like second-class citizens here." +A man fills out forms in an National Register of Citizens center in Assam. (EPA-EFE/Shutterstock) [ Asia's minority rights crisis is getting worse ] +Prime Minister Narendra Modi's election in 2014 gave new momentum to the movement to remove foreigners from Assam. Amit Shah, president of the governing Hindu nationalist Bharatiya Janata Party (BJP), labeled the unlisted 4 million "infiltrators." +Since 2015, more than 62,000 government workers waded through 66 million documents from 33 million applicants who claimed Indian citizenship. But establishing a person's citizenship is especially difficult in the poorest parts of India, and the list they produced has been repeatedly criticized. Even relatives of India's former president, according to local media , were unable to show documents to prove ancestry in India. +The government asked for legacy documents that show land ownership, voting records, or residency in India since before 1971. +Those who were born in India after 1971 or who don't have legacy documents were asked to show links to parents or relatives who passed the test for citizenship — and that's where many people, especially women, stumble. Many who sought Hussein's help had proof that their fathers had voted in an election in 1966 but no birth certificates to show that they were their father's daughters. Women are especially vulnerable because land is usually passed down to male heirs and so they don't appear on documents proving ownership or inheritance. +Akram Hussein, former president of the Hathishola village, counsels a man whose name did not appear on the National Register of Citizens. (Vidhi Doshi/The Washington Post) Assam has seen waves of migration from present-day Bangladesh for generations, before India or Bangladesh existed as independent nations. Many Muslim Assamese, whose Bengali language resembles Bangladesh's, claim their ancestors migrated here during World War II under a campaign by British colonial rulers to increase production on farms. +Another wave of migrants was given refuge in India during Bangladesh's war for independence from Pakistan in 1971, in which the army's brutal campaigns raised death tolls to more than 300,000, according to some estimates. +Prateek Hajela, the Supreme Court-mandated coordinator of the National Register of Citizens, said the list did not specifically target Muslims and that many Hindus were also among the unlisted. +"Whosoever has got left out has the opportunity to appeal," he said, adding that the process was not flawed but instead "incomplete." +"Whatever we have done is for the identification of citizens," he said. "It is the result of the anti-immigration issues raised by the people of Assam." +Chandrani Sinha contributed to this report. +Read more +Trump promotes deporting illegal migrants immediately without due process +Maryland brothers deported despite protests +U.S. officials separated him from his child. Then he was deported to el Salvador. +Today's coverage from Post correspondents around the world +Like Washington Post World on Facebook and stay updated on foreign new \ No newline at end of file diff --git a/input/test/Test4604.txt b/input/test/Test4604.txt new file mode 100644 index 0000000..d24a0b3 --- /dev/null +++ b/input/test/Test4604.txt @@ -0,0 +1,11 @@ +Mosquitoes with West Nile found in Marlborough Jeff Malachowski Daily News Staff @JMalachowskiMW Thursday Aug 16, 2018 at 6:13 PM Aug 16, 2018 at 6:13 PM Mosquitoes carrying West Nile virus were discovered on Bigelow Street during routine collections. No residents or animals have tested positive for the virus. +MARLBOROUGH – Mosquitoes carrying West Nile virus were found on Bigelow Street this week during routine collections, but no residents or animals have tested positive for the virus. +Health officials announced the positive test this week. The Central Massachusetts Mosquito Control Project sprayed several areas Wednesday night, including Ahlgren Circle, Bergeron Road, Bigelow Street, Brazeau Circle, Cummings Road, Donohue Drive, Doucette Drive, Duca Drive, Evelina Drive, Houde Street, Jacobs Road, Millham Street, Peltier Street, Reynolds Court, Robin Hill Street, Rogers Avenue, Schofield Drive and Wyman Lane. +The state Department of Public Health lists the Marlborough region as moderate risk for West Nile virus. Mosquitoes have tested positive in Hudson and Northborough. +West Nile is most commonly transmitted to humans through the bite of an infected mosquito. +Health officials advised residents to protect themselves. While the virus can infect people of all ages, those 50 and older are at a higher risk for severe infection. +People can better protect themselves by wearing long sleeves and pants and applying insect repellent with DEET, permethrin, picaridin, IR3535 or oil of lemon eucalyptus, according to a press release Public Health. +State health officials suggest rescheduling outdoor activities that occur during the evening or early-morning hours, which are peak biting times for mosquitoes. +Health leaders recommend draining standing water – such as empty and unused flower pots, wading pools and birdbaths – because mosquitoes lay their eggs in standing water. Installing or repairing door and window screens can prevent mosquitoes from entering a home. +Information about West Nile virus and reports of current and historical West Nile activity in Massachusetts can be found at www.mass.gov/dph/mosquito. +Jeff Malachowski can be reached at 508-490-7466 or jmalachowski@wickedlocal.com. Follow him on Twitter @JmalachowskiMW. Sign up for weekly e-mail \ No newline at end of file diff --git a/input/test/Test4605.txt b/input/test/Test4605.txt new file mode 100644 index 0000000..aa3bacb --- /dev/null +++ b/input/test/Test4605.txt @@ -0,0 +1,10 @@ +The Bermuda International Film Festival [BIFF] is partnering with Savvy Entertainment, saying they wish to "build on the excitement in the lead-up to their next Film Festival." +A spokesperson said, "Summer is sizzling and outdoor theatre is the buzz. The Bermuda International Film Festival [BIFF] is joining the action. BIFF is partnering with Savvy Entertainment to build on the excitement in the lead-up to their next Film Festival. +"Savvy is a full service global entertainment firm, recently having established Savvy Entertainment, LLC in Hamilton, Bermuda in addition to their US Atlanta office and their office in Germany. +"Their goal is to directly link artists with experienced and well known industry professionals. Savvy Entertainment hosted 'Savvy Sessions' in January this year to showcase local talent for music industry professionals. Next is to expand into film. +"Savvy is encouraging collaborations, cross-marketing, public relations, and brand partnerships. Savvy Entertainment has been invited to join the Board of the Bermuda International Film Festival who is supporting local film professional development." +Anthony Blakey, Savvy Entertainment CEO said, "We truly believe that Bermuda has a number of undiscovered talented individuals and are elated to be able to provide a platform for them to showcase their skills." +BIFF said, "BIFF 2019 is looking to be back at City Hall Arts Centre in March 2019 as well as Speciality Theatres Cinema II. The City Halls Arts Centre will be the hub of activity, including the World Cinema films in Earl Cameron Theatre, as well as the morning BIFF Academy school screenings. City Hall Lobby will also be the venue for events and that 'Festival' feeling. 'Partnering with Savvy will provide that vibe throughout the year', according to BIFF. +"Submissions for the Oscar ® Qualifying Bermuda Shorts Competition is launching this week. The winner of the "Bermuda Shorts" is automatically nominated for a Short Film Oscar® Award by the Academy of Motion Pictures without full theatrical release. +"BIFF is expectlng up to 1,000 submissions and is working to encourage the directors/producers to come to Bermuda. Most importantly, BIFF is encouraging local Bermudians to submit their short films for BerMovies as well as the Bermuda Shorts Competition if appropriate. Submissions via FilmFreeway.com will be free to Bermudian professionals. +"BIFF is hosting a kick-off on Tuesday, August 21st from 6:00-8:00pm. We are encouraging film professionals, students, and enthusiast s to be part of the action for BIFF 2019. Give us a heads-up at info@biff.bm or call 293-3456. \ No newline at end of file diff --git a/input/test/Test4606.txt b/input/test/Test4606.txt new file mode 100644 index 0000000..f818b6f --- /dev/null +++ b/input/test/Test4606.txt @@ -0,0 +1 @@ +Press release from: Market Research Future Throat Lozenges Market Throat Lozenges Market Research Report, By Ingredients Types Menthol Throat Lozenges and Non-Menthol Throat Lozenges, By Usage Pharmaceutical Lozenges, Antibacterial Lozenges, Others, By Application Cough And Cold, Throat Soreness, Throat Diseases - Global Forecast Till 2023Global Throat Lozenges Market - SegmentationGlobal throat lozenges market is segmented on the basis of ingredients types into menthol throat lozenges and non-menthol throat lozenges. Menthol throat lozenges is further segmented into eucalyptus oil, mint, peppermint oil and others.Get Premium Sample Copy @ www.marketresearchfuture.com/sample_request/1212 Non-menthol throat lozenges is further segmented into zinc gluconate glycine, pectin and other. On the basis of usage the market is segmented into pharmaceutical lozenges, antibacterial lozenges and others. And on the basis of application the market is segmented into cough and cold, throat soreness, throat diseases and other.Global Throat Lozenges Market - HighlightsThroat lozenges are the medical or non-medical preparation intended for temporary relief from cold and cough. Due to changing lifestyle and increasing smoking has decrease the immune system of the people and make them more susceptible to get affected by virus and bacteria. Pediatric and geriatric population are also more susceptible to get affected by foreign organism.Increasing pediatric and geriatric population, changing lifestyle and increasing need for minimizing the healthcare expenditure are the major driving factor for the market. Whereas short term effect and availability of alternative therapies may hamper the growth of market. Global throat lozenges market is expected to grow at a steady CAGR of 3.5% during forecasted period.Global Throat Lozenges Market - Leading PlayersThe major key player for the global throat lozenges market are Bliss GVS Pharma Ltd (India), GlaxoSmithKline Pharmaceuticals Limited (UK), Thornton & Ross, Pfizer, Inc (US), Procter & Gamble (P&G) (US), united confections(US), August Storck KG (Germany), Roshen Confectionery Corp (Ukrain), Crown Confectionery Co. Ltd. (South Koera), CRM Group (Brazil), United Confections Throat lozenge (UK), Yildiz Holding (Turkey), Ezaki Glico Co., Ltd. (Japan), Perfetti (Italy), Hershey Foods Corp. (US).Avail Stunning Discount @ www.marketresearchfuture.com/check-discount/1212 Global Throat Lozenges Market – Competitive AnalysisGlobal throat lozenges market is highly saturated due to presence of a number of local and multinational companies. Huge number of products are available in the market. Majority of companies are focusing on cost effective medication while some has adopted strategies of acquisitions and strategic alliances for the growth of the market. Currently market throat lozenges are composed of an anesthetic, benzocaine and eucalyptus oil. Various brands are available in the market for throat lozenges that include Lakerol, Pastilles Juanola, Butter-Menthol, Chloraseptic, Strepsils, Vicks, Victory V, Sucrets and many more.Bliss GVS Pharma Ltd. is an Indian pharmaceutical and company headquartered in Mumbai, India. Company primarily manufactures wide category of products. Company is trying to develop their market in other countries and in 2014 they are awarded by the Indian Government for outstanding exports performance for the FY 2012-13. The major product of the company is Fricks which is a herbal variant of lozenges. This products are exported across the different countries and are suitable for adults and children over two years old.Procter & Gamble Co. (P&G) is an American consumer goods corporation headquartered in Cincinnati, US. Company is primarily specializes in a wide range of cleaning agents, personal care and hygienic products. It is one of the leading company for the throat lozenges market. Vicks is one of the major brand of the company.Some Points from TOC of Throat Lozenges Market Research Report - Global Forecast Till 2023:1 INTRODUCTIO \ No newline at end of file diff --git a/input/test/Test4607.txt b/input/test/Test4607.txt new file mode 100644 index 0000000..aa27374 --- /dev/null +++ b/input/test/Test4607.txt @@ -0,0 +1,10 @@ +Companies: #acorn-risc-machines #advanced-risc-machines #arm #intel #samsung #softbank +Cambridge-based low-power computing intellectual property (IP) specialist Arm has broken with tradition and released its first-ever public CPU roadmap for client devices - including the promise that it's chasing Intel in the performance stakes with a view to getting itself back onto the desktop. +A spin-off from sadly defunct British microcomputing specialist Acorn Computers and originally known as Acorn, then Advanced, RISC Machines, the now-SoftBank-owned Arm is best known for providing the graphics and processing intellectual property (IP) behind almost every smartphone and the majority of tablets on the planet. Its processor designs, though, began life on the desktop, first as a co-processor for the Acorn BBC Micro family of computers and then powering the Acorn Archimedes family. +The rise of IBM Compatibles and their standardised x86 processors, however, pushed alternative architectures like Arm out of the desktop and laptop market. Many fell by the wayside, while Arm found a niche in low-power embedded systems before exploding in popularity at the time of the smartphone revolution - a revolution Intel, producer of the majority of x86 parts on the market, completely slept through. +Now Arm is looking to get back where it started, and is gunning for Intel on its rival's home turf: The desktop. In a blog post the company has released its first ever public CPU roadmap, though one which is light on details, promising to follow up its current Cortex-A76 designs on 10nm and 7nm process nodes with a 7nm part dubbed Deimos and a successor dubbed Hercules on 7nm and 5nm nodes. +What is most surprising about Arm's roadmap, aside from being public in the first place, is the aggressive timing: The company has promised to deliver the 7nm Deimos designs to its partners by the end of the year, with a view to mass availability of Deimos-based parts in 2019 and promising a 15 percent increase in computer performance over the Cortex-A76. Hercules will follow, naturally, in 2020, with its own compute performance gains and a ten percent improvement in power and area efficiency even while on the same 7nm node as its predecessor. These are almost certainly the subject of Arm's recent partnership with Samsung on 7nm and 5nm parts running in excess of 3GHz. +Where things get really interesting, though, is in Arm's projected performance figures for a 3GHz Cortex-A76-based system-on-chip design it plans to launch later this year: Arm claims the chip will beat an Intel Core i5-7300U at both 2.6GHz base and 3.5GHz turbo clocks, while drawing a third of the power at an impressive sub-5W thermal design profile (TDP). +In short: Arm is gunning to get back into mainstream computing, initially on low-power devices like laptops and eventually on the desktop. If its projections prove accurate, it could well do so with only one road bump: The majority of desktop and laptop software is written for the x86 instruction set, not Arm. While Microsoft has released a Windows 10 variant for Arm processors, in partnership with Qualcomm, which includes the ability to run x86 binaries through hardware-assisted emulation, it comes with a long list of shortcomings the company is slowly working its way through. +' 2018 was an important first step in expanding the Arm PC ecosystem and showing the world that we're no longer bound to the idea that process technology will only incrementally improve every two years and that a laptop will need charging every few hours, ' Arm's Nandan Nayampally claims. ' The pace of innovation that transformed smartphones into the compute platform of choice is now powering and transforming the larger screen devices. The question now for the broader PC industry is: Are you ready to liberate yourselves from the slowing pace of Moore's law and deliver the mobile productivity experience consumers and businesses will need as we enter the 5G era? ' +Arm's roadmap is available on the company's official website now. Want to comment? Log in \ No newline at end of file diff --git a/input/test/Test4608.txt b/input/test/Test4608.txt new file mode 100644 index 0000000..452b1e7 --- /dev/null +++ b/input/test/Test4608.txt @@ -0,0 +1,12 @@ +It's Paradise Celtic confirm Manchester City teenager Daniel Arzani has joined the club on two-year loan +The 19-year-old arrives with a very good reputation and was the youngest ever player to be named in an Australia World Cup squad By talkSPORT 17th August 2018, 11:41 am Updated: 17th August 2018, 11:47 am Celtic have signed Daniel Arzani on a two-year loan deal from Manchester City , subject to international clearance, the Scottish champions have confirmed. +The 19-year-old joined the Premier League winners from Melbourne City FC on 9 August, but will continue his development in Glasgow. +Arzani became the youngest ever player to be named in an Australia World Cup squad when he travelled to Russia with the Socceroos. 1 Arzani played three times for Australia at the 2018 World Cup +"The idea was put to me to come to Celtic and work with [manager] Brendan Rodgers, and it was something I was very interested in doing, and when it became a reality, I was very excited," Arzani told the club's official website. +"I've had a couple of chats with the manager, more about when I'm coming and when I'll get started, but I'll have more chats with him after I settle into the club. But, for me, it's about coming here, doing the best that I can and helping the club as much as possible." +— Celtic Football Club (@CelticFC) August 17, 2018 +Tom Rogic, his international team-mate, also had a hand in convincing him to join the Hoops. +"I gave Tom a call and had a chat with him about the club and everything was positive," Arzani added. +"Basically he said to me that if it wasn't so good, he wouldn't have signed an extension to stay at Celtic Park. Apparently, playing in front of the Celtic fans is absolutely amazing and I'm really excited about that. +"All of Celtic's home games look absolutely amazing. The scenes at the game are unbelievable, and I love it when the crowd gets behind me. I'm an attacking player. I love to take players on and hopefully I can bring some of that to the team." +Arzani joined Melbourne City in 2016 and at the end of the 2017/18 A-League season was named the league's Young Footballer of the Year award. He also picked up the Harry Kewell medal for the best U23 player in Australia. TRANSFER LATEST 'Paul Pogba is not the problem at Manchester United - Jose Mourinho is' MISSED CHANCE 'Grealish would be a Spurs player if they did their business early' Italian job Liverpool defender set for deadline day move to Serie A ITALY BOUND? Arsenal youngster in line for shock Juventus after Charlton loan tough talk Gerrard demands respect over transfer bid, wants Rangers star to stay PAPER TALK United refuse to sell Pogba, Arsenal striker to Juventus, Spurs players to leave GOOD SPORT John Terry linked with surprising move to top European side SAINT Manchester United and Tottenham beaten to wonderkid signing by Southampton HOPE Alex Sandro could move to Manchester United next summer - reports not over yet Tottenham boss confirms two midfielders could be loaned out DONE DEAL Girona announce Manchester City loan signing in unusual way PAPER TALK talkSPORT host slams Pogba, West Ham rule out big signing, Celtic ace to France? Topic \ No newline at end of file diff --git a/input/test/Test4609.txt b/input/test/Test4609.txt new file mode 100644 index 0000000..83d835a --- /dev/null +++ b/input/test/Test4609.txt @@ -0,0 +1,10 @@ +Tweet +CIBC Private Wealth Group LLC decreased its position in Dominion Energy Inc (NYSE:D) by 16.9% in the second quarter, according to its most recent Form 13F filing with the SEC. The institutional investor owned 19,805 shares of the utilities provider's stock after selling 4,038 shares during the period. CIBC Private Wealth Group LLC's holdings in Dominion Energy were worth $1,351,000 at the end of the most recent quarter. +A number of other institutional investors and hedge funds have also recently added to or reduced their stakes in D. Argent Trust Co raised its stake in shares of Dominion Energy by 27.1% in the fourth quarter. Argent Trust Co now owns 10,782 shares of the utilities provider's stock valued at $874,000 after purchasing an additional 2,297 shares in the last quarter. Verity Asset Management Inc. acquired a new position in shares of Dominion Energy in the first quarter valued at $211,000. Global X Management Co. LLC raised its stake in shares of Dominion Energy by 17.9% in the first quarter. Global X Management Co. LLC now owns 6,090 shares of the utilities provider's stock valued at $411,000 after purchasing an additional 925 shares in the last quarter. HL Financial Services LLC raised its stake in shares of Dominion Energy by 61.0% in the first quarter. HL Financial Services LLC now owns 47,375 shares of the utilities provider's stock valued at $3,195,000 after purchasing an additional 17,953 shares in the last quarter. Finally, Outfitter Advisors LTD. raised its stake in shares of Dominion Energy by 4.6% in the first quarter. Outfitter Advisors LTD. now owns 91,220 shares of the utilities provider's stock valued at $6,151,000 after purchasing an additional 3,980 shares in the last quarter. 67.48% of the stock is owned by institutional investors. Get Dominion Energy alerts: +Dominion Energy stock opened at $71.13 on Friday. The company has a debt-to-equity ratio of 1.60, a current ratio of 0.52 and a quick ratio of 0.36. Dominion Energy Inc has a 52-week low of $61.53 and a 52-week high of $85.30. The firm has a market cap of $46.21 billion, a price-to-earnings ratio of 19.76, a P/E/G ratio of 2.84 and a beta of 0.28. Dominion Energy (NYSE:D) last released its quarterly earnings data on Wednesday, August 1st. The utilities provider reported $0.86 earnings per share (EPS) for the quarter, topping the consensus estimate of $0.79 by $0.07. Dominion Energy had a return on equity of 13.13% and a net margin of 23.69%. The firm had revenue of $3.09 billion during the quarter, compared to analyst estimates of $3.04 billion. During the same period in the prior year, the company posted $0.67 earnings per share. The business's revenue for the quarter was up 9.8% compared to the same quarter last year. equities analysts anticipate that Dominion Energy Inc will post 4.13 EPS for the current fiscal year. +The firm also recently announced a quarterly dividend, which will be paid on Thursday, September 20th. Stockholders of record on Friday, September 7th will be issued a dividend of $0.835 per share. This represents a $3.34 annualized dividend and a dividend yield of 4.70%. The ex-dividend date of this dividend is Thursday, September 6th. Dominion Energy's payout ratio is presently 92.78%. +D has been the subject of several recent analyst reports. ValuEngine lowered Dominion Energy from a "sell" rating to a "strong sell" rating in a research note on Tuesday, May 22nd. Zacks Investment Research lowered Dominion Energy from a "buy" rating to a "hold" rating in a research note on Friday, July 20th. Howard Weil initiated coverage on Dominion Energy in a research note on Tuesday, July 24th. They set a "sector perform" rating for the company. JPMorgan Chase & Co. dropped their price objective on Dominion Energy from $67.00 to $62.00 and set a "hold" rating for the company in a research note on Thursday, June 7th. Finally, Scotiabank initiated coverage on Dominion Energy in a research note on Tuesday, July 24th. They set a "hold" rating and a $167.00 price objective for the company. One research analyst has rated the stock with a sell rating, fourteen have given a hold rating and two have issued a buy rating to the company. Dominion Energy has a consensus rating of "Hold" and an average price target of $83.50. +About Dominion Energy +Dominion Energy, Inc produces and transports energy in the United States. The company's Power Delivery segment engages in the regulated electric transmission and distribution operations that serve residential, commercial, industrial, and governmental customers in Virginia and North Carolina. Its Power Generation segment is involved in the electricity generation activities through gas, coal, nuclear, oil, renewables, biomass, hydro, solar, and power purchase agreements; and related energy supply operations. +Featured Article: Asset Allocation, Balancing Your Investments +Want to see what other hedge funds are holding D? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Dominion Energy Inc (NYSE:D). Receive News & Ratings for Dominion Energy Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Dominion Energy and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test461.txt b/input/test/Test461.txt new file mode 100644 index 0000000..ba0190b --- /dev/null +++ b/input/test/Test461.txt @@ -0,0 +1,9 @@ +Tweet +Shares of Rollins, Inc. (NYSE:ROL) have been given an average recommendation of "Hold" by the seven brokerages that are currently covering the firm, MarketBeat Ratings reports. One investment analyst has rated the stock with a sell recommendation, three have assigned a hold recommendation and three have issued a buy recommendation on the company. The average 12 month price objective among analysts that have issued a report on the stock in the last year is $55.00. +ROL has been the subject of several recent analyst reports. Stifel Nicolaus restated a "hold" rating and issued a $55.00 target price (up from $50.00) on shares of Rollins in a research note on Sunday, August 12th. Zacks Investment Research downgraded shares of Rollins from a "hold" rating to a "sell" rating in a research note on Wednesday, August 1st. Sidoti initiated coverage on shares of Rollins in a research note on Wednesday, June 27th. They issued a "buy" rating for the company. Nomura raised their target price on shares of Rollins from $55.00 to $60.00 and gave the company a "buy" rating in a research note on Monday, June 4th. Finally, Buckingham Research initiated coverage on shares of Rollins in a research note on Wednesday, May 9th. They issued a "neutral" rating and a $50.00 target price for the company. Get Rollins alerts: +Several hedge funds and other institutional investors have recently bought and sold shares of ROL. Jane Street Group LLC purchased a new position in shares of Rollins in the fourth quarter worth $223,000. Wells Fargo & Company MN raised its holdings in shares of Rollins by 22.2% during the first quarter. Wells Fargo & Company MN now owns 228,299 shares of the business services provider's stock worth $11,649,000 after purchasing an additional 41,527 shares during the last quarter. Comerica Bank raised its holdings in shares of Rollins by 2.1% during the first quarter. Comerica Bank now owns 87,768 shares of the business services provider's stock worth $4,638,000 after purchasing an additional 1,792 shares during the last quarter. Whittier Trust Co. of Nevada Inc. purchased a new position in shares of Rollins during the first quarter worth $107,000. Finally, DekaBank Deutsche Girozentrale raised its holdings in shares of Rollins by 199.4% during the first quarter. DekaBank Deutsche Girozentrale now owns 22,868 shares of the business services provider's stock worth $1,183,000 after purchasing an additional 15,230 shares during the last quarter. 38.08% of the stock is owned by institutional investors and hedge funds. Shares of NYSE ROL opened at $57.17 on Friday. The stock has a market cap of $12.27 billion, a PE ratio of 65.71 and a beta of 0.29. Rollins has a 12-month low of $42.82 and a 12-month high of $57.35. +Rollins (NYSE:ROL) last posted its quarterly earnings data on Wednesday, July 25th. The business services provider reported $0.30 earnings per share for the quarter, missing the Zacks' consensus estimate of $0.31 by ($0.01). The firm had revenue of $480.46 million during the quarter, compared to analysts' expectations of $470.15 million. Rollins had a return on equity of 31.66% and a net margin of 11.36%. The business's revenue for the quarter was up 10.8% compared to the same quarter last year. During the same period last year, the company earned $0.25 earnings per share. sell-side analysts anticipate that Rollins will post 1.09 earnings per share for the current fiscal year. +The business also recently declared a quarterly dividend, which will be paid on Monday, September 10th. Shareholders of record on Friday, August 10th will be issued a $0.14 dividend. The ex-dividend date of this dividend is Thursday, August 9th. This represents a $0.56 dividend on an annualized basis and a dividend yield of 0.98%. Rollins's dividend payout ratio is currently 64.37%. +About Rollins +Rollins, Inc, through its subsidiaries, provides pest and termite control services to residential and commercial customers. It offers protection against termite damage, rodents, and insects to homes and businesses, including hotels, food service establishments, food manufacturers, retailers, and transportation companies. +Further Reading: Penny Stocks Receive News & Ratings for Rollins Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Rollins and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4610.txt b/input/test/Test4610.txt new file mode 100644 index 0000000..9e480d5 --- /dev/null +++ b/input/test/Test4610.txt @@ -0,0 +1 @@ +16.08.2018 - 11h40 Ten FIA World Champions competing at 6 Hours of Silverstone Round 3 of the 2018/19 FIA World Endurance Championship will be held at the home of British motor sport, Silverstone, and there are no fewer than 10 world champions on the entry list. Round 3 of the 2018/19 FIA World Endurance Championship will be held at the home of British motor sport, Silverstone. The grid for the 6 Hours of Silverstone on Sunday 19 August will boast no less than ten past or reigning FIA World Champions from three different disciplines. All eyes of the British fans will be on 2009 F1 World Champion Jenson Button as he competes in his second endurance race for the SMP Racing team in the LMP1 category. The 38-year-old didn't finish the 24 Hours of Le Mans in June when the BR Engineering BR1-AER retired late in the race, so Button will be hoping for better luck in front of his home fans. Double F1 title holder Fernando Alonso travels to Silverstone as a 24 Hours of Le Mans race winner after he and fellow Toyota drivers Sebastien Buemi and Kazuki Nakajima crossed the finish line to secure a famous win. The trio also took victory at Spa-Francorchamps in May to travel to Silverstone will maximum points from the first two races and a healthy 20 point lead in the championship. There are two multiple World Touring Car Champions with Jose Maria Lopez competing in the no7 Toyota Gazoo Racing TS050 alongside Britain's Mike Conway and Japan's Kamui Kobayashi. Andy Priaulx will be racing alongside fellow Brit Harry Tincknell in the Ford GT run by UK based Ford Chip Ganassi Team UK in the LMGTE Pro category. There are four former FIA World Endurance Drivers' Champions with Andre Lotterer (2012) racing in the no1 Rebellion Racing, Sebastien Buemi (2014) the current championship leader in the no8 Toyota Gazoo Racing TS050, Loic Duval (2013) racing the no23 TDS Racing Oreca 07-Gibson in the LMP2 category and Anthony Davidson (2014) who returns to the WEC in the no31 Oreca-Gibson, also in the LMP2 class. Reigning FIA World Endurance GT Champions James Calado and Alessandro Pier Guidi will also be on the grid for the 6 Hours of Silverstone in their AF Corse run Ferrari F488 GTE EVO competing for the Italian manufacturer against entries from Aston Martin, BMW, Ford and Porsche. The grid for the 6 Hours of Silverstone will feature 34 cars and 91 drivers, representing 28 different nations across the four classes. CLICK HERE for the entry list for the 6 Hours of Silverstone Sam SMIT \ No newline at end of file diff --git a/input/test/Test4611.txt b/input/test/Test4611.txt new file mode 100644 index 0000000..39b3bfc --- /dev/null +++ b/input/test/Test4611.txt @@ -0,0 +1,19 @@ +DOCTORS have issued a plea over the potentially "catastrophic" impact of a no-deal Brexit on healthcare, warning that it could lead to delays in cancer diagnosis and disrupt treatment for patients with rare diseases. +Dr Peter Bennie, leader of the British Medical Association (BMA) in Scotland , said medics were "increasingly alarmed" by the failure to agree terms of the UK's departure from the European Union with fewer than eight months until the March 2019 deadline. +Read more: Pressure on Nicola Sturgeon as Scots voters demand say on Brexit deal A report by the BMA said the "worst-case scenario" of a no-deal Brexit would pose "significant ramifications on timely access to new medicines and medical devices" and lead to delays in diagnosis and cancelled operations for cancer patients because the UK would have to source important radioisotopes from outside of EURATOM, the region's nuclear safety and research watchdog. +Meanwhile, it warns the UK would be excluded from the European Rare Disease Network, with implications for around 100,000 Scots living with a rare disease. +The network brings together patients and specialists from 25 EU countries, plus Norway, across 300 hospitals - including 40 NHS facilities - so that individuals in the UK with rare conditions such as bone disorders or childhood cancers can be reviewed by the leading experts in the field, without leaving their home environment. +Read more: Business chiefs urge scrapping of immigration reduction targets after Brexit The report also highlights the risks of fewer doctors and other medical staff "at a time when there are already huge shortages of these roles" due to uncertainty over future immigration status and the mutual recognition of medical qualifications across the EU. +One in 10 UK doctors gained their primary medical qualification in an EEA (European Economic Area) country, and the implications are particularly stark for Northern Ireland where clinicians can move freely to and from the Republic to the south. +A hard border would run the "very real risk" that medical students from Northern Ireland who opted to study and train in the Republic of Ireland "would have would have significant difficulty in returning home to practice medicine in Northern Ireland", while cross-border medical services such as primary care, cancer services and paediatric cardiac surgery - part-funded by the EU - would be under threat. +Read more: Iain McWhirter - 'No deal Brexit would mean no more UK' Dr Peter Bennie, chair of BMA Scotland said: "Doctors are increasingly alarmed by the ongoing failure to secure the kind of deal which will work to the benefit of patients, the medical workforce and health services in Scotland, across the UK and Europe. +"This new paper on a no-deal Brexit describes the consequences of such a scenario as 'catastrophic'. This isn't a warning we make lightly. +"For example, without a deal we risk losing quick and effective access to medical radioisotopes, that are vital for diagnosing particular diseases through nuclear medicine imaging techniques, treatment of cancer through radiotherapy, as well as palliative relief of pain. +"They cannot be stockpiled like other medicines. +"With the delays and uncertainty this may cause to such vital treatment, it is not hard to see why a no-deal Brexit is such a concern." +It comes after warnings from the leader of Scotland's radiologists this week that the service is on "red alert" over a shortage the specialists responsible for reading MRI and CT scans to diagnose cancer. +NHS Highland has also asked local residents to "spread the word" about recruitment opportunities at Belford Hospital in Fort William as they struggle to fill vacancies for a physician and three surgeons. +The report said an end to reciprocal healthcare agreements between the UK and EU would impact on 190,000 UK state pensioners living on the continent who are currently signed up to the S1 scheme, which entitles them to ongoing access to health and social care services. +It adds: "In a worst-case scenario, should the 190,000 UK state pensioners currently signed up to the S1 scheme and living within the EU return to the UK in order to receive care, the additional cost to health services is estimated to be between £500 million and £1 billion per year. +"There would be a requirement for an additional 900 hospital beds, and 1,600 nurses to meet demand." +The BMA has already called for the public to be given a final vote on the Brexit deal and has urged the UK Government to avoid a no-deal scenario \ No newline at end of file diff --git a/input/test/Test4612.txt b/input/test/Test4612.txt new file mode 100644 index 0000000..27f8777 --- /dev/null +++ b/input/test/Test4612.txt @@ -0,0 +1,12 @@ +By Linda Holmes • 27 minutes ago L to R: Anna Cathcart, Janel Parrish, and Lana Condor play Kitty, Margot, and Lara Jean Covey in To All the Boys I've Loved Before . Netflix +Well, it's safe to say Netflix giveth and Netflix taketh away. +Only a week after the Grand Takething that was Insatiable , the streamer brings along To All The Boys I've Loved Before , a fizzy and endlessly charming adaptation of Jenny Han's YA romantic comedy novel. +In the film, we meet Lara Jean Covey (Lana Condor), who's in high school and is the middle sister in a tight group of three: There's also Margot, who's about to go to college abroad, and Kitty, a precocious (but not too precocious) tween. Unlike so many teen-girl protagonists who war with their sisters or don't understand them or barely tolerate them until the closing moments where a bond emerges, Lara Jean considers her sisters to be her closest confidantes — her closest allies. They live with their dad (John Corbett); their mom, who was Korean, died years ago, when Kitty was very little. +Lara Jean has long pined for the boy next door, Josh (Israel Broussard), who is Margot's boyfriend, and ... you know what? This is where it becomes a very well-done execution of romantic comedy tricks, and there's no point in giving away the whole game. Suffice it to say that a small box of love letters Lara Jean has written to boys she had crushes on manages to make it out into the world — not just her letter to Josh, but her letter to her ex-best-friend's boyfriend Peter (Noah Centineo), her letter to a boy she knew at model U.N., her letter to a boy from camp, and her letter to a boy who was kind to her at a dance once. +This kind of mishap only happens in romantic comedies (including those written by Shakespeare), as do stories where people pretend to date — which, spoiler alert, also happens in Lara Jean's journey. But there's a reason those things endure, and that's because when they're done well, they're as appealing as a solid murder mystery or a rousing action movie. +So much of the well-tempered rom-com comes down to casting, and Condor is a very, very good lead. She has just the right balance of surety and caution to play a girl who doesn't suffer from traditionally defined insecurity as much as a guarded tendency to keep her feelings to herself — except when she writes them down. She carries Han's portrayal of Lara Jean as funny and intelligent, both independent and attached to her family. +In a way, Centineo — who emerges as the male lead — has a harder job, because Peter isn't as inherently interesting as Lara Jean. Ultimately, he is The Boy, in the way so many films have The Girl, and it is not his story. But he is what The Boy in these stories must always be: He is transfixed by her, transparently, in just the right way. +There is something so wonderful about the able, loving, unapologetic crafting of a finely tuned genre piece. Perhaps a culinary metaphor will help: Consider the fact that you may have had many chocolate cakes in your life, most made with ingredients that include flour and sugar and butter and eggs, cocoa and vanilla and so forth. They all taste like chocolate cake. Most are not daring; the ones that are often seem like they're missing the point. But they deliver — some better than others, but all with similar aims — on the pleasures and the comforts and the pattern recognition in your brain that says "this is a chocolate cake, and that's something I like." +When crafting a romantic comedy, as when crafting a chocolate cake, the point is to respect and lovingly follow a tradition while bringing your own touches and your own interpretations to bear. Han's characters — via the Sofia Alvarez screenplay and Susan Johnson's direction — flesh out a rom-com that's sparkly and light as a feather, even as it brings along plenty of heart. +And yes, this is an Asian-American story by an Asian-American writer. It's emphatically true, and not reinforced often enough, that not every romantic comedy needs white characters and white actors. Anyone would be lucky to find a relatable figure in Lara Jean; it's even nicer that her family doesn't look like most of the ones on American English-language TV. +The film is precisely what it should be: pleasing and clever, comforting and fun and romantic. Just right for your Friday night, your Saturday afternoon, and many lazy layabout days to come. Copyright 2018 NPR. To see more, visit http://www.npr.org/. In Association wit \ No newline at end of file diff --git a/input/test/Test4613.txt b/input/test/Test4613.txt new file mode 100644 index 0000000..34b997e --- /dev/null +++ b/input/test/Test4613.txt @@ -0,0 +1,2 @@ +Indiadell Support Services and Operations (Bangalore, India, 06:01 06:01 Expires On : Thursday, 15 November, 2018 05:01 Reply to : (Use contact form below) +Indiadell Support offers consulting and information technology (IT) services worldwide. The company operates in three segments: IT services, Business Process Outsourcing (BPO), and Software Products. The IT Services segment provides a range of services, including software development, packaged software integration, system maintenance, and engineering design services. Its BPO segment provides services covering human resource, finance and accounting, customer contact, and transaction processing.Posted ID-mayb978 It is ok to contact this poster with commercial interests \ No newline at end of file diff --git a/input/test/Test4614.txt b/input/test/Test4614.txt new file mode 100644 index 0000000..742ffbe --- /dev/null +++ b/input/test/Test4614.txt @@ -0,0 +1,14 @@ +$3.37 12.43 +Continental has higher revenue and earnings than Tower International. Tower International is trading at a lower price-to-earnings ratio than Continental, indicating that it is currently the more affordable of the two stocks. +Dividends +Tower International pays an annual dividend of $0.48 per share and has a dividend yield of 1.5%. Continental pays an annual dividend of $0.77 per share and has a dividend yield of 1.8%. Tower International pays out 12.8% of its earnings in the form of a dividend. Continental pays out 22.8% of its earnings in the form of a dividend. Both companies have healthy payout ratios and should be able to cover their dividend payments with earnings for the next several years. Tower International has increased its dividend for 2 consecutive years. +Institutional and Insider Ownership +89.2% of Tower International shares are held by institutional investors. Comparatively, 0.1% of Continental shares are held by institutional investors. 6.1% of Tower International shares are held by insiders. Strong institutional ownership is an indication that large money managers, endowments and hedge funds believe a stock is poised for long-term growth. +Volatility and Risk +Tower International has a beta of 2.27, meaning that its stock price is 127% more volatile than the S&P 500. Comparatively, Continental has a beta of 1.44, meaning that its stock price is 44% more volatile than the S&P 500. +Summary +Continental beats Tower International on 9 of the 17 factors compared between the two stocks. +Tower International Company Profile +Tower International, Inc. manufactures and sells engineered automotive structural metal components and assemblies primarily for original equipment manufacturers. It operates in two segments, North America and Europe. The company provides body structures and assemblies, including structural metal components, which comprise body pillars, roof rails, and side sills; and Class A surfaces and assemblies that consist of body sides, hoods, doors, fenders, and pickup truck boxes. It also offers lower vehicle frames and structures, such as pickup truck and sport utility vehicle (SUV) full frames, automotive engine and rear suspension cradles, floor pan components, and cross members. In addition, the company offers complex body-in-white assemblies comprising various components and sub-assemblies. Its products have applications in small and large cars, crossovers, pickups, and SUVs. The company was formerly known as Tower Automotive, LLC and changed its name to Tower International, Inc. in October 2010. Tower International, Inc. was founded in 1993 and is headquartered in Livonia, Michigan. +Continental Company Profile +Continental Aktiengesellschaft provides products and services primarily for the automotive industry worldwide. It operates through Chassis&Safety, Powertrain, Interior, Tires, and ContiTech segments. The Chassis&Safety segment develops, produces, and markets intelligent systems to enhance driving safety and vehicle dynamics. This segment offers advanced driver assistance systems, hydraulic brake systems, passive safety and sensoric products, and vehicle dynamics products. The Powertrain segment provides engine systems, fuel and exhaust management systems, hybrid electric vehicles, sensors and actuators, and transmission products. The Interior segment develops and produces information, communication, and network solutions for cars and commercial vehicles, such as body and security, commercial vehicle and aftermarket, infotainment and connectivity, instrumentation and driver HMI, and intelligent transportation systems. The Tires segment provides passenger and light truck equipment, commercial vehicle, and two-wheel tires for use in vehicle manufacture and replacement businesses. The ContiTech segment develops, manufactures, and markets functional parts, and intelligent components and systems made of rubber, plastic, metal, and fabric for the machine and plant engineering, mining, agriculture, automotive, and other industries. This segment provides air spring systems, industrial fluid solutions, mobile fluid systems, and vibration control products, as well as conveyor belts and power transmission products. It also offers design, functional, foam, and compact foils, as well as artificial leather for the furniture and construction industries, as well as automotive sector. The company also provides engineering, business consulting, and fleet services. Continental Aktiengesellschaft was founded in 1871 and is headquartered in Hanover, Germany. Receive News & Ratings for Tower International Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Tower International and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4615.txt b/input/test/Test4615.txt new file mode 100644 index 0000000..b64f6ad --- /dev/null +++ b/input/test/Test4615.txt @@ -0,0 +1,4 @@ +CalBank signs USD 105 million credit facilities with Proparco, IFC , Norfund and Finnfund to support the private sector in Ghana . +Accra, Ghana , 17th August 2018. PRESS RELEASE +CAL Bank Limited has signed a US$ 30 million senior loan Credit Agreement with +PROPARCO , the French government development financ \ No newline at end of file diff --git a/input/test/Test4616.txt b/input/test/Test4616.txt new file mode 100644 index 0000000..9e8bab2 --- /dev/null +++ b/input/test/Test4616.txt @@ -0,0 +1 @@ +Reblog By Stephen Nellis (Reuters) - Nvidia Corp (NVDA.O) dominates chips for training computers to think like humans, but it faces an entrenched competitor in a major avenue for expansion in the artificial intelligence chip market: Intel Corp (INTC.O). Nvidia chips dominate the AI training chip market, where huge amounts of data help algorithms "learn" a task such how to recognize a human voice, but one of the biggest growth areas in the field will be deploying computers that implement the "learned" tasks. Intel dominates data centers where such tasks are likely to be carried out. "For the next 18 to 24 months, it's very hard to envision anyone challenging Nvidia on training," said Jon Bathgate, analyst and tech sector co-lead at Janus Henderson Investors. But Intel processors already are widely used for taking a trained artificial intelligence algorithm and putting it to use, for example by scanning incoming audio and translating that into text-based requests, what is called "inference." Intel's chips can still work just fine there, especially when paired with huge amounts of memory, said Bruno Fernandez-Ruiz, chief technology officer of Nexar Inc, an Israeli startup using smartphone cameras to try to prevent car collisions. That market could be bigger than the training market, said Abhinav Davuluri, an analyst at Morningstar, who sees an inference market of $11.8 billion by 2021, versus $8.2 billion for training. Intel estimates that the current market for AI chips is about $2.5 billion, evenly split between inference and training. Nvidia, which posted an 89 percent rise in profit Thursday, hasn't given a specific estimate for the inference chip market but CEO Jensen Huang said on an earnings call with analysts on Thursday that believes it "is going to be a very large market for us." Nvidia sales of inference chips are rising. In May, the company said it had doubled its shipments of them year-over-year to big data center customers, though it didn't give a baseline. Earlier this month, Alphabet Inc's (GOOGL.O) Google Cloud unit said it had adopted Nvidia's inference chips and would rent them out to customers. But Nvidia faces a headwind selling inference chips because the data center market is blanketed with the CPUs Intel has been selling for 20 years. Intel is working to persuade customers that for both technical and business reasons, they should stick with what they have. Take Taboola, a New York-based company that helps web publishers recommend related content to readers and that Intel has touted as an example of how its chips remain competitive. The company uses Nvidia's training chips to teach its algorithm to learn what to recommend and considered Nvidia's inference chips to make the recommendations. Speed matters because users leave slow-loading pages. But Taboola ended up sticking with Intel for reasons of speed and cost, said Ariel Pisetzky, the company's vice president of information technology. Nvidia's chip was far faster, but time spent shuffling data back and forth to the chip negated the gains, Pisetzky said. Second, Intel dispatched engineers to help Taboola tweak its computer code so that the same servers could handle more than twice as many requests. "My options were, you already have the servers. They're in the racks," he said. "Working with Intel, I can now cut back my new server purchases by a factor of two because I can use my existing servers two times better." Nvidia has been working to solve those challenges. The company has rolled out software this year to make its inference chips far faster to help overcome the issue of moving data back and forth. And it announced a new family of chips based on a technology called Turing earlier this week that it says will be 10 times faster still, Huang said on the analyst call Thursday. "We are actively working with just about every single Internet service provider in the world to incorporate inference acceleration into their stack," Huang said. He gave the example that "voice recognition is only useful if it responds in a relatively short period of time. And our platform is just really, really excellent for that." (Reporting by Stephen Nellis; Editing by Peter Henderson and Lisa Shumaker \ No newline at end of file diff --git a/input/test/Test4617.txt b/input/test/Test4617.txt new file mode 100644 index 0000000..1ac01f7 --- /dev/null +++ b/input/test/Test4617.txt @@ -0,0 +1,19 @@ +Telegram - Advertisement - +No one would disagree that having a good sleep is vital in maintaining a good health. In fact, there had been a lot of studies conducted that support such a claim. Twenty four hours of sleep deprivation caused healthy people to have hallucinations and other schizophrenia-like symptoms according to The Journal of the Neuroscience. +However, sleep remains a mystery for all of us. Scientists find it difficult to isolate and study sleep. Why do we sleep? What is the organ that is greatly affected by this activity? Why do we sleep? +There are neural networks that promote wakefulness and neural networks that promote sleep claims the sleep expert Nick Oscroft. "To demonstrate, there are certain antihistamines that can make you sleepy. They blocked the histamine in the brain and that makes you sleepy." Histamine is one of the alerting systems within the brain, and there is this switch that causes you to get drowsy when the alerting systems and the systems promoting sleep inhibit each other. This shows that the brain plays a big role in one of our body's important activity – sleeping. +Marcos Frank, a neuroscientist at the University of Washington said that sleep does appear to be largely a brain-focused phenomenon. Although sleep deprivation also affects the immune system and alters hormone levels in the body, its most consistent impacts on animals are in the brain. To explain further, listed below are 7 functions of the brain that get impaired when sleep-deprived. Sleep Deprivation and Mental Lapses +There is a limited scientific understanding of how sleep loss affects brain function. Research conducted by the scientist at SRI and the Alen Institute for Brain Science discovered that sleep deprivation has effects on the gene expressions of the brain. They found a "molecular anatomical signature" that involves many regions in the forebrain, including the neocortex, amygdala, and hippocampus. These regions mediate cognitive, emotional and memory functions that are impaired by sleep deprivation. Hence, cognitive functions are greatly affected. +This is supported by another study conducted by Dr. Itzhak Fried in which they found that sleep deprivation could lead to cognitive lapses. They implanted electrodes in the brain of 12 patients to record the brain activity. Researchers asked them several times over the course of the night to identify images as fast as they could. This was performed over 24 different occasions. They observed that their ability to name a picture quickly slowed as the night wore on and patients get drowsier. This is also being observed in the slowed neural activity recorded by the researchers. +When the brain is sleep-deprived, information isn't encoded by neurons as it should be. Sleep deprivation causes mental lapses. Sleep and Brain's Plasticity +Sleep deprivation is also linked to the brain's memory and learning ability. This is referred to as plasticity. The research found out that the brain is using sleep to adjust to learning new things. In an experiment, researchers put a patch on the animal's one eye. The brain circuits associated with delivering visual information from that eye weakened within hours. However, REM sleep strengthened the circuits involving the other eye. This suggests that the brain is using sleep to adjust to changing inputs. Sleep Deprivation and Mood Swings +Sleep deprivation could also lead to concentration capacity and extreme mood swings . In 2004, a reality television program called 'Shattered' was broadcast on Channel 4 in the United Kingdom. In the show, a number of contestants struggled to stay awake for as long as possible. They remained awake for days on end. In fact, the winner managed to stay awake for 178 hours. However, this results for the contestants to behave in an erratic fashion, hallucination and even having delusional thoughts. Surprisingly, these changes in their behavior disappeared after having one or two good night' sleeps. Sleep and Brain's Ability to Clear out Toxins +The brain is a huge consumer of energy. This could also mean that it also produces much waste. Scientist discovered that brains clear out toxins much more rapidly when we're asleep than when we're awake. Lymphatic system was the term coined by Michael Thorpy to explain this brain's activity. According to him, the lymphatic system of the brain opens up at night and removes toxins while we're asleep . +Another reason to get enough sleep is the fact that toxins accumulated by the brain during the day are cleared up during sleep. Amazingly, space between brain cells expands during sleep. This expansion facilitates the clearing of the waste through cerebrospinal fluid. The most astonishing fact is that most of this waste is a precursor to the plaques in Alzheimer's disease – β-amyloid protein. Creativity needs sleep +Sleep seems to beget creativity—and sleep deprivation strips it away. In an experiment, participants were deprived of sleep for 32 hours and tested them on various aspects of thinking. The result shows that these people who are sleep-deprived performed significantly worse on most types of divergent thinking – thinking outside the box, in the new imaginative ways. Moreover, they also tend to struggle in a verbal memory test – they come up with the same answer, again and again, cross it out and try again. Sleep Deprivation and Multi-tasking +Sleep deprivation also affects the brain's activity to do multi-tasking. This is evident in a lot of car and train accidents. Driving is one of the most intensive multi-tasking that requires the use of hands, feet, vision, and awareness of what is going on. When you're sleep-deprived your brain's cognitive functions drain which greatly affects its ability to multitask. Sleep loss and depression are intertwined +Depression and sleep problems are intimately connected. Based on a study, people who sleep less than six hours or more than 8 hours are more likely to experience depression compared to others. And people with insomnia are many more times likely to have depression and anxiety. Circadian rhythm in the brain is disrupted in depressed people. Circadian rhythm refers to the daily sleep-wake cycle of the brain. This explains why sleep and depression problems go hand-in-hand. +Takeaway +The brain is the command center of our body. It produces our every thought, feeling, memory and experience. Impairment in any of the brain functions mentioned above could greatly affect the quality of your life. Hence, giving your brain enough sleep is a must-have if you want to maintain a good health. +Author Bio: +Nicole Evans is a freelance researcher in areas related to neuroscience and psychology. She also spends time sharing her discoveries and tips to promote healthy well-being and personal effective. On her free time, she reads a lot and takes some camping with her family \ No newline at end of file diff --git a/input/test/Test4618.txt b/input/test/Test4618.txt new file mode 100644 index 0000000..9a02f4f --- /dev/null +++ b/input/test/Test4618.txt @@ -0,0 +1,6 @@ +What Ahmed Musa And Iwobi Said After Victor Moses' Retirement. What Ahmed Musa And Iwobi Said After Victor Moses' Retirement. News August 17, 2018 +In the light of Victor Moses's sudden retirement from the Nigeria's national team, three members of the squad have tucked in to their social media handles and had their say on the issue. +The 27-year-old announced via Twitter yesterday that he had decided to call time on his career with the Super Eagles after over six years, which saw him won the 2013 AFCON title and represented Nigeria at two editions of the World Cup competition. +Ahmed Musa wrote: "It was a pleasure to play alongside such a great player. You have served your nation well and will always be remembered. Good luck in all you do @VictorMoses''. CLICK HERE TO DOWNLOAD REPORTNAIJA APP ON PLAYSTORE +Shehu Abdullahi wrote: "I wish you all the best bro!'' +Arsenal starlet, Alex Iwobi wrote on his Twitter handle: "Thank You For Paving The Way For Us. You Achieved So Much For Our Country. It Was A Pleasure To Play With You, Wishing You The Best Big Bro @VictorMoses.' \ No newline at end of file diff --git a/input/test/Test4619.txt b/input/test/Test4619.txt new file mode 100644 index 0000000..1d1afb3 --- /dev/null +++ b/input/test/Test4619.txt @@ -0,0 +1,21 @@ +Beto O'Rourke speaks at the Texas Democratic Convention in June. Since winning the Democratic primary, O'Rourke has embraced progressive positions — at times, including impeaching President Trump — as he challenges GOP Sen. Ted Cruz's reelection bid. Richard W. Rodriguez / AP GOP Sen. Ted Cruz takes a photo with a supporter during a rally to launch his re-election campaign on April 2 in Stafford, Texas. Cruz says he's taking the campaign of Democratic challenger Beto O'Rourke seriously. Erich Schlegel / Getty Images Rep. Beto O'Rourke, Democratic nominee for Senate in Texas, greets supporters at a cafe in San Antonio. Wade Goodwyn / NPR Listening... / +If you arrived at Beto O'Rourke's recent town hall meeting in San Antonio even 40 minutes ahead of time, you were out of luck. All 650 seats were already taken. +It was one sign that the El Paso Democratic congressman has set Texas Democrats on fire this year, as he takes on Republican Sen. Ted Cruz's re-election bid. +Texas Democrats have been wandering in the electoral wilderness for two decades — 1994 was the last time they won a statewide race — but at O'Rourke's events they have been showing up in droves. Often, it's standing room only. +"Let's make a lot of noise so the folks in the overflow room know we're here, that we care about them," O'Rourke tells the crowd at the town hall, before counting to three and leading them in a cheer of "San Antonio!" +While he was sorry that all of those supporters couldn't see him, Beto O'Rourke is an unapologetic, unabashed liberal, who's shown no interest in moving toward the political middle after his victory in the Texas Democratic primary. +On issues like universal health care, an assault weapons ban, abortion rights and raising the minimum wage, O'Rourke has staked out progressive positions. The Democrat even raised the specter of impeachment after President Trump's Helsinki press conference with Vladimir Putin — although O'Rourke has since walked back that position some. +Nevertheless, recent polls have him just 2 and 6 points behind Cruz. Compare that with the 20-point walloping Texas state Sen Wendy Davis endured in 2014 when she lost in a landslide to Republican Greg Abbott in the race for governor. But that recent history begs the question of whether someone running as far to the left as Cruz can actually win in a state like Texas. +Former Texas agricultural commissioner and Democratic populist Jim Hightower sees something different in O'Rourke's campaign. +"You've got a Democratic constituency that is fed up, not just with Trump, but with the centrist, mealy-mouthed, do-nothing Democratic establishment," Hightower said. "They're looking for some real change and Beto is representing that." +Cruz says he's taking O'Rourke's candidacy very seriously. +"I think the decision he's made is run hard left and find every liberal in the state of Texas, and energize them enough that they show up and vote," Cruz said in an interview with NPR. "And I think he's gambling on there are enough people on the left for whom defeating and destroying Donald Trump is their number-one issue, that he's hoping that his path to victory. I don't see that in the state of Texas. In Texas, there are a whole lot more conservatives than liberals." +When it comes to the critical issue of immigration, the two Texas candidates for Senate couldn't be further apart. Last week in Temple, Cruz indicated he supports ending birthright citizenship telling the crowd, "it doesn't make a lot of sense." O'Rourke is against building a wall along the border and favors a gradual path to legal status for undocumented immigrants. +Political observers in Texas say it's still too early to get a good read on the race, although it seems that O'Rourke's campaign is generating some momentum. Jim Hensen, director of the Texas Politics Project at the University of Texas, which does extensive statewide polling, says the key to O'Rourke's success thus far is that he began his campaign early. +"He's much more viable, he's been working harder, he's traveled all over the state. He started earlier than the statewide candidates that we've seen in recent years, and I think it's made a big difference," Hensen said. Still, Hensen believes an O'Rourke victory is probably a long shot, not for lack of effort or fundraising, but because of the advantage Republican candidates enjoy in Texas when it comes to the sheer numbers of voters. +"In a hundred-yard dash, [O'Rourke] probably starts 10 to 15 yards behind," Hensen said. +At a café in San Antonio where he's come for an interview, O'Rourke can't make it to a table because he's mobbed by customers who recognize him and want a picture together. The congressman patiently chats up everyone who approaches and agrees to pictures. He urges his fans to share the photos on social media, a likely unnecessary piece of advice. +With the recent separations of immigrant children from their parents who are seeking asylum at the Texas border, immigration is hot topic of conversation. "I think that this state, the most diverse state in the country, should lead on immigration," O'Rourke told NPR. "Free DREAMers from the fear of deportation, but make them citizens today so they can contribute to their full potential. That is not a partisan value, that's our Texan identity and we should lead with it." +O'Rourke seems to have no fear of sounding too progressive for Texas. He has no interest in moving toward the ideological center for the general election. +He borrowed an old line from Jim Hightower as way of explanation. +"The only thing that you're going to find in the middle of the road are yellow lines and dead armadillos. You have to tell the people that you want to serve what it is you believe and what you are going to do on their behalf," O'Rourke said. "We can either be governed by fear, fear of immigrants, fear of Muslims, call the press the enemy of the people, tear kids away from their parents at the U.S.-Mexico border, or we can be governed by our ambitions and our aspirations and our desire to make the most out of all of us. And that's America at its best." Copyright 2018 NPR. To see more, visit http://www.npr.org/. © 2018 Hawaii Public Radi \ No newline at end of file diff --git a/input/test/Test462.txt b/input/test/Test462.txt new file mode 100644 index 0000000..dc6b742 --- /dev/null +++ b/input/test/Test462.txt @@ -0,0 +1,54 @@ +ITALY BRIDGE COLLAPSE: Death toll lowered by 1 to 38 Deadly Italy bridge collapse / Photo: MSNBC / (MGN) By The Associated Press | Posted: Thu 9:30 AM, Aug 16, 2018 | Updated: Thu 10:13 AM, Aug 16, 2018 +MILAN (AP) — The latest developments following the deadly collapse of a highway bridge in Italy (all times local): +4:40 p.m. +Italian authorities have lowered the confirmed death toll in Genoa's bridge collapse to 38 from 39. +Genoa Prefect Office official Raffaella Corsaro told The AP on Thursday that the change was due to a "misunderstanding" about information supplied by ambulance dispatchers. +Corsaro also says that there are 15 injured persons, including five in serious condition. +The highway bridge collapsed on Tuesday on one of the summer's busiest travel day in Italy. +Genoa's Chief Prosecutor Francesco Cozzi said Thursday that as many as 20 people might be unaccounted for. Interior Minister Matteo Salvini said it was "inevitable" that the toll would rise as rescuers continue to search through the rubble for more bodies. +The cause of the collapse is under investigation. +____ +____ +4:15 p.m. +The highway company responsible for the Genoa bridge that collapsed says that it would take "rigorous action" if it emerges that any of its staff were in any way responsible for the fatal incident. +Autostrade per l'Italia said in a statement Thursday that it was cooperating with authorities on the investigation and conducting its own internal inquiry into the collapse that killed at least 39 people. +Responding to Interior Minister Matteo Salvini's appeal for the company to give the families of victims a concrete response, the company says "our apologies are in our words and deeds." +It says managers are working to facilitate rescue operations, restore traffic circulation to an acceptable level and come up with a plan to reconstruct the bridge as soon as possible. +The government has said it will start procedures to revoke the company's concession. +____ +1:35 p.m. +An Italian truck driver who survived the plunge from the collapsed Genoa highway bridge with a dislocated shoulder and bruised hip says he still can't look at the bridge he used to cross every day. +Luciano Goccia returned to the site of the rubble Thursday to retrieve possessions from the back of his wrecked truck. +He said has trouble sleeping while he thinks of the 39 confirmed dead in Tuesday's collapse. +Goccia added in comments to reporters that "a miracle" is the only explanation for his survival. +He recalled that when his truck landed after the plunge from the 45-meter (150-foot) -high bridge, he tried to open a door. Then "nothing, I heard a loud bang. I turned around and I saw myself flying against a wall" and next to another truck. +___ +12:50 p.m. +The European Union is hitting back at an Italian claim that the collapse of a highway bridge in Genoa was somehow linked to budget restraints imposed from outside Italy. +EU spokesman Christian Spahr reacted Thursday after Italian Interior Minister Matteo Salvini criticized rules that limit budgetary spending, and linked them to the safety of infrastructure. Italy has been criticized by the eurozone for budgetary gaps and called on to rein in spending. +Spahr said that "the time has come to make a few things clear," insisting that in the 2014-2020 EU budget plan "Italy is set to receive around 2.5 billion euros" under EU investment plans for network infrastructures, including roads. +He added that in April, the EU "also approved under EU state aid rules an investment plan for Italian motorways which will enable around 8.5 billion euros of investments to go ahead, including in the Genoa region." +"In fact," he said, "the EU has encouraged investment in infrastructure in Italy." +___ +12:25 p.m. +Genoa's chief prosecutor says there could be as many as 20 people missing in the rubble of the collapsed highway bridge in the city, in addition to the 39 already confirmed dead. +Searchers have been combing through tons of concrete and other debris since the collapse on Tuesday. Until Thursday, authorities hadn't said how many people might be unaccounted-for. Chief Prosecutor Francesco Cozzi told reporters Thursday that "there could be 10 to 20 persons still missing." +Interior Minister Matteo Salvini has said it has been difficult to come up with an exact number as some of those reported missing by loved ones might actually be vacationers who reached their destination but haven't contacted family or friends in recent days. +___ +11:55 a.m. +Italian rescue workers are toiling for a third day in hopes of finding survivors trapped under the rubble of the collapsed highway bridge in Genoa. +Genoa Firefighters' spokeswoman Sonia Noci said Thursday that the search and rescue operations will continue until all those people listed as missing are found. +At least 39 people were killed in Tuesday's collapse, but the exact number of those still missing remains unknown. +Local officials say they are taking data from people whose friends or relatives are missing, but that they do not yet know how many cars were on the bridge when it collapsed and cannot extrapolate how many people might be buried in the rubble. +The Italian Cabinet has approved a 12-month state of emergency and officials have announced plans for a state funeral for the victims to be held at 11 a.m. Saturday in Genoa. The ceremony will be presided over by Genoa Archbishop Angelo Bagnasco. +___ +9:45 a.m. +The holding company for Autostrade per l'Italia was facing a volatile trading day after the government announced it would take steps to revoke the concession following the deadly bridge collapse in Genoa. +Shares in Atlantia were so volatile in opening Milan trading Thursday that they were not able to get a fixed price. The news agency ANSA said the theoretical drop was 21.4 percent, from Tuesday's close of 23.54 euros ($26.66). Under stock market rules, trading is suspended if the shares gain or drop more than 10 percent in value. +Atlantia, which is owned by the Benetton fashion company, said in a statement before opening that revoking the concession required certain findings, including specific fault by the company and a determination of the cause of the collapse. +___ +9:20 a.m. +The Atlantia holding company that controls Italy's main highway operator says the concession cannot be revoked without citing specific failures by the company in the deadly bridge collapse in Genoa. +Atlantia said before markets opened Thursday that government pledges to revoke Autostrade per l'Italia's concession were made before the cause of the collapse has been determined. Company shares shed 5.4 percent in the last trading day Tuesday, burning 1 billion euros ($1.14 billion) in capital. +Atlantia said the government would have to pay the value of the concession to revoke it under the terms of the deal. +Premier Giuseppe Conte and key ministers said they are launching the process to revoke the concession, citing inadequate maintenance. Prosecutors are investigating both the maintenance and design of the bridge as a cause \ No newline at end of file diff --git a/input/test/Test4620.txt b/input/test/Test4620.txt new file mode 100644 index 0000000..eebbc5d --- /dev/null +++ b/input/test/Test4620.txt @@ -0,0 +1 @@ +@MilkNutrition » 17 Aug '18, 5am RT @STForeignDesk: Archaeologists find 3,200-year-old #cheese in an #Egyptian tomb [link] [link] @kccl35 » 17 Aug '18, 4am RT @STcom: Archaeologists find 3,200-year-old #cheese in an #Egyptian tomb [link] [link] @STcom » 17 Aug '18, 4am Archaeologists find 3,200-year-old #cheese in an #Egyptian tomb [link] [link] @bdnews24 » 17 Aug '18, 4am Archaeologists find 3,200-year-old cheese in an Egyptian tomb [link] via @bdnews24 #news @STForeignDesk » 17 Aug '18, 4am Archaeologists find 3,200-year-old #cheese in an #Egyptian tomb [link] [link] @ashleychia_ » 17 Aug '18, 4am RT @STcom: Archaeologists find 3,200-year-old #cheese in an #Egyptian tomb [link] [link] @luciel_choi » 17 Aug '18, 4am RT @STcom: Archaeologists find 3,200-year-old #cheese in an #Egyptian tomb [link] [link] @ScienceMouse » 17 Aug '18, 4am RT @STcom: Archaeologists find 3,200-year-old #cheese in an #Egyptian tomb [link] [link] @itsrxsy » 17 Aug '18, 4am RT @STcom: Archaeologists find 3,200-year-old #cheese in an #Egyptian tomb [link] [link] There's a new #eBike in town! You can find more... evelo.com 16 Aug '18, 8pm Uh-oh, looks like there are no EVELO bikes available for a test ride in your area. While you might not be able to test rid... Stay updated with SgLinks.co \ No newline at end of file diff --git a/input/test/Test4621.txt b/input/test/Test4621.txt new file mode 100644 index 0000000..4eb51d0 --- /dev/null +++ b/input/test/Test4621.txt @@ -0,0 +1,11 @@ +The SEC Slaps Scam ICO Organizer with $30,000 Penalty Date: in: Uncategorized 0 Views +According to a statement released by the United States Securities and Exchange Commission (SEC) on August 14, 2018, David T. Laurance, the organizer of a fraudulent initial coin offering (ICO) that issued Tomahawkcoins to California residents, has been penalized by the regulatory watchdog. Tomahawk Scam ICO Crushed +Per the SEC order, Laurance sold Tomahawkcoins claiming to raise funds for oil exploration and drilling in the state. More importantly, he promised investors massive returns on their holdings when the oil exploration activities of his firm Tomahawk Exploration LLC got underway. Sponsored Links +The company also deceived investors into believing it had "leases" for oil exploration sites and also painted Laurance in excellent light without stating his previous criminal record of offering fake securities. +Tomahawk reportedly claimed that holders of its altcoin would be able to convert it into equity and reap huge rewards from secondary trading of the Tomahawkcoins. As stated in the press release, the ICO failed to meet its fundraising targets; however, the founders issued the "shitcoins" via a Bounty Program in exchange for online promotional services. +For the crypto newbie, an ICO bounty is a way by which projects with little marketing and PR budgets publicize their ICO. Interested participants who help the startups to spread the word about the project get rewarded with the coin. Barred for Life, SEC Warn Investors +For violating the registration and antifraud provisions of the federal securities laws, the SEC has issued Tomahawk, and Laurance a cease and desist order. The financial authority has also mandated that Laurance pay a fine of $30,000. +Chief of the SEC's Cyber Unit Robert A. Cohen has admonished investors to be wary of fake oil and gas investment schemes masquerading to be DLT-based ICOs. +On August 14, the SEC's Office of Investor Education and Advocacy (OIEA) has also advised investors to always carry out background checks on organizers of investment projects they wish to invest in, by using the free search tool on investor.gov. +In related news, BTCManager reported that the SEC had issued fresh warnings to investors who are pumping funds into crypto-based self-directed IRAs, so as not to fall victims to bad actors. +"Now that some self-directed IRAs include digital assets – cryptocurrencies, coins and tokens, such as those offered in so-called initial coin offerings – we think it is important to alert investors about the potential risks and fraud involved with these kinds of investments that may not be registered," said director of the SEC's Office of Investor Education and Advocacy Lori Schock. Category: Altcoins, Business, Finance, ICO News, News, Regulation Tags: altcoins, Crime, cryptocurrencies, ICO News, Regulations, scam, SE \ No newline at end of file diff --git a/input/test/Test4622.txt b/input/test/Test4622.txt new file mode 100644 index 0000000..630c3d6 --- /dev/null +++ b/input/test/Test4622.txt @@ -0,0 +1 @@ +Press release from: Orian Research Telecom Consulting Market A new market assessment report on the Telecom Consulting market provides a comprehensive overview of the Telecom Consulting industry for the forecast period 2018 – 2025. The analytical study is proposed to provide immense clarity on the market size, share and growth rate across different regions. This Report also focuses on industry share, demand, development, revenue, import and export. Get Sample Copy @ www.orianresearch.com/request-sample/437695 Global Telecom Consulting Market Research Report is a professional and in-depth study of market status and forecast, categorizes the global Telecom Consulting market size (value & volume) by manufacturers, type, application, region and forecast to 2025 on the current state of the industry. This report also provides a basic overview of the industry including definitions, classifications, applications and industry chain structure. Most importantly a detailed discussion of the various factors which are driving the growth of the global Telecom Consulting Market as well as those factors which are expected to hinder the growth of this Market is included.Complete report on Global Telecom Consulting Industry 2018 Market Research Report is spread across 95 pages and provides exclusive vital statistics, data, information, trends and competitive landscape details in this niche sector. Inquire more or share questions if any on this report @ www.orianresearch.com/enquiry-before-buying/437695 Development policies and plans are discussed as well as manufacturing processes and cost structures are also analyzed. This report also states import/export consumption, supply and demand Figures, cost, price, revenue and gross margins. Third by regions, this report focuses on the sales (consumption), production, import and export of Telecom Consulting thought out the Global.Global Telecom Consulting Market competition by top manufacturers, with production, price, revenue (value) and market share for each manufacturer; the TOP PLAYERS including:- Accenture, Ericsson, Alcatel-Lucent, IBM, Deloitte, Mckinsey, Gartner, Dimension Data, Logica ,Tellabs, BCG, PwC, CSG, Toil ,Detecon.The report also focuses on global major leading industry players of Global Telecom Consulting market providing information such as company profiles, product picture and specification, capacity, production, price, cost, revenue and contact information. Upstream raw materials and equipment and downstream demand analysis is also carried out. The Global Telecom Consulting Market development trends and marketing channels are analyzed. Finally the feasibility of new investment projects are assessed and overall research conclusions offered.With tables and figures helping analyze worldwide Global Telecom Consulting market, this research provides key statistics on the state of the industry and is a valuable source of guidance and direction for companies and individuals interested in the market.Order a copy of Global Telecom Consulting Market Report 2018 @ www.orianresearch.com/checkout/437695 We can also provide the customized separate regional or country-level reports, for the following regions: North America, United States, Canada, Mexico, Asia-Pacific, China, India, , Japan, South Korea, Australia, Indonesia, Singapore, Rest of Asia-Pacific, , Europe, Germany, France, UK, Italy, Spain, Russia, Rest of Europe, Central & South America, Brazil, Argentina, Rest of South America, Middle East & Africa, Saudi Arabia, Turkey, Rest of Middle East & AfricaOn the basis of product, this report displays the production, revenue, price, and market share and growth rate of each type, primarily split into• Type 1 • Type 2 • Type 3On the basis of the end users/applications, this report focuses on the status and outlook for major applications/end users, consumption (sales), market share and growth rate for each application, including• 4G/LTE/TT \ No newline at end of file diff --git a/input/test/Test4623.txt b/input/test/Test4623.txt new file mode 100644 index 0000000..f3b01ef --- /dev/null +++ b/input/test/Test4623.txt @@ -0,0 +1,24 @@ +17th Aug 2018 5:35 PM | Updated: 6:12 PM premium_icon 0 +DETECTIVES have put a major dent in the Fraser Coast drug market after an overnight raid uncovered thousands of dollars worth of dangerous drugs. +The drugs were uncovered after officers attached to the Maryborough Criminal Investigation Branch executed a search warrant at an Esplanade unit on Thursday. +A large quantity of methylamphetamine, or ice, estimated to be worth about $200,000 was seized, along with a large sum of money, drug paraphernalia, drug utensils and other documents. +DRUG BUST: Drugs and cash seized by police attached to the Maryborough CIB on Thursday. A 33-year-old man and 25-year-old woman will face court over the bust. Queensland Police +A 33-year-old Daisy Hill man and his 25-year-old female partner were arrested on the scene. +A second search warrant, executed about 1.45pm that same day at a Urangan storage shed, uncovered more drugs, utensils and weapons. +Police allege two litre bottles of liquid party drug GHB, otherwise known as fantasy, illicit quantities of prescription medication and four tasers were discovered in the shed. +Detective Senior Constable David Price said police allege the man had been supplying drugs in and around Hervey Bay since May. +He said the drug bust had significantly disrupted the supply of ice in town. +"We've disrupted the supply chain for the moment," Sr Cst Price said. +"The quantities we seized would have been ongoing if it wasn't for the seizure and arrest of these particular individuals. +"We're pleased with the result." +DRUG BUST: Drugs and cash seized by police attached to the Maryborough CIB on Thursday. A 33-year-old man and 25-year-old woman will face court over the bust. Queensland Police +The Daisy Hill man will face Hervey Bay Magistrates Court on Monday, charged with 13 drug-related offences. +The woman will appear in court on August 30. +Snr Const Price said police still had enquiries to make regarding how the pair allegedly acquired the drugs, and the investigation could expand to include mobile phones and documents like bank records "that could lead to other buyers or suppliers in that network". DRUG BUST: Detective Senior Constable David Price displays some of the drugs and two of the tasers seized by police attached to the Maryborough CIB on Thursday. A 33-year-old man and 25-year-old woman will face court over the bust. Blake Antrobus +He said it was possible the pair were part of a broader network of drug suppliers. +"On this particular occasion, we're not talking about a street dealer, this person isn't someone you won't find in the street dealing small quantities," he said. +"We're talking about an individual that police allege is supplying larger amounts to other dealers." +Hervey Bay Police have been active in their fight against dangerous drugs in recent months. +In June, dramatic raids at a Hervey Bay resort and Booral home resulted in the arrest of five people police allege are top players in the Fraser Coast's ice trade. +Alleged kingpins Daryl Hall, 31, and Ed Westphal, 42 were arrested inside their holiday units at Mantra Resort at the Urangan Marina between June 9-10. +Simultaneous raids at a home on Bingham Rd in Booral resulted in the arrest of Troy Nielson, 39, a 40-year-old woman and 22-year-old woman. Drug bust in Hervey Bay: Police footage of drugs, paraphernalia, utensils and cash uncovered in a major drug bust in Hervey Bay. Footage courtesy of Queensland Police. Related Item \ No newline at end of file diff --git a/input/test/Test4624.txt b/input/test/Test4624.txt new file mode 100644 index 0000000..2ab239a --- /dev/null +++ b/input/test/Test4624.txt @@ -0,0 +1,8 @@ +Tweet +Shares of NeoGenomics, Inc. (NASDAQ:NEO) have earned a consensus rating of "Buy" from the twelve brokerages that are presently covering the stock, MarketBeat Ratings reports. One investment analyst has rated the stock with a sell rating, two have given a hold rating, seven have given a buy rating and one has assigned a strong buy rating to the company. The average 12 month target price among analysts that have issued a report on the stock in the last year is $17.50. +NEO has been the topic of a number of recent analyst reports. Zacks Investment Research lowered shares of NeoGenomics from a "hold" rating to a "sell" rating in a research note on Thursday, July 19th. ValuEngine upgraded shares of NeoGenomics from a "buy" rating to a "strong-buy" rating in a research note on Thursday, May 17th. BidaskClub upgraded shares of NeoGenomics from a "buy" rating to a "strong-buy" rating in a research note on Saturday, April 28th. BTIG Research restated a "buy" rating and set a $15.00 price target on shares of NeoGenomics in a research note on Thursday, June 21st. Finally, First Analysis lowered shares of NeoGenomics from an "overweight" rating to an "equal weight" rating and set a $11.00 price target on the stock. in a research note on Wednesday, May 2nd. Get NeoGenomics alerts: +In other news, insider Steven C. Jones sold 169,467 shares of the stock in a transaction on Thursday, May 31st. The shares were sold at an average price of $11.68, for a total value of $1,979,374.56. Following the sale, the insider now owns 234,918 shares in the company, valued at $2,743,842.24. The transaction was disclosed in a document filed with the Securities & Exchange Commission, which can be accessed through this hyperlink . Also, insider Steven C. Jones sold 203,500 shares of the stock in a transaction on Wednesday, August 1st. The stock was sold at an average price of $14.00, for a total transaction of $2,849,000.00. Following the completion of the sale, the insider now owns 241,815 shares in the company, valued at approximately $3,385,410. The disclosure for this sale can be found here . Insiders sold 861,808 shares of company stock worth $11,135,863 in the last quarter. Company insiders own 12.20% of the company's stock. Several large investors have recently added to or reduced their stakes in NEO. Wells Fargo & Company MN boosted its holdings in NeoGenomics by 25.3% during the fourth quarter. Wells Fargo & Company MN now owns 112,039 shares of the medical research company's stock worth $992,000 after buying an additional 22,647 shares in the last quarter. Geode Capital Management LLC boosted its holdings in NeoGenomics by 5.7% during the fourth quarter. Geode Capital Management LLC now owns 512,281 shares of the medical research company's stock worth $4,538,000 after buying an additional 27,429 shares in the last quarter. Alliancebernstein L.P. boosted its holdings in NeoGenomics by 37.8% during the fourth quarter. Alliancebernstein L.P. now owns 62,700 shares of the medical research company's stock worth $556,000 after buying an additional 17,200 shares in the last quarter. Deutsche Bank AG boosted its holdings in NeoGenomics by 121.8% during the fourth quarter. Deutsche Bank AG now owns 136,675 shares of the medical research company's stock worth $1,208,000 after buying an additional 75,048 shares in the last quarter. Finally, Guggenheim Capital LLC boosted its holdings in NeoGenomics by 46.6% during the fourth quarter. Guggenheim Capital LLC now owns 39,457 shares of the medical research company's stock worth $351,000 after buying an additional 12,538 shares in the last quarter. Hedge funds and other institutional investors own 83.65% of the company's stock. +Shares of NeoGenomics stock opened at $12.55 on Tuesday. The company has a current ratio of 1.74, a quick ratio of 1.59 and a debt-to-equity ratio of 0.77. NeoGenomics has a 12-month low of $7.08 and a 12-month high of $15.00. The company has a market cap of $1.02 billion, a price-to-earnings ratio of 209.17, a P/E/G ratio of 6.94 and a beta of 0.83. +NeoGenomics (NASDAQ:NEO) last issued its quarterly earnings results on Tuesday, July 24th. The medical research company reported $0.05 earnings per share (EPS) for the quarter, beating the Zacks' consensus estimate of $0.04 by $0.01. NeoGenomics had a negative net margin of 0.98% and a negative return on equity of 0.36%. The business had revenue of $67.70 million for the quarter, compared to analyst estimates of $66.40 million. During the same quarter in the prior year, the business posted $0.04 EPS. NeoGenomics's revenue for the quarter was up 8.7% compared to the same quarter last year. research analysts forecast that NeoGenomics will post 0.09 EPS for the current year. +NeoGenomics Company Profile +NeoGenomics, Inc, together with its subsidiaries, operates a network of cancer-focused genetic testing laboratories in the United States. It operates through Clinical Services and Pharma Services segments. The company laboratories provide genetic and molecular testing services to hospitals, pathologists, oncologists, urologists, other clinicians and researchers, pharmaceutical firms, and other clinical laboratories \ No newline at end of file diff --git a/input/test/Test4625.txt b/input/test/Test4625.txt new file mode 100644 index 0000000..681275a --- /dev/null +++ b/input/test/Test4625.txt @@ -0,0 +1,5 @@ +The latest enterprise risk management news from around the world Social media has resulted in a doubling of the impact of reputation incidents on shareholder value Details Published: Friday, 17 August 2018 08:02 +The 2018 'Reputation Risk in the Cyber Age' study by Pentland Analytics with Aon plc looked at 125 reputation events during the last decade, measuring the impact on shareholder value over the course of the following year. The study found that since the introduction of social media, the impact of reputation events on stock prices has doubled. In the wake of a crisis, the size of a company and the strength of its reputation did little to protect against the loss of value. +At times of crisis, investors often use information about a company shared on social media to re-assess their expectations of future cash flow, which can positively or negatively impact a company's share price. Findings from the study showed that companies could add 20 percent of value or lose up to 30 percent of value depending on their reputation risk preparedness and management activities in the immediate aftermath of a crisis. +The study identified key drivers of successful recovery from a reputation event, including: Crisis communications must be instant and global; Perceptions of honesty and transparency are essential; Active social responsibility is critical. +The core research into the impact of crises on shareholder value was first conducted by Pretty in 1993 and again in 2000, before social media was an active influencer. The reports focused, respectively, on the contrasting abilities of firms to recover from crises as well as reputation impact in the absence of physical loss. In the 2018 version of the study, special attention was given to both the growth in social media and the value impact of cyber attacks \ No newline at end of file diff --git a/input/test/Test4626.txt b/input/test/Test4626.txt new file mode 100644 index 0000000..97c38a4 --- /dev/null +++ b/input/test/Test4626.txt @@ -0,0 +1,20 @@ +AMSTERDAM/PARIS (Reuters) - Air France-KLM shares fell on Friday in response to the hostile reception from unions to the company's new boss Benjamin Smith, while the airline's Dutch pilots threatened to strike over working conditions. Unions representing workers at the French company were openly hostile to the appointment of Smith, chief operating officer at Air Canada , accusing the group of handing control to a foreigner and not protecting Air France's interests. +Air France-KLM shares fell 4 percent and were among the worst-performing stocks on Paris' SBF-120 <.SBF120> index. +"Driving the share price is essentially the discontent of the unions," Meriem Mokdad, fund manager at Paris-based Roche-Brune Asset Management, said. +Smith, who will take up his post before the end of September, will have to deal with labour troubles at Air France that have already cost the airline 335 million euros (£300.3 million) this year, forced the resignation of his predecessor, and seen the group's shares slump 36 percent in 2018. +French unions are due to discuss another round of strike action on Aug. 27. +Meanwhile, in the Netherlands, the Dutch pilots union VNV said it would strike unless the airline's management comes up with improved offers to ease their workload. +The union said work stoppages could begin in four weeks time, after it rejected a last minute offer made by KLM late on Thursday. +The union wants the Dutch arm of Air France-KLM to start hiring new flight personnel as soon as possible, to give pilots more time in between flights. KLM said it is already recruiting new staff, but that it is impossible to meet all the union's demands. +CUTTING COSTS +Air France took over KLM in 2003 when the Dutch airline was struggling, but the two have continued to operate independently. +Air France-KLM in May said it expected profits to fall this year due to the effect of strikes at its French business. +The French government has a stake of about 14 percent in Air France-KLM, while Delta Airlines and China Eastern Airlines each hold 8.8 percent. +In a research note titled "New CEO - New solutions to old problems", Societe Generale welcomed Smith's appointment but maintained its "sell" recommendation on Air France-KLM shares. +"(Smith) played a key role in Air Canada's (AC) growth and modernisation strategy in recent years, redefined AC's hub strategy and was also a driving force behind AC's successful low-cost brand Rouge," SocGen wrote. +SocGen noted that Smith's predecessor, Jean-Marc Janaillac, met stiff union resistance when he began the job. In the end, Janaillac lasted two years before quitting after Air France staff rejected his final salary increase offer. +"We hope that history won't repeat itself – otherwise having a non-French CEO will be the least of the group's and the (French) employees' worries," SocGen wrote. +KLM has had more success in cutting costs than its French counterpart. The Dutch airline managed to agree several cost cutting deals with its staff in recent years, which improved its profitability and put it in a stronger position than French partner Air France. +"Our pilots have given up a lot in recent years, making KLM profitable", VNV spokesman Joost van Doesburg said. "Now it's time for KLM to deal with its exhausted staff." +(Reporting by Sudip Kar-Gupta in Paris and Bart Meijer in Amsterdam; editing by Richard Lough and Jane Merriman) +By Bart H. Meijer and Sudip Kar-Gupt \ No newline at end of file diff --git a/input/test/Test4627.txt b/input/test/Test4627.txt new file mode 100644 index 0000000..28cb05a --- /dev/null +++ b/input/test/Test4627.txt @@ -0,0 +1,20 @@ +AMSTERDAM/PARIS: Air France-KLM shares fell on Friday in response to the hostile reception from unions to the company's new boss Benjamin Smith, while the airline's Dutch pilots threatened to strike over working conditions. +Unions representing workers at the French company were openly hostile to the appointment of Smith, chief operating officer at Air Canada , accusing the group of handing control to a foreigner and not protecting Air France's interests. Advertisement +Air France-KLM shares fell 4 percent and were among the worst-performing stocks on Paris' SBF-120 index. +"Driving the share price is essentially the discontent of the unions," Meriem Mokdad, fund manager at Paris-based Roche-Brune Asset Management, said. +Smith, who will take up his post before the end of September, will have to deal with labor troubles at Air France that have already cost the airline 335 million euros (US$381.73 million) this year, forced the resignation of his predecessor, and seen the group's shares slump 36 percent in 2018. +French unions are due to discuss another round of strike action on Aug. 27. Advertisement Advertisement +Meanwhile, in the Netherlands, the Dutch pilots union VNV said it would strike unless the airline's management comes up with improved offers to ease their workload. +The union said work stoppages could begin in four weeks time, after it rejected a last minute offer made by KLM late on Thursday. +The union wants the Dutch arm of Air France-KLM to start hiring new flight personnel as soon as possible, to give pilots more time in between flights. KLM said it is already recruiting new staff, but that it is impossible to meet all the union's demands. +CUTTING COSTS sentifi.com Channel NewsAsia - Sentifi topic widget +Air France took over KLM in 2003 when the Dutch airline was struggling, but the two have continued to operate independently. +Air France-KLM in May said it expected profits to fall this year due to the effect of strikes at its French business. +The French government has a stake of about 14 percent in Air France-KLM, while Delta Airlines and China Eastern Airlines each hold 8.8 percent. +In a research note titled "New CEO - New solutions to old problems", Societe Generale welcomed Smith's appointment but maintained its "sell" recommendation on Air France-KLM shares. +"(Smith) played a key role in Air Canada's (AC) growth and modernization strategy in recent years, redefined AC's hub strategy and was also a driving force behind AC's successful low-cost brand Rouge," SocGen wrote. +SocGen noted that Smith's predecessor, Jean-Marc Janaillac, met stiff union resistance when he began the job. In the end, Janaillac lasted two years before quitting after Air France staff rejected his final salary increase offer. +"We hope that history won't repeat itself – otherwise having a non-French CEO will be the least of the group's and the (French) employees' worries," SocGen wrote. +KLM has had more success in cutting costs than its French counterpart. The Dutch airline managed to agree several cost cutting deals with its staff in recent years, which improved its profitability and put it in a stronger position than French partner Air France. +"Our pilots have given up a lot in recent years, making KLM profitable", VNV spokesman Joost van Doesburg said. "Now it's time for KLM to deal with its exhausted staff." +(Reporting by Sudip Kar-Gupta in Paris and Bart Meijer in Amsterdam; editing by Richard Lough and Jane Merriman) Source: Reuter \ No newline at end of file diff --git a/input/test/Test4628.txt b/input/test/Test4628.txt new file mode 100644 index 0000000..a88242d --- /dev/null +++ b/input/test/Test4628.txt @@ -0,0 +1,17 @@ +China think tank slammed for 'procreation fund' idea close breaking news Asia China think tank slammed for 'procreation fund' idea +A proposal by two Chinese researchers to force couples with fewer than two children to pay into a "procreation fund" backfired on Friday, with critics calling it a "thoughtless" and "absurd" way to battle the problem of an ageing population. FILE PHOTO: An elderly woman pushes two babies in a stroller in Beijing, China October 30, 2015. REUTERS/Kim Kyung-Hoon/File Photo 17 Aug 2018 06:45PM +BEIJING: A proposal by two Chinese researchers to force couples with fewer than two children to pay into a "procreation fund" backfired on Friday, with critics calling it a "thoughtless" and "absurd" way to battle the problem of an ageing population. +Since 2016, China has allowed urban couples to have two children, replacing a decades-old one-child policy blamed for falling birth rates and a greying society, but the changes have not ushered in the hoped-for baby boom. Advertisement +Births in mainland China fell by 3.5 percent last year due to fewer women of fertile age and the growing number of people delaying marriage and pregnancy. +But the suggestion of a fund to subsidise large families, out of annual contributions from people younger than 40 who have fewer than two children, or none, was widely panned. +"I'm really upset by its stupidity," 21-year-old Ranny Lou responded to the suggestion of the procreation fund after it went viral on social media. +"Shall we hoard condoms and contraceptive pills now to profit when the government imposes curbs on purchasing these things in the future?" Advertisement Advertisement +Two researchers at a state-backed institute suggested the fund, as they looked for ways to counter the "precipitous fall" they anticipate in the birth rate in the next two to three years. +Until withdrawn on retirement of the contributor, or on the birth of a second child, the contributions will subsidise other families with more babies. +"The consequences of this trend of couples having fewer children will be very serious," the researchers from the Yangtze River Industrial Economic Research Institute wrote. +State television took aim at the researchers' proposal, published on Tuesday in the Xinhua Daily newspaper of the Communist Party in Jiangsu province, calling it "absurd" and "unbelievable". +"We can encourage people to have more babies through propaganda and policy incentives, but we can't punish families which opt to be childless or have fewer children in the name of creating a 'procreation fund'," CCTV said on its website on Friday. +Policymakers must offer tax cuts, incentives and greater public spending to allay young people's concerns about the high cost of child rearing, CCTV added. +Authorities in some regions and cities have in recent months rolled out longer maternity leave and more subsidies for mothers bearing a second child. +But some critics worry the improved benefits will worsen deep-rooted discrimination against women at work as companies frown at rising costs. +(Reporting by Yawen Chen and Ryan Woo; Additional reporting by Beijing Newsroom; Editing by Darren Schuettler) Source: Reuter \ No newline at end of file diff --git a/input/test/Test4629.txt b/input/test/Test4629.txt new file mode 100644 index 0000000..a5da724 --- /dev/null +++ b/input/test/Test4629.txt @@ -0,0 +1,6 @@ +More than 1,000 Google workers protest censored China search Ryan Nakashima, The Associated Press Friday Aug 17, 2018 at 6:00 AM +SAN FRANCISCO (AP) " More than a thousand Google employees have signed a letter protesting the company's secretive plan to build a search engine that would comply with Chinese censorship. +The letter calls on executives to review ethics and transparency at the company. +The letter's contents were confirmed by a Google employee who helped organize it but who requested anonymity because of the sensitive nature of the debate. +The letter says employees lack the information required "to make ethically informed decisions about our work" and complains that most employees only found out about the project " nicknamed Dragonfly " through media reports. +The letter is similar to one thousands of employees had signed in protest of Project Maven, a U.S. military contract that Google decided in June not to renew \ No newline at end of file diff --git a/input/test/Test463.txt b/input/test/Test463.txt new file mode 100644 index 0000000..c42a140 --- /dev/null +++ b/input/test/Test463.txt @@ -0,0 +1,15 @@ +Print By DAVID McHUGH - Associated Press - Friday, August 17, 2018 +FRANKFURT, Germany (AP) - German Chancellor Angela Merkel and Russia 's President Vladimir Putin will have plenty to talk about when they meet Saturday - thanks in no small part to U.S. President Donald Trump , whose sanctions and criticisms over trade, energy and NATO have created new worries for both leaders. +The two will meet at the German government's guest house outside Berlin and will give short statements beforehand but aren't planning a news conference, German officials have said. Government spokesman Steffen Seibert has said that topics will include the civil war in Syria, the conflict in Ukraine, and energy questions. +Putin is facing the possibility of more U.S. sanctions on Russia imposed by Trump , and has an interest in softening or heading off any European support for them. Meanwhile, while both countries want to move ahead with the Nord Stream 2 gas pipeline - roundly criticized by Trump as a form of Russian control over Germany . +Stefan Meister, a Russia expert at the German Council on Foreign Relations, said that there is "an increased interest on both sides to talk about topics of common interest" and that, in part because of Trump , the two sides have shifted focus from earlier meetings that focused on Russia 's conflict with Ukraine. Merkel was a leading supporter of sanctions against Russia over its annexation of Ukraine's Crimea region. +The two leaders are far from being allies, however. Meister wrote in an analysis for the council that the talks will still involve "hard bargaining" from Putin 's end and neither side is likely to make significant compromises - but both could send a signal that they will "not let themselves be pressured by Trump ." +The background to this meeting includes Trump 's announcement that he plans to impose sanctions on Russia in response to the poisoning of former Russian agent Sergei Skripal and his daughter Yulia in Britain. A first set of sanctions would target U.S. exports of goods with potential military use starting Aug. 22, while a second set of broader sanctions could take effect 90 days later if Russia does not confirm it is no longer using chemical weapons and allow on-site inspections. Russia has denied involvement in the poisoning. +Meister said that Putin can use the meeting to "send a signal to Washington that there are allies of the U.S. that still do business with Russia ." Beyond that, he can push for Germany and the European Union not to support further sanctions, particularly a second round that might hit businesses working with the Nord Stream 2 project. +The project would add another natural gas pipeline under the Baltic Sea, allowing more Russian gas to bypass Ukraine and Poland. Trump has criticized Nord Stream 2 and the gas supplies, saying German is "totally controlled" by Russia by being dependent on the energy. Trump 's criticism was linked to his push for other NATO member countries, particularly Germany , to pay a bigger share of the cost of NATO's common defense. +From her end, Merkel will push for a Russian commitment to keep at least some gas transiting Ukraine, which earns transit fees from it. Putin has said he's open for shipments to continue if Ukraine settles a gas dispute with Russia . +Germany also has a strong interest in seeing some of the Syrian refugees in Germany return home in any settlement of the civil war in their home country, and could seek Russia 's support for that with President Bashar Assad. Russia has backed Assad with military force. Putin has pushed Germany and other Western nations to help rebuild Syria's economy ravaged by more than seven years of civil war, arguing that it would help encourage refugees from Syria to return home, easing the pressure on Europe. +Merkel 's decision to allow in a flood of refugees in 2015 led to a backlash against her immigration policy and boosted the anti-immigration Alternative for Germany party. +Both Germany and Russia have expressed a desire to maintain the agreement with Iran to limit its nuclear program in return for easing some economic sanctions. Trump has pulled the U.S. out of the program and imposed new sanctions, saying that they will also hit foreign countries that keep doing business with Iran. +Merkel and Putin have met and spoken by phone numerous times since she became chancellor in 2005. They share some common background. Merkel grew up under communism in East Germany, as Putin did in the Soviet Union; she speaks Russian and he speaks German after living in East Germany as a KGB agent during the Soviet era. That said, the relationship is characterized by hard bargaining over each side's national interest. + Th \ No newline at end of file diff --git a/input/test/Test4630.txt b/input/test/Test4630.txt new file mode 100644 index 0000000..6f161e4 --- /dev/null +++ b/input/test/Test4630.txt @@ -0,0 +1,9 @@ +Tweet +Catalyst Capital Advisors LLC purchased a new position in shares of Avaya Holdings Corp (NYSE:AVYA) in the second quarter, according to its most recent filing with the Securities & Exchange Commission. The fund purchased 7,817 shares of the company's stock, valued at approximately $157,000. +Several other hedge funds and other institutional investors have also recently modified their holdings of the company. Zurcher Kantonalbank Zurich Cantonalbank purchased a new stake in shares of Avaya during the second quarter worth about $104,000. Citigroup Inc. acquired a new stake in shares of Avaya in the first quarter worth approximately $119,000. C M Bidwell & Associates Ltd. acquired a new stake in shares of Avaya in the first quarter worth approximately $122,000. BNP Paribas Arbitrage SA acquired a new stake in shares of Avaya in the second quarter worth approximately $123,000. Finally, Thompson Davis & CO. Inc. acquired a new stake in shares of Avaya in the first quarter worth approximately $228,000. Institutional investors and hedge funds own 89.28% of the company's stock. Get Avaya alerts: +AVYA opened at $21.74 on Friday. The company has a current ratio of 0.97, a quick ratio of 0.88 and a debt-to-equity ratio of 1.63. Avaya Holdings Corp has a 1 year low of $15.63 and a 1 year high of $23.76. Avaya (NYSE:AVYA) last released its earnings results on Thursday, August 9th. The company reported ($0.80) earnings per share (EPS) for the quarter, missing the Thomson Reuters' consensus estimate of $0.77 by ($1.57). The company had revenue of $755.00 million for the quarter, compared to analyst estimates of $754.00 million. The business's revenue was down 6.0% compared to the same quarter last year. equities research analysts anticipate that Avaya Holdings Corp will post 2.4 earnings per share for the current fiscal year. +Separately, Zacks Investment Research raised shares of Avaya from a "hold" rating to a "buy" rating and set a $24.00 target price on the stock in a research report on Monday. +Avaya Company Profile +Avaya Holdings Corp. operates as a holding company which through its subsidiary, develops business collaboration and communications solutions worldwide. The company was formerly known as Sierra Holdings Corp. The company was incorporated in 2007 and is based in Santa Clara, California. +Further Reading: Should I follow buy, hold and sell recommendations? +Want to see what other hedge funds are holding AVYA? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Avaya Holdings Corp (NYSE:AVYA). Receive News & Ratings for Avaya Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Avaya and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4631.txt b/input/test/Test4631.txt new file mode 100644 index 0000000..62624f0 --- /dev/null +++ b/input/test/Test4631.txt @@ -0,0 +1 @@ +The Market Reports - Friday, August 17, 2018. The Global EVA Industry 2018 Market Research Report is a professional and in-depth study on the current state of the EVA industry. With around 150 tables and figures this report provides key statistics on the state of the industry and is a valuable source of guidance and direction for companies and individuals interested in the market. Development policies and plans are discussed as well as manufacturing processes and Bill of Materials cost structures are also analyzed. This report also states import/export consumption, supply and demand Figures, cost, price, revenue and gross margins. Access Report at: https://www.themarketreports.com/report/global-eva-market-professional-survey-report-2018 Companies like Arkema, Celanese, Dupont, Exxonmobil, Lanxess, Lyondellbasell Industries Holdings, Sumitomo Chemical, Asia Polymer Corporation, Braskem, Bridgestone, Formosa Plastics, Hanwha Chemical, Innospec, Repsol, Versalis and more are profiled in the terms of Company Profile, Product Picture, Specifications, Sales, Ex-Factory Price, Revenue, Gross Margin Analysis, etc. Global EVA Market report provides a basic overview of the industry including definitions, classifications, applications and industry chain structure. Upstream raw materials and equipment and downstream demand analysis is also carried out. The EVA industry development trends and marketing channels are analyzed. Finally the feasibility of new investment projects are assessed and overall research conclusions offered. Purchase this Premium Research Report at: https://www.themarketreports.com/report/buy-now/1242969 1 Industry Overview of EVA 2 Manufacturing Cost Structure Analysis of EVA 3 Technical Data and Manufacturing Plants Analysis of EVA 4 Global EVA Overall Market Overview – Sales, Sales Price& Gross Margin Analysis 5 EVA Regional Market Analysis – USA, China, Europe, South America, Japan & Africa 6 Global 2013-2018E EVA Segment Market Analysis (by Type) 7 Global 2013-2018E EVA Segment Market Analysis (by Application) 8 Major Manufacturers Analysis of EVA 9 Development Trend of Analysis of Market – Regional and Global Forecast (2018-2023) 10 EVA Marketing Model Analysis 11 Consumers Analysis of EVA 12 New Project Investment Feasibility Analysis of EVA 13 Conclusion of the Global EVA Industry 2018 Market Research Report Inquire for Sample or Discount at: https://www.themarketreports.com/report/ask-your-query/1242969 The Market Reports We aim to provide the best industry and market research report to a seeker. Today, 'The Market Reports' is a one stop destination for all the report buyers. We have a collection of over 700,000+ research, company, market, SWOT, trends and analysis reports of various countries, categories and domain to meet an organization need \ No newline at end of file diff --git a/input/test/Test4632.txt b/input/test/Test4632.txt new file mode 100644 index 0000000..b06ce64 --- /dev/null +++ b/input/test/Test4632.txt @@ -0,0 +1,10 @@ +Tweet +Boston Partners purchased a new position in Copa Holdings, S.A. (NYSE:CPA) in the 2nd quarter, according to its most recent Form 13F filing with the Securities and Exchange Commission (SEC). The fund purchased 144,187 shares of the transportation company's stock, valued at approximately $13,643,000. +A number of other institutional investors have also bought and sold shares of the business. Metropolitan Life Insurance Co. NY bought a new position in shares of Copa during the fourth quarter valued at about $134,000. Point72 Asia Hong Kong Ltd bought a new position in shares of Copa during the first quarter valued at about $130,000. Envestnet Asset Management Inc. raised its stake in shares of Copa by 60.9% during the fourth quarter. Envestnet Asset Management Inc. now owns 1,371 shares of the transportation company's stock valued at $184,000 after acquiring an additional 519 shares during the last quarter. Landscape Capital Management L.L.C. bought a new position in shares of Copa during the first quarter valued at about $203,000. Finally, Cerebellum GP LLC raised its stake in shares of Copa by 87.6% during the second quarter. Cerebellum GP LLC now owns 1,769 shares of the transportation company's stock valued at $167,000 after acquiring an additional 826 shares during the last quarter. 66.64% of the stock is owned by institutional investors and hedge funds. Get Copa alerts: +Several brokerages have recently commented on CPA. Cowen lowered their price objective on shares of Copa from $140.00 to $130.00 and set a "market perform" rating for the company in a research note on Friday, May 11th. ValuEngine cut shares of Copa from a "hold" rating to a "sell" rating in a research report on Thursday, May 3rd. UBS Group upgraded shares of Copa from a "sell" rating to a "buy" rating and set a $68.00 price target on the stock in a research report on Thursday, May 24th. Raymond James upgraded shares of Copa from an "outperform" rating to a "strong-buy" rating in a research report on Wednesday, June 20th. Finally, HSBC upgraded shares of Copa from a "hold" rating to a "buy" rating in a research report on Friday, June 22nd. Three research analysts have rated the stock with a sell rating, four have issued a hold rating, six have given a buy rating and one has given a strong buy rating to the stock. The stock presently has a consensus rating of "Hold" and a consensus price target of $117.22. Shares of NYSE CPA opened at $86.71 on Friday. Copa Holdings, S.A. has a 1 year low of $81.51 and a 1 year high of $141.34. The company has a debt-to-equity ratio of 0.40, a quick ratio of 1.00 and a current ratio of 1.08. The stock has a market cap of $3.49 billion, a P/E ratio of 10.01, a P/E/G ratio of 0.95 and a beta of 1.76. +Copa (NYSE:CPA) last announced its quarterly earnings results on Wednesday, August 8th. The transportation company reported $1.18 earnings per share (EPS) for the quarter, missing the consensus estimate of $1.28 by ($0.10). Copa had a net margin of 14.58% and a return on equity of 18.29%. The company had revenue of $634.10 million for the quarter, compared to analysts' expectations of $659.06 million. During the same quarter in the prior year, the firm earned $1.48 EPS. Copa's quarterly revenue was up 10.5% compared to the same quarter last year. equities analysts predict that Copa Holdings, S.A. will post 9.39 EPS for the current fiscal year. +The business also recently declared a quarterly dividend, which will be paid on Friday, September 14th. Investors of record on Friday, August 31st will be given a dividend of $0.87 per share. This represents a $3.48 annualized dividend and a dividend yield of 4.01%. The ex-dividend date of this dividend is Thursday, August 30th. Copa's dividend payout ratio is currently 40.18%. +About Copa +Copa Holdings, SA, through its subsidiaries, provides airline passenger and cargo services. The company offers flights to 75 destinations in 31 countries in North, Central, and South America, as well as the Caribbean. As of April 12, 2018, it operated a fleet of 101 aircraft comprising 81 Boeing 737NG aircraft and 20 EMBRAER-190s aircraft. +Recommended Story: What is the Book Value of a Share? +Want to see what other hedge funds are holding CPA? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Copa Holdings, S.A. (NYSE:CPA). Receive News & Ratings for Copa Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Copa and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4633.txt b/input/test/Test4633.txt new file mode 100644 index 0000000..0ed9022 --- /dev/null +++ b/input/test/Test4633.txt @@ -0,0 +1,9 @@ +21.32% +Risk and Volatility +Bayerische Motoren Werke has a beta of 1.61, suggesting that its stock price is 61% more volatile than the S&P 500. Comparatively, MONOTARO Co Ltd/ADR has a beta of -0.21, suggesting that its stock price is 121% less volatile than the S&P 500. +Summary +MONOTARO Co Ltd/ADR beats Bayerische Motoren Werke on 6 of the 10 factors compared between the two stocks. +About Bayerische Motoren Werke +Bayerische Motoren Werke Aktiengesellschaft, together with its subsidiaries, develops, manufactures, and sells automobiles and motorcycles, and spare parts and accessories worldwide. The company operates through Automotive, Motorcycles, and Financial Services segments. The Automotive segment develops, manufactures, assembles, and sells automobiles and off-road vehicles under the BMW, MINI, and Rolls-Royce brands; and spare parts and accessories, as well as offers mobility services. This segment sells its products through independent and authorized dealerships. The Motorcycles segment develops, manufactures, assembles, and sells motorcycles under the BMW Motorrad brand; and spare parts and accessories. The Financial Services segment is involved in automobile leasing, fleet and multi-brand business, retail and dealership financing, customer deposit business, and insurance activities. Bayerische Motoren Werke Aktiengesellschaft was founded in 1916 and is based in Munich, Germany. +About MONOTARO Co Ltd/ADR +MonotaRO Co., Ltd., together with its subsidiaries, imports and sells MRO products in Japan and internationally. It offers products in various categories, such as safety and health protection equipment/signs, logistics/packing goods, office tapes and cleaning supplies, cutting tools/abrasive materials, measurement/surveying equipment, work tools/electric/pneumatic tools, spray oil grease/ adhesion repair/welding supplies, pneumatic equipment/hydraulic equipment/hoses, and bearings/machine parts/casters. The company also provides electrical materials/control equipment/solder ESD protection equipment; building hardware, building materials, and painting interior goods; air conditioning electrical installation/pump/piping, water circulation equipment; screws, bolts, nails, and materials; automotive/truck equipment; bike and bicycle accessories; scientific research and development articles; kitchen equipment; agricultural materials and garden products; and medical/nursing care products. It serves manufacturing, automobile maintenance, and construction industries. MonotaRO Co., Ltd. also offers its products online. The company was formerly known as Sumisho Grainger Co., Ltd. and changed its name to MonotaRO Co., Ltd. in 2006. MonotaRO Co., Ltd. was founded in 2000 and is headquartered in Amagasaki, Japan. Receive News & Ratings for Bayerische Motoren Werke Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Bayerische Motoren Werke and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4634.txt b/input/test/Test4634.txt new file mode 100644 index 0000000..99e6603 --- /dev/null +++ b/input/test/Test4634.txt @@ -0,0 +1 @@ +Brazil publishes consultation to adapt 2.3 GHz band for 5G 12:03 CET | News Brazil's National Telecommunications Agency (Anatel) has launched a public consultation on the proposal for a regulation on the conditions of use of the 2.3 GHz band for 5G. The regulator proposes that private limited services (SLP) could continue for certain group of users in the band, alongside the development of mobile services \ No newline at end of file diff --git a/input/test/Test4635.txt b/input/test/Test4635.txt new file mode 100644 index 0000000..ac94cd0 --- /dev/null +++ b/input/test/Test4635.txt @@ -0,0 +1,7 @@ +Tweet +RealPage Inc (NASDAQ:RP) EVP Andrew Blount sold 32,500 shares of the business's stock in a transaction that occurred on Friday, August 10th. The stock was sold at an average price of $59.45, for a total value of $1,932,125.00. Following the transaction, the executive vice president now directly owns 194,154 shares in the company, valued at $11,542,455.30. The transaction was disclosed in a legal filing with the SEC, which is available at this hyperlink . +RP opened at $58.45 on Friday. The firm has a market capitalization of $5.58 billion, a P/E ratio of 162.36 and a beta of 1.07. RealPage Inc has a 1 year low of $38.40 and a 1 year high of $61.95. The company has a quick ratio of 0.96, a current ratio of 0.96 and a debt-to-equity ratio of 0.28. Get RealPage alerts: +RealPage (NASDAQ:RP) last released its quarterly earnings results on Thursday, August 2nd. The software maker reported $0.37 earnings per share (EPS) for the quarter, meeting the Thomson Reuters' consensus estimate of $0.37. The business had revenue of $216.36 million during the quarter, compared to the consensus estimate of $215.14 million. RealPage had a return on equity of 10.56% and a net margin of 0.69%. The firm's quarterly revenue was up 33.3% on a year-over-year basis. During the same period in the previous year, the company posted $0.23 EPS. research analysts expect that RealPage Inc will post 1.03 EPS for the current fiscal year. A number of institutional investors and hedge funds have recently added to or reduced their stakes in the stock. Envestnet Asset Management Inc. lifted its position in shares of RealPage by 48.1% during the 4th quarter. Envestnet Asset Management Inc. now owns 8,040 shares of the software maker's stock valued at $356,000 after acquiring an additional 2,610 shares during the period. Xact Kapitalforvaltning AB bought a new stake in shares of RealPage during the 4th quarter valued at $231,000. Wells Fargo & Company MN lifted its position in shares of RealPage by 14.4% during the 1st quarter. Wells Fargo & Company MN now owns 827,093 shares of the software maker's stock valued at $42,595,000 after acquiring an additional 103,942 shares during the period. Frontier Capital Management Co. LLC lifted its position in shares of RealPage by 11.5% during the 1st quarter. Frontier Capital Management Co. LLC now owns 211,216 shares of the software maker's stock valued at $10,878,000 after acquiring an additional 21,711 shares during the period. Finally, Monarch Partners Asset Management LLC bought a new stake in shares of RealPage during the 1st quarter valued at $8,504,000. Institutional investors and hedge funds own 80.55% of the company's stock. +Several analysts recently issued reports on RP shares. Zacks Investment Research downgraded RealPage from a "hold" rating to a "sell" rating in a research note on Wednesday, July 11th. KeyCorp boosted their price target on RealPage from $61.00 to $65.00 and gave the company an "overweight" rating in a research note on Friday, May 4th. BidaskClub upgraded RealPage from a "hold" rating to a "buy" rating in a research note on Saturday, July 14th. Royal Bank of Canada boosted their price target on RealPage to $64.00 and gave the company a "sector perform" rating in a research note on Friday, August 3rd. Finally, Morgan Stanley set a $62.00 price target on RealPage and gave the company a "buy" rating in a research note on Friday, May 4th. Two equities research analysts have rated the stock with a hold rating and six have given a buy rating to the company. The company presently has an average rating of "Buy" and a consensus price target of $63.88. +About RealPage +RealPage, Inc provides software and data analytics for the real estate industry in the United States. It offers OneSite, a property management solution for multi-family, affordable property, rural housing, military housing, senior and student living, and commercial property types; and Propertyware for accounting, maintenance and work order management, marketing, spend management, portal services, and screening and payment solutions \ No newline at end of file diff --git a/input/test/Test4636.txt b/input/test/Test4636.txt new file mode 100644 index 0000000..ca681a7 --- /dev/null +++ b/input/test/Test4636.txt @@ -0,0 +1,10 @@ +Tweet +Engineers Gate Manager LP purchased a new position in shares of Integer Holdings Corp (NYSE:ITGR) during the 2nd quarter, HoldingsChannel reports. The institutional investor purchased 16,734 shares of the medical equipment provider's stock, valued at approximately $1,082,000. +Several other institutional investors and hedge funds have also modified their holdings of ITGR. Mount Yale Investment Advisors LLC acquired a new stake in Integer in the first quarter valued at approximately $140,000. Verition Fund Management LLC acquired a new stake in Integer in the first quarter valued at approximately $200,000. South State Corp acquired a new stake in Integer in the second quarter valued at approximately $200,000. Hsbc Holdings PLC acquired a new stake in Integer in the first quarter valued at approximately $229,000. Finally, Aperio Group LLC acquired a new stake in Integer in the second quarter valued at approximately $251,000. 96.67% of the stock is currently owned by institutional investors and hedge funds. Get Integer alerts: +Several brokerages recently weighed in on ITGR. Zacks Investment Research raised shares of Integer from a "hold" rating to a "buy" rating and set a $73.00 target price on the stock in a report on Wednesday, June 20th. Argus began coverage on shares of Integer in a report on Wednesday, June 27th. They issued a "buy" rating and a $78.00 target price on the stock. Royal Bank of Canada reaffirmed a "hold" rating and issued a $72.00 target price on shares of Integer in a report on Friday, August 3rd. Northcoast Research raised shares of Integer from a "neutral" rating to a "buy" rating in a report on Friday, July 13th. Finally, KeyCorp reaffirmed an "overweight" rating and issued a $78.00 target price (up previously from $65.00) on shares of Integer in a report on Friday, July 6th. They noted that the move was a valuation call. Two analysts have rated the stock with a hold rating and five have assigned a buy rating to the stock. The stock currently has an average rating of "Buy" and an average target price of $76.80. In other Integer news, CFO Jeremy Friedman sold 6,326 shares of the stock in a transaction that occurred on Monday, August 6th. The shares were sold at an average price of $72.01, for a total value of $455,535.26. Following the transaction, the chief financial officer now directly owns 8,366 shares in the company, valued at $602,435.66. The sale was disclosed in a legal filing with the Securities & Exchange Commission, which is accessible through the SEC website . Corporate insiders own 3.60% of the company's stock. +Shares of Integer stock opened at $70.80 on Friday. The company has a market capitalization of $2.26 billion, a price-to-earnings ratio of 25.20, a P/E/G ratio of 1.32 and a beta of 0.86. Integer Holdings Corp has a 52 week low of $42.50 and a 52 week high of $76.85. The company has a debt-to-equity ratio of 1.64, a quick ratio of 2.95 and a current ratio of 3.80. +Integer (NYSE:ITGR) last announced its quarterly earnings results on Thursday, August 2nd. The medical equipment provider reported $1.06 EPS for the quarter, beating the Thomson Reuters' consensus estimate of $0.88 by $0.18. The company had revenue of $313.00 million for the quarter, compared to analyst estimates of $379.41 million. Integer had a net margin of 6.63% and a return on equity of 12.60%. The firm's revenue was up 11.4% on a year-over-year basis. During the same period in the prior year, the firm posted $0.62 earnings per share. analysts anticipate that Integer Holdings Corp will post 3.57 EPS for the current fiscal year. +Integer Company Profile +Integer Holdings Corporation operates as a medical device outsource manufacturer worldwide. It operates through two segments, Medical and Non-Medical. The company offers arthroscopic devices and components, such as shaver blades and burrs, ablation probes, and suture anchors; laparoscopic and general surgery products, including trocars, endoscopes and laparoscopes, closure devices, harmonic scalpels, bipolar energy delivery devices, radio frequency probes, thermal tumor ablation devices, and ophthalmic surgery devices; and biopsy and drug delivery products. +See Also: Momentum Indicator: Relative Strength Index +Want to see what other hedge funds are holding ITGR? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Integer Holdings Corp (NYSE:ITGR). Receive News & Ratings for Integer Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Integer and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4637.txt b/input/test/Test4637.txt new file mode 100644 index 0000000..704f835 --- /dev/null +++ b/input/test/Test4637.txt @@ -0,0 +1,11 @@ +Tweet +Catalyst Capital Advisors LLC bought a new position in shares of Wingstop Inc (NASDAQ:WING) during the 2nd quarter, according to the company in its most recent 13F filing with the Securities & Exchange Commission. The institutional investor bought 2,250 shares of the restaurant operator's stock, valued at approximately $118,000. +Other hedge funds have also made changes to their positions in the company. BlackRock Inc. raised its position in Wingstop by 1.3% in the 1st quarter. BlackRock Inc. now owns 3,734,552 shares of the restaurant operator's stock valued at $176,384,000 after buying an additional 47,285 shares during the last quarter. Victory Capital Management Inc. raised its position in Wingstop by 15,155.8% in the 1st quarter. Victory Capital Management Inc. now owns 944,638 shares of the restaurant operator's stock valued at $44,615,000 after buying an additional 938,446 shares during the last quarter. Dimensional Fund Advisors LP raised its position in Wingstop by 8.1% in the 1st quarter. Dimensional Fund Advisors LP now owns 776,468 shares of the restaurant operator's stock valued at $36,673,000 after buying an additional 57,897 shares during the last quarter. Bank of New York Mellon Corp raised its position in Wingstop by 4.1% in the 2nd quarter. Bank of New York Mellon Corp now owns 516,297 shares of the restaurant operator's stock valued at $26,909,000 after buying an additional 20,377 shares during the last quarter. Finally, Wells Fargo & Company MN raised its position in Wingstop by 23.4% in the 2nd quarter. Wells Fargo & Company MN now owns 413,579 shares of the restaurant operator's stock valued at $21,556,000 after buying an additional 78,515 shares during the last quarter. Get Wingstop alerts: +In other Wingstop news, insider Stacy Peterson sold 5,259 shares of the company's stock in a transaction dated Tuesday, August 7th. The stock was sold at an average price of $58.87, for a total value of $309,597.33. Following the completion of the transaction, the insider now owns 31,423 shares of the company's stock, valued at approximately $1,849,872.01. The sale was disclosed in a legal filing with the SEC, which is available through the SEC website . Also, Chairman Charles R. Morrison sold 17,000 shares of the company's stock in a transaction dated Wednesday, August 8th. The stock was sold at an average price of $60.13, for a total value of $1,022,210.00. The disclosure for this sale can be found here . Insiders have sold a total of 40,271 shares of company stock valued at $2,287,198 in the last three months. 1.70% of the stock is owned by insiders. WING opened at $63.73 on Friday. The firm has a market capitalization of $1.76 billion, a P/E ratio of 86.12, a PEG ratio of 3.66 and a beta of 0.81. Wingstop Inc has a 1 year low of $31.53 and a 1 year high of $64.18. The company has a quick ratio of 0.68, a current ratio of 0.68 and a debt-to-equity ratio of -1.53. +Wingstop (NASDAQ:WING) last announced its quarterly earnings data on Thursday, August 2nd. The restaurant operator reported $0.23 earnings per share for the quarter, beating the Thomson Reuters' consensus estimate of $0.20 by $0.03. The firm had revenue of $37.04 million during the quarter, compared to analysts' expectations of $36.92 million. Wingstop had a negative return on equity of 24.63% and a net margin of 22.15%. The company's quarterly revenue was up 17.3% compared to the same quarter last year. During the same period in the previous year, the firm earned $0.18 EPS. research analysts expect that Wingstop Inc will post 0.84 EPS for the current fiscal year. +The firm also recently declared a quarterly dividend, which will be paid on Tuesday, September 18th. Stockholders of record on Tuesday, September 4th will be issued a dividend of $0.09 per share. The ex-dividend date of this dividend is Friday, August 31st. This represents a $0.36 dividend on an annualized basis and a dividend yield of 0.56%. This is a boost from Wingstop's previous quarterly dividend of $0.07. Wingstop's payout ratio is 37.84%. +A number of research analysts have weighed in on the company. Stifel Nicolaus raised their price target on Wingstop from $56.00 to $58.00 and gave the company a "buy" rating in a research note on Friday, May 4th. Barclays lifted their target price on Wingstop from $48.00 to $52.00 and gave the stock an "equal weight" rating in a research note on Monday, August 6th. BidaskClub downgraded Wingstop from a "strong-buy" rating to a "buy" rating in a research note on Saturday, May 12th. ValuEngine upgraded Wingstop from a "buy" rating to a "strong-buy" rating in a research note on Wednesday, May 2nd. Finally, Stephens reiterated a "buy" rating and set a $57.00 target price on shares of Wingstop in a research note on Friday, August 3rd. One equities research analyst has rated the stock with a sell rating, six have given a hold rating, nine have issued a buy rating and two have issued a strong buy rating to the stock. The stock currently has an average rating of "Buy" and a consensus target price of $53.79. +Wingstop Profile +Wingstop Inc, together with its subsidiaries, franchises and operates restaurants under the Wingstop brand name. Its restaurants offer cooked-to-order, hand-sauced, and tossed chicken wings. As of February 22, 2018, the company operated approximately 1,000 restaurants the United States, Mexico, Singapore, the Philippines, Indonesia, the United Arab Emirates, Malaysia, Saudi Arabia, and Colombia. +Read More: Using the New Google Finance Tool +Want to see what other hedge funds are holding WING? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Wingstop Inc (NASDAQ:WING). Receive News & Ratings for Wingstop Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Wingstop and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4638.txt b/input/test/Test4638.txt new file mode 100644 index 0000000..6c2b1e3 --- /dev/null +++ b/input/test/Test4638.txt @@ -0,0 +1,33 @@ +Columnists Here's how small businesses can get a bigger piece of the pie in Philly, advocates say Diane Mastrull | @dmastrull | Melissa Muroff, president of Roofmeadow, poses at Cira Green Park August 7, 2018, the garage-top park her small business was hired to create. She is a proponent of all the SBN recommendations to increase small business' chances at getting jobs from government and major institutions in the city, but does not want to leave the impression that small businesses are looking for handouts. TOM GRALISH +If you have experienced the magnificence of Cira Green, the 1.25-acre park nine stories above the bustle of Philadelphia's booming University City that offers lush lawns, refreshing breezes, and stunning views of downtown office towers, you have witnessed what extraordinary work the region's small-business community can do. +If only it could get more opportunities, advocates say. +Many obstacles stand in the way, including procurement processes by the city and major private-sector employers that aren't well-publicized and involve complex application procedures often beyond the capacity of resource-restricted small businesses. Those are among the findings in a new report by the Sustainable Business Network of Greater Philadelphia, an advocacy group. +"We're at least asking for a level playing field," said Melissa Muroff, an SBN board member and president of Roofmeadow, a 21-year-old, seven-member landscape architecture and engineering firm based in Mount Airy. Its most notable project is Cira Green, owned and developed by Brandywine Realty Trust. With an expertise in depth-limited environments, Roofmeadow was a subconsultant to Erdy McHenry Architecture on the $12 million project, the city's first elevated park , one that also includes a sophisticated storm water management system. DIANE MASTRULL A recent yoga class at Cira Green. +Philadelphia has 93,000 small-business owners, responsible for creating about 54 percent of all jobs, according to SBN. Yet for all their impact, they are a group feeling at a considerable disadvantage. +"Many businesses involved in the research indicated that they did not have the relationships they needed to successfully know about and bid on project opportunities," states the 17-page SBN report, "Local Procurement: An Evaluation of Barriers and Solutions from the Business Perspective ." It contains nearly a dozen recommendations based on input from nearly 200 local independent businesses, with a particular focus on women, minority and/or disadvantaged-owned businesses. +"For the most part, we weren't surprised," Anna Shipp, executive director of SBN, founded in 2001, said of the research findings. "For the most part, this really validated what we've heard anecdotally." +The report was funded by $50,000 from the William Penn and Surdna Foundations and builds off SBN's 2011 call to action, Taking Care of Business: Improving Philadelphia's Small-Business Climate. +>> READ MORE : Diane Mastrull: Pointing out the obstacles +The goal of "Local Procurement" was to identify barriers that locally owned businesses face in accessing contract opportunities with local government and major companies and ways to help overcome them, Shipp said, citing a "perfect storm" of developments for its timing. +They included a 2014 report by the city Office of the Controller that found less than half of the more than $5 billion in annual purchases for goods and services by Philadelphia's universities and hospitals was spent on local businesses. That, combined with "a lot of anecdotal stories over the years from our members" about barriers to work with the city and its anchor institutions, along with a new city administration in January 2016, convinced SBN "it was the right time to do something more formal to engage our businesses and put on paper what some of these challenges were," Shipp said. +Overcoming them could be beneficial not only to small businesses but to the government entities and bigger businesses they want more chances to serve, Shipp said. +"We know there's a lot of highly capable, very brilliant businesses here in the city and the region, and to know that they're struggling to access these opportunities means that there's missed opportunities even for those anchors to connect with qualified local business," she said. +According to the 2014 Controller's Office report, every $1 million spent by anchor institutions with local vendors supports 10 additional local jobs, and if that spending increased by 25 percent, it would mean $1 billion in additional local expenditures each year, support an additional 4,400 jobs, and increase annual tax revenue for the city by about $14 million. +The SBN report acknowledges that progress has been made since then, such as Mayor Kenney creating the Chief Administrative Office, tasked with modernizing and improving the efficiency of city services. And in May 2017, Philadelphia voters approved a ballot question that gives small businesses a better shot at nonprofessional services contracts by allowing for such work to be awarded based on "best value" rather than lowest price. Pricing is often where small businesses are at the greatest competitive disadvantage. +Among SBN's recommendations: +• Help businesses build stronger relationships with important procurement contacts. +• Support collaborations between small businesses to enhance their ability to successfully respond to requests for proposals (RFPs). +• Increase local businesses' awareness of relevant RFPs. +• Provide overview training on the procurement processes followed by the city and other major employers. +• Create more opportunities for small businesses to bid directly through smaller contracts or as subcontractors on projects. +"At the end of the day, we want to be a good vendor partner," said Christine Derenick-Lopez, Philadelphia's chief administrative officer. "The city needs services from folks out there. … The more competition, the better pricing we're going to have." +Derenick-Lopez said the SBN report "reaffirms" some of the changes her office has been working on with the Office of Economic Opportunity to improve the process for engaging the vendor community. That includes speeding up payments to businesses doing work for the city, and executing contracts faster. +Derenick-Lopez said her office intends to meet with chambers of commerce and other business advocacy groups to help demystify city procurement processes. It is also working with individual city departments to help ensure predictability and transparency around RFPs, and to provide small businesses with prebid opportunities to evaluate projects and network with larger companies for possible subcontracting opportunities. +Much like what Roofmeadow did on Cira Green, a private job. Muroff said she mostly avoids government work. TOM GRALISH Melissa Muroff, president of Roofmeadow, designers of Cira Green, said small businesses shouldn't get jobs unless they are qualified for them. +"My sense has been that there are sort of a handful of firms that do work for the city and the lead firms are going to be big firms and unless you're embedded with one of those handful of big firms already, it's not likely even worth the time [to respond to an RFP.] You're not likely to win," Muroff said. +Marc Coleman's Philadelphia-based software development company of 15 employees, the Tactile Group, has managed to get some substantial city work. Last year, that included designing and developing a website for Philadelphia's pitch to land Amazon's second headquarters. MICHAEL BRYANT Anna Shipp, the executive director of Sustainable Business Network of Greater Philadelphia, with Marc Coleman, whose small business, the Tactile Group, worked on Philadelphia's Amazon headquarters pitch. +"It's tricky," Coleman said of securing city work. "You have to really know where to look for the opportunities." +Winning private work is even harder, he said. +"The kind of larger enterprise businesses we'd work with have their set vendors they work with all the time, or they are lowest priced," Coleman said. "There's nothing I can do to win that work." +Muroff emphasized she and SBN are not advocating for pity work. +"My reaction isn't we all deserve a handout," she said. "If the approach we're pitching isn't more appealing, then we shouldn't win. \ No newline at end of file diff --git a/input/test/Test4639.txt b/input/test/Test4639.txt new file mode 100644 index 0000000..a0407a2 --- /dev/null +++ b/input/test/Test4639.txt @@ -0,0 +1,6 @@ +10.or Teases New Smartphone Launch in India on August 22 10.or Teases New Smartphone Launch in India on August 22 Ankit Chawla , 17 August 2018 The 10.or smartphone's name has not yet been officially confirmed by the brand. Highlights A teaser for the phone was posted on Twitter A landing page for the handset is live on Amazon.in Launch is set for August 22 in India +Amazon's smartphone brand 10.or (pronounced Tenor) came to India in September last year and has since launched its affordable range of phones including the 10.or G , 10.or E , and 10.or D in the country. As per a new teaser shared by the brand on its social media accounts and a landing page that has appeared on Amazon.in, 10.or is launching its latest smartphone in India on August 22, the same day the Poco F1 and the Samsung Galaxy Note 9 are expected to make their way to the Indian market. Let's have a look at what the trailer reveals about 10.or's new handset. +A landing page on with a 'Notify Me' button is already live on Amazon.in suggesting that "The next is here". 10.or India took to its official Twitter account on Thursday to tease the launch of the upcoming smartphone. +"We know you've been waiting for what's next and it's finally here! Stay tuned for the full reveal on 22 August. Get ready for a new smartphone experience Created By Us, #DefinedByYou!" said the tweet. Both the Amazon landing page tweet contain a video thay reveals the 10.or smartphone will sport a 5.45-inch display with an aspect ratio of 18:9 - it's expected to have a possible resolution of 720x1440 pixels. The 10.or phone will most likely run stock Android out-of-the-box, much like the company's other offerings. It will be sold exclusively via Amazon.in, as has been the case with previous 10.or handsets. +None of the other specifications or features are mentioned in the teaser or landing page, and users will have to wait till next week to find out more about the smartphone including pricing and availability details. +To recall, the 10.or D was launched in India in December last year. The phone is priced at Rs. 4,999 for the 2GB RAM/ 16GB storage variant and Rs. 5,999 for the model with 3GB RAM and 32GB onboard storage. Earlier this month, the 10.or D received an upgrade to Android 8.1 Oreo with the June security patch. Affiliate links may be automatically generated - see our ethics statement for details \ No newline at end of file diff --git a/input/test/Test464.txt b/input/test/Test464.txt new file mode 100644 index 0000000..5308ccb --- /dev/null +++ b/input/test/Test464.txt @@ -0,0 +1,5 @@ +Tweet +Mondi (LON:MNDI) 's stock had its "overweight" rating reaffirmed by investment analysts at JPMorgan Chase & Co. in a research report issued on Friday. +Several other equities analysts also recently commented on the stock. Goldman Sachs Group downgraded shares of Mondi to a "neutral" rating in a research note on Thursday, May 17th. Deutsche Bank increased their price objective on shares of Mondi from GBX 2,300 ($29.34) to GBX 2,400 ($30.62) and gave the company a "buy" rating in a research note on Thursday, May 17th. Credit Suisse Group increased their price objective on shares of Mondi from GBX 2,243.64 ($28.62) to GBX 2,475 ($31.57) and gave the company an "outperform" rating in a research note on Friday, May 18th. Jefferies Financial Group reissued a "buy" rating on shares of Mondi in a research note on Monday, August 6th. Finally, UBS Group increased their price objective on shares of Mondi from GBX 2,300 ($29.34) to GBX 2,400 ($30.62) and gave the company a "buy" rating in a research note on Monday, August 6th. One investment analyst has rated the stock with a hold rating and seven have issued a buy rating to the company. Mondi currently has an average rating of "Buy" and an average price target of GBX 2,390.71 ($30.50). Get Mondi alerts: +Shares of LON:MNDI opened at GBX 2,103 ($26.83) on Friday. Mondi has a one year low of GBX 1,684 ($21.48) and a one year high of GBX 2,145 ($27.36). About Mondi +Mondi plc manufactures and sells packaging and paper products primarily in central Europe, Russia, North America, and South Africa. Its products include virgin and recycled containerboards, sack and specialty kraft papers, pulp, corrugated packaging products, industrial bags, extrusion coatings, films and hygiene components, release liners, consumer goods packaging products, office and professional printing papers, and barrier coatings, as well as pre-made bags and pouches, printed laminates, and high-barrier films for the consumer industry \ No newline at end of file diff --git a/input/test/Test4640.txt b/input/test/Test4640.txt new file mode 100644 index 0000000..4ff3d6f --- /dev/null +++ b/input/test/Test4640.txt @@ -0,0 +1,6 @@ +August 16, 2018 11:20pm 0 Comments Idrees Patel Gmail's confidential mode to send emails that auto-expire is rolling out for mobile devices In April, a brand new design of Gmail was leaked with new features such as snoozing, Smart Reply, and offline support. A report stated that Google was working on a new "confidential mode" feature in Gmail that would enable users to send emails that automatically expire. Gmail's new redesign started rolling out in May, bringing support for confidential mode on the web client. Google has officially announced via Twitter that confidential mode in Gmail is now available on mobile devices as well. Confidential mode is now available on mobile devices and can help you protect sensitive information from unauthorized access. Learn more about this feature → https://t.co/lmQNElH6C1 pic.twitter.com/Nxtx2yU0pG +— Gmail (@gmail) August 16, 2018 +The company's support page describes confidential mode in more detail. Google states that users can send messages and attachments with Gmail's confidential mode to help protect sensitive information from unauthorized access. They can use confidential mode to set an expiration date for messages or even revoke access at any time. (Users can choose from expiration options such as one week, one month, etc.) The confidential message's recipients will have the options to forward, copy, and print it, along with download disabled. +Google also notes that although confidential mode helps prevent the confidential email's recipients from accidentally sharing your email, it doesn't prevent them from taking screenshots or photos of the users messages and attachments. The company warns that recipients who have malicious programs on their computer may still be able to copy or download the user's messages and attachments. Also, the confidential mode feature isn't currently available for G Suite customers. +For users of the Gmail web client, Google's support page notes that confidential mode isn't available in classic Gmail. Users using Gmail with a work or school account will need to contact their administrator in order to use confidential mode. +Users can view instructions for sending confidential messages, revoking access early, and opening emails sent with confidential message at a Google support page \ No newline at end of file diff --git a/input/test/Test4641.txt b/input/test/Test4641.txt new file mode 100644 index 0000000..f06473e --- /dev/null +++ b/input/test/Test4641.txt @@ -0,0 +1,6 @@ +August 16, 2018 11:55pm 0 Comments Idrees Patel Motorola Moto Z Play & Moto G 2015 get unofficial Android Pie ports It didn't take long for the development community to start porting Android 9 Pie to older devices. Android Pie's source code was uploaded on August 6 after the roll-out of official updates for the Google Pixel /Xl and the Google Pixel 2 /XL. For Xiaomi devices, the development community ported Android Pie to older devices particularly quickly. The Xiaomi Redmi Note 4 received a stable Android 9 Pie port with everything working , and the port was then ported to the Xiaomi Redmi 4X . Other Xiaomi phones such as the Xiaomi Mi 3 /Mi 4, Xiaomi Mi A1, and the Xiaomi Redmi Note 5 Pro have also received unofficial AOSP Android 9 ports . In terms of other device makers, the popular Asus ZenFone Max Pro M1 has received an AOSP Android 9 Pie port . Now, the Motorola Moto Z Play and the Moto G 2015 are joining the list of phones that have received unofficial Pie ports. +Recently, Motorola's update record with Android version updates hasn't been especially good. For example, the Moto G5 and the Moto G5S series still hasn't received a wide roll-out of Android Oreo . The Moto E5 series will not receive official Android Pie updates , despite the fact the phones were released in April this year. Motorola typically commits to a single Android version update for the budget/lower mid-range Moto G series. This is why the contributions of the development community are important for users looking to extend their device life cycle. +AOSP Android Pie has been ported for the Motorola Moto Z Play (device code-name: addison). The list of things not working includes encryption and VoLTE, and SELinux is set to permissive. Also, Moto Mods are not supported. +Moto Z Play users will need to have an Android Nougat or Android Oreo bootloader, otherwise TWRP will deny the installation by presenting the user with a message about the wrong bootloader. Users can upgrade to the newer bootloader by following the instructions mentioned in the linked thread . The developer also notes that encryption is not yet supported (because Qualcomm's sources for it haven't been released yet), which means that users will need to format data via TWRP or use the fastboot erase userdata command. By doing this, they will lose all of their data in the internal storage, including apps, photos, and downloads. Instructions on how to flash the ROM can be found at the source link . +Separately, an unofficial build of LineageOS 16.0 is available for the Moto G 2015 (device code-name; osprey). The developer for the build states that it has been modded to mount the /cache partition as the the /vendor partition and all device blobs have been hexed and moved to vendor. The old Moto blobs have been moved to vendor and launched separately, and the developer says that it makes the ROM fast and light. Therefore, it's in an early stage of Project Treble support, but it isn't a complete Project Treble build. +The list of things not working includes VoLTE and enforcing SELinux, apart from uncertain minor bugs. The ROM requires a vendor enabled TWRP, which can be downloaded from here \ No newline at end of file diff --git a/input/test/Test4642.txt b/input/test/Test4642.txt new file mode 100644 index 0000000..c796256 --- /dev/null +++ b/input/test/Test4642.txt @@ -0,0 +1,3 @@ +comes up as $2.88…got the sports one for $2.24 +1 vote +Reminder for all those out there who love the environment extremely. This contains those micro particle plastics I am fairly sure. +If digested what would happen. \ No newline at end of file diff --git a/input/test/Test4643.txt b/input/test/Test4643.txt new file mode 100644 index 0000000..b617e59 --- /dev/null +++ b/input/test/Test4643.txt @@ -0,0 +1 @@ +Electric car maker Tesla's CEO Elon Musk admitted to The New York Times that stress is taking a heavy toll on him personally in what he calls an "excruciating" year. .. \ No newline at end of file diff --git a/input/test/Test4644.txt b/input/test/Test4644.txt new file mode 100644 index 0000000..6bbfa76 --- /dev/null +++ b/input/test/Test4644.txt @@ -0,0 +1,8 @@ +Print By - Associated Press - Friday, August 17, 2018 +RIDGELAND, S.C. (AP) - A South Carolina woman has been arrested and charged with taking nearly $250,000 from Jasper County. +State Law Enforcement Division spokesman Thom Berry said in a news release that 56-year-old Denise Smith of Ridgeland worked in the Jasper County Finance Office. +She's accused of taking more than $247,000 between 2012 and 2017 and using the money for her personal benefit. +A warrant said Smith created invoices for a fake tree service which county officials paid. The warrant says Smith is seen withdrawing money from the non-existent company's bank account. +The sheriff's office asked SLED to investigate. +Smith is being held in the county jail. It was not known if she has an attorney. + Th \ No newline at end of file diff --git a/input/test/Test4645.txt b/input/test/Test4645.txt new file mode 100644 index 0000000..cdcdc50 --- /dev/null +++ b/input/test/Test4645.txt @@ -0,0 +1,10 @@ +Tweet +Bowling Portfolio Management LLC decreased its stake in Citi Trends, Inc. (NASDAQ:CTRN) by 18.0% in the 2nd quarter, HoldingsChannel.com reports. The institutional investor owned 27,549 shares of the company's stock after selling 6,054 shares during the period. Bowling Portfolio Management LLC's holdings in Citi Trends were worth $756,000 at the end of the most recent quarter. +Several other hedge funds also recently modified their holdings of CTRN. MetLife Investment Advisors LLC acquired a new stake in shares of Citi Trends in the fourth quarter valued at about $226,000. Element Capital Management LLC acquired a new stake in shares of Citi Trends in the first quarter valued at about $291,000. Cambria Investment Management L.P. acquired a new stake in shares of Citi Trends in the first quarter valued at about $296,000. Engineers Gate Manager LP acquired a new stake in shares of Citi Trends in the second quarter valued at about $358,000. Finally, Los Angeles Capital Management & Equity Research Inc. acquired a new stake in shares of Citi Trends in the second quarter valued at about $403,000. 91.04% of the stock is owned by institutional investors. Get Citi Trends alerts: +In other news, Director Jonathan Duskin sold 12,000 shares of the stock in a transaction dated Wednesday, May 30th. The stock was sold at an average price of $29.94, for a total value of $359,280.00. The sale was disclosed in a legal filing with the Securities & Exchange Commission, which is available at this hyperlink . Corporate insiders own 8.41% of the company's stock. Shares of CTRN stock opened at $29.56 on Friday. The stock has a market capitalization of $395.95 million, a PE ratio of 23.46 and a beta of 0.27. Citi Trends, Inc. has a 1-year low of $17.43 and a 1-year high of $32.49. +Citi Trends (NASDAQ:CTRN) last issued its quarterly earnings results on Wednesday, May 23rd. The company reported $0.83 earnings per share for the quarter, missing the consensus estimate of $0.90 by ($0.07). The company had revenue of $211.03 million during the quarter, compared to analyst estimates of $210.70 million. Citi Trends had a net margin of 2.22% and a return on equity of 9.21%. The company's quarterly revenue was up 5.5% on a year-over-year basis. During the same period in the previous year, the company posted $0.60 EPS. sell-side analysts expect that Citi Trends, Inc. will post 1.63 EPS for the current year. +CTRN has been the subject of several recent research reports. BidaskClub raised Citi Trends from a "hold" rating to a "buy" rating in a research note on Wednesday, June 27th. ValuEngine raised Citi Trends from a "hold" rating to a "buy" rating in a research note on Wednesday, May 16th. +About Citi Trends +Citi Trends, Inc operates as a value-priced retailer of urban fashion apparel and accessories. The company offers apparel, including fashion sportswear for men and women, as well as children, such as newborns, infants, toddlers, boys, and girls; accessories comprising handbags, jewelry, footwear, belts, intimate apparel, scrubs, and sleepwear; and functional and decorative home products, as well as beauty products, books, and toys. +Featured Article: Growth Stocks, What They Are, What They Are Not +Want to see what other hedge funds are holding CTRN? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Citi Trends, Inc. (NASDAQ:CTRN). Receive News & Ratings for Citi Trends Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Citi Trends and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4646.txt b/input/test/Test4646.txt new file mode 100644 index 0000000..0f68441 --- /dev/null +++ b/input/test/Test4646.txt @@ -0,0 +1,33 @@ +In a local strip mall, a chocolate camp for pastry chefs Joe Buglewicz / The New York Times Las Vegas-based master chocolatier Melissa Coppel teaches the art of molded chocolate work to students from around the world. By Tejal Rao, New York Times News Service Friday, Aug. 17, 2018 | 2 a.m. +The first lesson of the day concerned the spray gun — a powerful, deafening contraption filled with tinted cocoa butter. A dozen students from as far as New Zealand and Trinidad clustered together, taking photos of their teacher, the chocolatier Melissa Coppel, committing her every move to memory. +They noted the way she stirred and warmed the butter so it ran fluid from the gun. They watched how she adjusted her stance and pressure on the trigger, according to the fluctuating temperature, and the way she angled the trays so the glossy tops of each chocolate would be marked with a black-and-gold waxing moon. +"I always say, you have to develop a romantic relationship with your gun," Coppel said over the clamor of the machine. Her students laughed. "I'm not even joking," she added. +Coppel, 37, runs Atelier Melissa Coppel, a small chocolate school in a strip mall in the western Las Vegas Valley that shares the parking lot with an orthodontics office and a law firm. But with her meticulous, colorful style of making chocolates and more than 100,000 followers on Instagram, she draws pastry chefs from all over the world who want to learn by her side. +Her school is one of only a few places that teaches the art of molded chocolate work, a disappearing skill, at such a high level. As a result, it is competitive with a handful of much larger, long-standing institutions like the Chocolate Academy and the French Pastry School, both in Chicago. +Jenny McCoy, formerly a pastry chef at the restaurant Craft in New York, was at a recent class, alleviating what she described as an "existential pastry crisis." So was Michelle Solan, who was eager to start chocolate production at her bakery in Chaguanas, Trinidad. +Marisela Espinoza, the pastry chef of the Apothecary Shoppe, a Las Vegas marijuana dispensary, was gearing up to add her own luxuriously packaged chocolates to the edibles menu. Like many of Coppel's students, she noted that chocolate work is shrouded in mystery: Because the craft is considered elite, learning it was all but impossible in the traditional kitchens where she worked. +"Chocolatiers tend to be French, and they tend to be men, and they don't tend to share their techniques," Espinoza said, holding a dog-eared notebook. +Coppel works with international students at various levels of proficiency, and estimates that about 90 percent of her students are women. She teaches about 20 classes a year, each one usually covering several days. +Though the techniques she demonstrates are hard to master — from sealing chocolates neatly to balancing the water and sugar contents of ganaches — cooks can reproduce them at home, with some practice. (Coppel uses molds to produce her chocolates. Enrobed chocolates, usually cut from a slab and covered in melted chocolate, can require a bigger investment in equipment.) +"There are a lot of chocolatiers teaching chocolate, but what I do is very specific," Coppel said. "I'm like one of those surgeons who only operates on one particular bone behind the ear." +Her specialty: the molded bonbon. Coppel's molded bonbons, or chocolate shells filled with ganaches, caramels and crunches, are handmade and hand-decorated in acrylic trays, using a variety of intricate spray techniques and painted designs. +Nick Muncy, the editor of the pastry-focused magazine Toothache, described Coppel's chocolates as "very complex." +"She goes to the farthest difficulty that you can with bonbons," said Muncy, describing how each little bite often holds three or four different components, precisely layered. "It's just awesome that there's so much attention to detail, even inside a chocolate, which most people won't even see because they're just popping it into their mouth." +Coppel's fillings are fresh, complicated and sometimes unusual — a toasted poppy-seed crunch inside a floral tea-flavored ganache; a hazelnut gianduja with Japanese rice crackers; and a crème brûlée-like custard, speckled with tiny, pleasingly bitter shards of crunchy caramel that complete the reference, but lose their texture within days. These are chocolates made to be both admired and eaten — fast. +"Whatever the flavor, you can always taste it," Muncy said. +Coppel occasionally takes note of a student's question and comes back the next day with recipes she has developed especially for her, or the names and phone numbers of her purveyors. She is generous with her knowledge, she said, because it was so hard-won. +Coppel was born and raised in Cali, Colombia, southwest of Bogotá. In her early 20s, she lived in Chicago for a few months while taking basic cooking classes at the French Pastry School, then returned home. She made flyers and stuck them around Cali to advertise her own classes, in spring roll wrapping, dinner party planning, knife skills. +Women employed as maids signed up to learn how to prepare food in the upper-middle-class homes where they worked, along with a few food enthusiasts and stay-at-home mothers. +"It's when I realized that I loved to teach," Coppel said. +She eventually studied in Argentina before landing in the pastry kitchen of L'Atelier de Joël Robuchon in Las Vegas. She moved up quickly through the ranks, until the late restaurant hours got to her and her husband, who wanted to start a family. Shifting to a more regular schedule led her to chocolate, and she worked in the kitchens of casinos, including Caesars Palace and Bellagio. +Chocolate was not, at least to begin with, a passion for her. In fact, Coppel was beginning to notice that the grand kitchens of Las Vegas were shrinking in size and range: Restaurants that had once employed entire teams to work on laminated doughs, cakes and chocolate were now outsourcing that work. +Like many pastry chefs who value their craft, Coppel worried about these disappearing roles. She also saw a business opportunity. In 2012, she started a wholesale chocolate company, providing chocolates to various clients in Las Vegas, including hotels that no longer made their own. +That's when Coppel began experimenting with fresh chocolate bars, treating each one like a miniature composed dessert. There was one filled with yogurt ganache and berry compote, on a base of oat crunch. Another one layered pineapple caramel with macadamia praline. +She found a devoted audience for that work — the elaborate chocolates and dessert bars that she made on the weekends — by hiring a photographer to shoot them, building her own website and sharing the images on social media. In 2016, Coppel started her school, and in October she will open an online shop selling her chocolates. +During the class lunch break, Coppel sat down in her office with Italian pastry chef Gabriele Riva, who runs Vero Gelato. The two talked shop — the curse and blessing of Instagram, a favorite topic of theirs. Why was it necessary to maintain an account and share carefully edited images of their work? Why couldn't they tinker away quietly in their kitchens without worrying about self-promotion? +While they chatted, the students removed their chocolate-smudged aprons to eat vegetarian risotto in the conference room. Solan hoped she could coordinate some bonbons to match her favorite bands' costumes at Carnival next March in Trinidad. And Espinoza wondered how the ganache recipes would need to be adjusted, and rebalanced, for cannabis oil. +Back in the kitchen, students banged their bonbon trays upside down onto parchment paper to unmold the chocolates and packed them up. Using the sharp end of a paintbrush, they had swirled some pieces with turquoise cocoa butter; others were speckled in bronze and toffee-browns, or striped in gold. +None of the bonbons were as immaculate as Coppel's, with their even, delicate shells and pristine shiny tops, but they were beautiful. +Before everyone went home, Coppel applauded her students and opened a bottle of Champagne for a toast. She demanded that they share with other cooks everything they had learned. +"One more thing! How many of you found me through Instagram?" +A quick poll revealed that it was almost everyone. Coppel sighed deeply. "OK then, that answers that," she said. "I guess I can't close my Instagram account. \ No newline at end of file diff --git a/input/test/Test4647.txt b/input/test/Test4647.txt new file mode 100644 index 0000000..b0a8688 --- /dev/null +++ b/input/test/Test4647.txt @@ -0,0 +1,6 @@ +More than 1,000 Google workers protest censored China search Andy Wong / AP In this April 28, 2016, file photo, visitors gather at a display booth for Google at the 2016 Global Mobile Internet Conference (GMIC) in Beijing. Google employees are upset with the company's secretive plan to build a search engine that would comply with Chinese censorship, and a letter signed by more than a thousand of them calls on executives to review ethics and transparency at the company. Associated Press Friday, Aug. 17, 2018 | 12:30 a.m. +SAN FRANCISCO — More than a thousand Google employees have signed a letter protesting the company's secretive plan to build a search engine that would comply with Chinese censorship. +The letter calls on executives to review ethics and transparency at the company. +The letter's contents were confirmed by a Google employee who helped organize it but who requested anonymity because of the sensitive nature of the debate. +The letter says employees lack the information required "to make ethically informed decisions about our work" and complains that most employees only found out about the project — nicknamed Dragonfly — through media reports. +The letter is similar to one thousands of employees had signed in protest of Project Maven, a U.S. military contract that Google decided in June not to renew \ No newline at end of file diff --git a/input/test/Test4648.txt b/input/test/Test4648.txt new file mode 100644 index 0000000..a15cb07 --- /dev/null +++ b/input/test/Test4648.txt @@ -0,0 +1,6 @@ +17th August 2018 "Although figures for Q2 2018 are down on the two previous quarters, they remain high." +The ASTL's quarterly results show that Q2 lending is "slightly down on the exceptional figures for Q4 2017 and Q1 2018", with bridging lending falling by 6.6% compared to the previous quarter. +However annual completions rose by 27.2% to £3.87 billion and the value of loans written increased by 10.3%. +Total loan books are continuing to climb, with a rise of 13.1% compared to Q4 2017, although compared to the end of Q2 2017, the value of loan books has decreased slightly. +The pace of increases in applications reversed the massive jump in Q1 and decreased by 2.9%, compared to an increase of 28.9% in Q4 2017. On an annualised basis, applications are up by 16.3% on the year ended June 2017; making up a total of £20.2 billion. +Benson Hersch, CEO of the ASTL, said: "Although figures for Q2 2018 are down on the two previous quarters, they remain high. Our members continue to provide flexible and useful services to customers who require finance. The property market may be difficult at the moment, but responsible bridging lenders continue to prosper. \ No newline at end of file diff --git a/input/test/Test4649.txt b/input/test/Test4649.txt new file mode 100644 index 0000000..f976ad6 --- /dev/null +++ b/input/test/Test4649.txt @@ -0,0 +1,4 @@ +By Associated Press August 17 at 6:43 AM BERLIN — Austria's asylum authority says it has disciplined an employee and regrets "linguistic lapses" on his part following a cliche-ridden decision in which an Afghan man's application for asylum on the grounds of his homosexuality was reportedly rejected. +Austrian magazine Falter reported this week that an official in Lower Austria province rejected the man's application with the words: "Neither the way you walk, nor your behavior, nor your clothes even slightly suggested that you might be homosexual." It said the man appealed the decision. +Without addressing details of the case, the Federal Office for Foreigners and Asylum said Friday an internal review was conducted in May following complaints and the official's authority to sign decisions was revoked. It said he had made decisions that weren't up to standard in terms of formulation. +Copyright 2018 The Associated Press. All rights reserved. This material may not be published, broadcast, rewritten or redistributed \ No newline at end of file diff --git a/input/test/Test465.txt b/input/test/Test465.txt new file mode 100644 index 0000000..ee08f79 --- /dev/null +++ b/input/test/Test465.txt @@ -0,0 +1,11 @@ +Tweet +Anchor Capital Advisors LLC lifted its holdings in shares of AAR Corp. (NYSE:AIR) by 33.1% in the 2nd quarter, HoldingsChannel reports. The firm owned 54,083 shares of the aerospace company's stock after acquiring an additional 13,449 shares during the period. Anchor Capital Advisors LLC's holdings in AAR were worth $2,514,000 at the end of the most recent reporting period. +Several other hedge funds and other institutional investors have also modified their holdings of AIR. MetLife Investment Advisors LLC purchased a new position in shares of AAR during the fourth quarter worth about $543,000. Wells Fargo & Company MN grew its holdings in shares of AAR by 11.1% during the first quarter. Wells Fargo & Company MN now owns 59,101 shares of the aerospace company's stock worth $2,607,000 after purchasing an additional 5,924 shares during the last quarter. Rhumbline Advisers grew its holdings in shares of AAR by 2.0% during the first quarter. Rhumbline Advisers now owns 88,698 shares of the aerospace company's stock worth $3,912,000 after purchasing an additional 1,755 shares during the last quarter. Migdal Insurance & Financial Holdings Ltd. grew its holdings in shares of AAR by 40.2% during the first quarter. Migdal Insurance & Financial Holdings Ltd. now owns 90,632 shares of the aerospace company's stock worth $3,998,000 after purchasing an additional 25,993 shares during the last quarter. Finally, Monarch Partners Asset Management LLC grew its holdings in shares of AAR by 14.4% during the first quarter. Monarch Partners Asset Management LLC now owns 181,400 shares of the aerospace company's stock worth $8,002,000 after purchasing an additional 22,820 shares during the last quarter. 90.68% of the stock is owned by institutional investors. Get AAR alerts: +NYSE AIR opened at $44.34 on Friday. The company has a debt-to-equity ratio of 0.19, a quick ratio of 1.45 and a current ratio of 2.83. AAR Corp. has a 52-week low of $34.25 and a 52-week high of $49.05. The stock has a market cap of $1.60 billion, a P/E ratio of 24.77 and a beta of 1.21. AAR (NYSE:AIR) last released its quarterly earnings results on Tuesday, July 10th. The aerospace company reported $0.54 earnings per share (EPS) for the quarter, topping the Zacks' consensus estimate of $0.51 by $0.03. AAR had a return on equity of 6.39% and a net margin of 0.85%. The firm had revenue of $474.00 million for the quarter, compared to analyst estimates of $483.51 million. During the same quarter last year, the company posted $0.44 earnings per share. The business's revenue was up 5.1% on a year-over-year basis. analysts predict that AAR Corp. will post 2.71 earnings per share for the current fiscal year. +The business also recently declared a quarterly dividend, which was paid on Tuesday, July 31st. Investors of record on Friday, July 20th were issued a dividend of $0.075 per share. This represents a $0.30 dividend on an annualized basis and a dividend yield of 0.68%. The ex-dividend date was Thursday, July 19th. AAR's dividend payout ratio is currently 16.76%. +In related news, CAO Eric Pachapa sold 3,000 shares of the firm's stock in a transaction dated Thursday, August 2nd. The stock was sold at an average price of $46.75, for a total transaction of $140,250.00. Following the transaction, the chief accounting officer now owns 9,626 shares of the company's stock, valued at $450,015.50. The transaction was disclosed in a filing with the SEC, which is accessible through this link . Also, VP Robert J. Regan sold 24,239 shares of the firm's stock in a transaction dated Tuesday, July 31st. The stock was sold at an average price of $47.36, for a total value of $1,147,959.04. Following the transaction, the vice president now directly owns 116,777 shares in the company, valued at approximately $5,530,558.72. The disclosure for this sale can be found here . In the last three months, insiders have sold 102,739 shares of company stock worth $4,850,280. Corporate insiders own 9.33% of the company's stock. +AIR has been the topic of several research reports. Zacks Investment Research lowered AAR from a "hold" rating to a "sell" rating in a report on Wednesday, May 23rd. Canaccord Genuity reaffirmed a "buy" rating and set a $52.00 price objective (up previously from $48.00) on shares of AAR in a report on Wednesday, July 11th. Finally, Seaport Global Securities reissued a "buy" rating and set a $52.00 price target on shares of AAR in a report on Friday, July 13th. One investment analyst has rated the stock with a hold rating and six have given a buy rating to the company. The stock has a consensus rating of "Buy" and a consensus price target of $50.60. +AAR Company Profile +AAR Corp. provides products and services to commercial aviation, government, and defense markets worldwide. The company operates in two segments, Aviation Services and Expeditionary Services. The Aviation Services segment offers aftermarket support and services; inventory management and distribution services; and maintenance, repair, and overhaul, as well as engineering services. +Further Reading: Average Daily Trade Volume – What You Need to Know +Want to see what other hedge funds are holding AIR? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for AAR Corp. (NYSE:AIR). Receive News & Ratings for AAR Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for AAR and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4650.txt b/input/test/Test4650.txt new file mode 100644 index 0000000..4c1664d --- /dev/null +++ b/input/test/Test4650.txt @@ -0,0 +1 @@ +Press release from: Up Market Research (UMR) Virtual Reality in Healthcare Market Report UpMarketResearch offers a latest published report on "Global Virtual Reality in Healthcare Market Industry Analysis and Forecast 2018-2025" delivering key insights and providing a competitive advantage to clients through a detailed report. The report contains 103 pages which highly exhibits on current market analysis scenario, upcoming as well as future opportunities, revenue growth, pricing and profitability. Get Free Sample Report@ www.upmarketresearch.com/home/requested_sample/6337 The report begins with the overview of the Virtual Reality in Healthcare Market and updates the users about the latest developments and future expectations. It presents a comparative detailed analysis of all the regional and major player segments, offering readers a better knowledge of areas in which they can place their existing resources and gauging the priority of a particular region in order to boost their standing in the global market.Virtual Reality in Healthcare Market research report delivers a close watch on leading competitors with strategic analysis, micro and macro market trend and scenarios, pricing analysis and a holistic overview of the market situations in the forecast period. It is a professional and a detailed report focusing on primary and secondary drivers, market share, leading segments and geographical analysis. Further, key players, major collaborations, merger & acquisitions along with trending innovation and business policies are reviewed in the report. The report contains basic, secondary and advanced information pertaining to the Virtual Reality in Healthcare Market global status and trend, market size, share, growth, trends analysis, segment and forecasts from 2018 - 2025.The scope of the report extends from market scenarios to comparative pricing between major players, cost and profit of the specified market regions. The numerical data is backed up by statistical tools such as SWOT analysis, BCG matrix, SCOT analysis, PESTLE analysis and so on. The statistics are represented in graphical format for a clear understanding on facts and figures.The generated report is firmly based on primary research, interviews with top executives, news sources and information insiders. Secondary research techniques are implemented for better understanding and clarity for data analysis.The report for Virtual Reality in Healthcare Market industry analysis & forecast 2018-2025 is segmented into Product Segment, Application Segment & Major players.Region-wise Analysis Global Virtual Reality in Healthcare Market covers: • North Americ \ No newline at end of file diff --git a/input/test/Test4651.txt b/input/test/Test4651.txt new file mode 100644 index 0000000..0ffb82c --- /dev/null +++ b/input/test/Test4651.txt @@ -0,0 +1 @@ +You are here: Home > Exclusive News > E-House Market Attractiveness, Opportunities and Forecast to 2023 E-House Market Attractiveness, Opportunities and Forecast to 2023 Posted Aug 17, 2018 by AkashSangshetti Market Research Future published a research report on "E-House Market Research Report- Forecast to 2023" – Market Analysis, Scope, Stake, Progress, Trends and Forecast to 2023. FOR IMMEDIATE RELEASE PRFree.Org ( Press Release ) Aug 17, 2018 -- Market Synopsis: An E-House (Electrical House) provides electrical power to the facilities wherever it is required. In general, it is also referred to the compact power station which can be movable from one place to another. An E-House is equipped with several components such as monitoring and control systems, frequency drives and many other components. E-House benefits in reducing both capital and operational expenditures, time efficient and a one-stop solution for industries. Get Sample of Report @ https://www.marketresearchfuture.com/sample_request/5576 In general, there are two types of electrical houses they are skid mounted that is fixed electrical house and mobile electrical house. Mobile electrical houses are used by industries for remote location operations where it can supply power with ease. Oil and Gas industries majorly deploy these types of units as a part of oil extraction. The market for global electrical houses is driven by burgeoning demand from industries such as oil and Gas, mineral extractions and other commercial buildings. The establishment of smart power grids and renewable energy plants are fuelling the market growth. However, the lack of technical expertise and high maintenance costs are hampering the market growth. The global E-House Market is estimated to reach USD 2 billion at CAGR 7% through the forecast period 2017 to 2023 Key Players: Some of the key players in the global E-house market are Siemens AG (Germany), ABB (Switzerland), Schneider Electric SE (France), Eaton Corporation (Ireland), General Electric (U.S.), CG Power (India), Meidensha (Japan), Electroinnova (Spain), WEG (Brazil), TGOOD (Hong Kong), Powell Industries (U.S.). Elgin Power Solutions (U.S.), Meidensha (Japan), Matelec Group (Lebanon), Aktif Group (Turkey), PME Power Solutions (India), EKOS Group (Turkey), Efacec (Portugal), Delta Star (U.S.), Zest WEG Group (south Africa), and Electroinnova Instalaciones y Mantenimientos S.L (Austria) are also some of them. Segments: The global E-House market is segmented into type, component, voltage, application and region. By type the segment is further classified into skid mounted and mobile e-house. By component, the segment is further classified into switchgear, bus bar, HVAC systems, transformer, frequency drives, monitoring and control systems and others. By voltage, the segment, is further classified into low voltage and medium voltage E-house. E-Houses are used in various industries such as oil and gas, mining, transportation, and power utilities. Regional Analysis The global E-House market is studied for North America, Europe, Asia Pacific and Rest of the World which consists of Middle East and Africa. Middle East and Africa region holds the major market share and is expected to maintain the growth through the forecasted period. The increasing demand from metal and mining industries is driving the market in this region. Swift electrification in the Middle East and Africa is fuelling the market growth. Dubai alone consumes 37,000-gigawatt hours of electricity per annum, half of which, is used for commercial purposes and the other half for residential purposes. The increased power requirements in industries like oil and gas and metals are the major growth factors for the expansion of global E-House market in this region. North America holds the second largest market share in global E-House market. The increasing power usage in metal extraction, data centres and other applications are driving the market for global E-House market in this region. The rising investments in mobile power solutions are fuelling the market growth. Industries in Asia Pacific region are adopting mobile power solutions and is expected to show slow growth rate during the forecast period. Intended Audience Investors and Venture Capital Firms Integrated Device Manufacturers (IDMs \ No newline at end of file diff --git a/input/test/Test4652.txt b/input/test/Test4652.txt new file mode 100644 index 0000000..670ea13 --- /dev/null +++ b/input/test/Test4652.txt @@ -0,0 +1,7 @@ +Tweet +Rotork (LON:ROR) 's stock had its "hold" rating reaffirmed by Deutsche Bank in a note issued to investors on Friday. +ROR has been the subject of several other research reports. Royal Bank of Canada increased their price objective on shares of Rotork from GBX 280 ($3.57) to GBX 330 ($4.21) and gave the company a "sector performer" rating in a report on Monday, August 6th. Peel Hunt raised shares of Rotork to a "buy" rating and increased their price objective for the company from GBX 325 ($4.15) to GBX 340 ($4.34) in a report on Monday, April 23rd. Citigroup increased their price objective on shares of Rotork from GBX 325 ($4.15) to GBX 345 ($4.40) and gave the company a "buy" rating in a report on Tuesday, April 24th. Morgan Stanley dropped their price objective on shares of Rotork from GBX 363 ($4.63) to GBX 360 ($4.59) and set an "equal weight" rating for the company in a report on Wednesday, August 8th. Finally, BNP Paribas reissued an "outperform" rating and set a GBX 390 ($4.98) price objective (up previously from GBX 311 ($3.97)) on shares of Rotork in a report on Wednesday, May 23rd. One equities research analyst has rated the stock with a sell rating, eleven have issued a hold rating and six have given a buy rating to the company's stock. Rotork presently has an average rating of "Hold" and an average price target of GBX 318.33 ($4.06). Get Rotork alerts: +ROR opened at GBX 329.50 ($4.20) on Friday. Rotork has a 52 week low of GBX 221.30 ($2.82) and a 52 week high of GBX 306.80 ($3.91). Rotork (LON:ROR) last released its quarterly earnings data on Tuesday, August 7th. The company reported GBX 5.60 ($0.07) EPS for the quarter, beating the consensus estimate of GBX 5.30 ($0.07) by GBX 0.30 ($0.00). Rotork had a net margin of 12.45% and a return on equity of 16.70%. +In other Rotork news, insider Jonathan Davis bought 417 shares of the firm's stock in a transaction dated Monday, May 21st. The shares were purchased at an average cost of GBX 345 ($4.40) per share, for a total transaction of £1,438.65 ($1,835.25). Insiders have bought a total of 1,270 shares of company stock worth $431,236 over the last 90 days. +Rotork Company Profile +Rotork plc designs, manufactures, and markets actuators and flow control products worldwide. It operates through four segments: Controls, Fluid Systems, Gears, and Instruments. The company offers electric actuators and control systems, including intelligent multi-turn and part-turn valve actuators, part-turn/rotary and linear control valve actuators, heavy-duty part-turn/rotary and linear valve actuators, small part-turn/rotary valve actuators, and network control systems, as well as explosion proof actuators, sensors, switches, and controls \ No newline at end of file diff --git a/input/test/Test4653.txt b/input/test/Test4653.txt new file mode 100644 index 0000000..b2c5b5e --- /dev/null +++ b/input/test/Test4653.txt @@ -0,0 +1,10 @@ +Tweet +Bowling Portfolio Management LLC reduced its holdings in shares of CNB Financial Corp (NASDAQ:CCNE) by 9.7% in the 2nd quarter, according to its most recent 13F filing with the Securities and Exchange Commission. The institutional investor owned 40,644 shares of the bank's stock after selling 4,380 shares during the quarter. Bowling Portfolio Management LLC's holdings in CNB Financial were worth $1,222,000 as of its most recent filing with the Securities and Exchange Commission. +A number of other large investors have also bought and sold shares of the business. SG Americas Securities LLC purchased a new position in CNB Financial during the 1st quarter valued at about $112,000. Schwab Charles Investment Management Inc. increased its holdings in CNB Financial by 16.6% during the 1st quarter. Schwab Charles Investment Management Inc. now owns 32,961 shares of the bank's stock valued at $959,000 after acquiring an additional 4,700 shares in the last quarter. Northern Trust Corp increased its holdings in CNB Financial by 3.0% during the 1st quarter. Northern Trust Corp now owns 186,787 shares of the bank's stock valued at $5,434,000 after acquiring an additional 5,455 shares in the last quarter. Stifel Financial Corp increased its holdings in CNB Financial by 3.1% during the 1st quarter. Stifel Financial Corp now owns 184,101 shares of the bank's stock valued at $5,355,000 after acquiring an additional 5,574 shares in the last quarter. Finally, Wells Fargo & Company MN increased its holdings in CNB Financial by 33.3% during the 4th quarter. Wells Fargo & Company MN now owns 22,799 shares of the bank's stock valued at $598,000 after acquiring an additional 5,696 shares in the last quarter. Hedge funds and other institutional investors own 44.08% of the company's stock. Get CNB Financial alerts: +Several research firms have weighed in on CCNE. BidaskClub upgraded shares of CNB Financial from a "hold" rating to a "buy" rating in a report on Thursday, June 21st. Zacks Investment Research downgraded shares of CNB Financial from a "hold" rating to a "sell" rating in a report on Tuesday, July 24th. Finally, ValuEngine downgraded shares of CNB Financial from a "strong-buy" rating to a "buy" rating in a report on Wednesday, May 2nd. Two equities research analysts have rated the stock with a sell rating, one has issued a hold rating and two have issued a buy rating to the company's stock. The company currently has a consensus rating of "Hold" and an average price target of $31.50. Shares of NASDAQ CCNE opened at $31.37 on Friday. The stock has a market cap of $475.38 million, a PE ratio of 17.72 and a beta of 0.77. CNB Financial Corp has a 12 month low of $23.50 and a 12 month high of $32.86. The company has a quick ratio of 0.98, a current ratio of 0.98 and a debt-to-equity ratio of 1.31. +CNB Financial (NASDAQ:CCNE) last issued its quarterly earnings results on Friday, July 20th. The bank reported $0.55 EPS for the quarter, topping analysts' consensus estimates of $0.52 by $0.03. The business had revenue of $31.43 million during the quarter, compared to the consensus estimate of $29.91 million. CNB Financial had a net margin of 18.85% and a return on equity of 11.90%. research analysts predict that CNB Financial Corp will post 2.19 earnings per share for the current fiscal year. +The company also recently declared a quarterly dividend, which will be paid on Friday, September 14th. Stockholders of record on Friday, August 31st will be issued a dividend of $0.17 per share. The ex-dividend date is Thursday, August 30th. This is an increase from CNB Financial's previous quarterly dividend of $0.17. This represents a $0.68 dividend on an annualized basis and a dividend yield of 2.17%. CNB Financial's payout ratio is 37.29%. +CNB Financial Profile +CNB Financial Corporation operates as the bank holding company for CNB Bank that provides a range of banking products and services for individual, business, governmental, and institutional customers. It accepts checking, savings, and time deposit accounts; and offers real estate, commercial, industrial, residential, and consumer loans, as well as various other specialized financial services. +Featured Article: Closed-End Mutual Funds (CEFs) +Want to see what other hedge funds are holding CCNE? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for CNB Financial Corp (NASDAQ:CCNE). Receive News & Ratings for CNB Financial Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for CNB Financial and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4654.txt b/input/test/Test4654.txt new file mode 100644 index 0000000..07ba2fa --- /dev/null +++ b/input/test/Test4654.txt @@ -0,0 +1 @@ +August 17, 2018 7:00am Comments Share: MILPITAS, Calif., Aug. 17, 2018 (GLOBE NEWSWIRE) -- DSP Group®, Inc. (NASDAQ: DSPG ), a leading global provider of wireless chipset solutions for converged communications, announced today that its management is scheduled to participate in the following events: Jefferies Semiconductor, Hardware, and Communications Infrastructure Summit held at the Ritz Carlton Hotel in Chicago on Tuesday, August 28 th Midwest IDEAS Investor Conference held at the Gwen Hotel in Chicago on Wednesday, August 29 th at 2:30-3:00 PM CST ROTH Internet of Things Corporate Access Day held at the Ritz Carlton Hotel in San Francisco on Wednesday, September 5 th Dougherty & Company Institutional Investor Conference held at the Millennium Hotel in Minneapolis on Thursday, September 6 th A webcast of the investor presentations and a replay for the Midwest IDEAS Investor Conference will be available on the investor relations section of the DSP Group web site at: http://ir.dspg.com Investors will have the opportunity to hold one-on-one meetings with DSP Group management during these conferences. Those interested should contact DSP Group's Investor Relations team at ir@dspg.com . About DSP Group DSP Group®, Inc. (NASDAQ: DSPG ) is a leading global provider of wireless chipset solutions for converged communications. Delivering semiconductor system solutions with software and hardware reference designs, DSP Group enables OEMs/ODMs, consumer electronics (CE) manufacturers and service providers to cost-effectively develop new revenue-generating products with fast time to market. At the forefront of semiconductor innovation and operational excellence for over two decades, DSP Group provides a broad portfolio of wireless chipsets integrating DECT/CAT-iq, ULE, Wi-Fi, PSTN, HDClear™, video and VoIP technologies. DSP Group enables converged voice, audio, video and data connectivity across diverse mobile, consumer and enterprise products – from mobile devices, connected multimedia screens, and home automation & security to cordless phones, VoIP systems, and home gateways. Leveraging industry-leading experience and expertise, DSP Group partners with CE manufacturers and service providers to shape the future of converged communications at home, office and on the go. For more information, visit www.dspg.com . Contact \ No newline at end of file diff --git a/input/test/Test4655.txt b/input/test/Test4655.txt new file mode 100644 index 0000000..276f620 --- /dev/null +++ b/input/test/Test4655.txt @@ -0,0 +1,16 @@ +Print Share: +The beer named for one of patriotism's finest instigators, who led the early campaign to harass the British in Boston in the final days of Britain's ownership its American colonies, is owned by the Boston Beer Company. The company's co-founder, Jim Koch, last week praised President Donald Trump's tax cut in widely circulated remarks. +"I mean, Americans — I'm the largest American-owned brewery at 2 percent market share. We were paying 38 percent taxes," he said, adding that Boston Beer was competing "against people who were paying 20. And now we have a level playing field, and we're going to kick their ass." +But Somerville, Massachusetts, Mayor Joseph Curtatone took issue with Koch's praise of Trump, Fox Business Network reported. First, he issued a tweet vowing never to drink Sam Adams beer again. We need to hold these complicit profiteers of Trump's white nationalist agenda accountable ! https://t.co/UCywb9I7xE +— Joseph A. Curtatone (@JoeCurtatone) August 12, 2018 +Curtatone, whose community is a sanctuary city in which immigration laws are not enforced, had one more criticism to launch. Hey Jim Koch! While you were thanking Trump for your tax break, did you happen to express any concern for the families separated under his cruel and inhumane immigration enforcement policy? @SamuelAdamsBeer https://t.co/UCywb9I7xE +— Joseph A. Curtatone (@JoeCurtatone) August 12, 2018 +But Curtatone faced a froth of resentment on Twitter. Hey @JoeCurtatone , this active duty service member will gladly pick up your @SamuelAdamsBeer tab for supporting America and our president @realDonaldTrump #RealAmericanBeer pic.twitter.com/gmhvvniOii +— Harris Hamburg (@Hammie1285) August 14, 2018 You're never going to drink a Pepsi product, you're going to check every flight to make sure it's an Airbus & not a Boeing plane, you're going to throw out all Johnson & Johnson brands, and of course Somerville is never going to use FedEx again right? Grow up will ya. @JoeBarri +— Ed Brooks (@EdB_SP) August 14, 2018 What a brave stance mayor! So I assume you will no longer frequent establishments that serve Sam Adams or a liquor store that sells Sam Adams as well? It would be hypocritical otherwise. #whatasquid +— Kirk (@kirkbuggy) August 13, 2018 +The company has not commented on the matter as of Tuesday morning. – READ MORE +President Donald Trump's Tax Cuts Are Helping American Owned Brewing Companies Compete With The Larger Companies Owned By Foreign Countries. +Founder and CEO of Boston Brewing company Jim Koch (pictured) boasted that thanks to the president lowering the corporate tax, local breweries had a better chance of competing with brands like Budweiser, now owned by InBev, a Belgian-Brazilian beer conglomerate. Boston Brewing company brews Samuel Adams beer. +"The tax reform was a very big deal for all of us, because 85 percent of the beer made in the United States is owned by foreign companies," he told Donald Trump while attending a dinner hosted by the president at his club in Bedminster. +"We were paying 38 percent taxes and competing against people who were paying 20," Koch said. "And now we have a level playing field, and we're going to kick their ass." – READ MOR \ No newline at end of file diff --git a/input/test/Test4656.txt b/input/test/Test4656.txt new file mode 100644 index 0000000..8cb64a7 --- /dev/null +++ b/input/test/Test4656.txt @@ -0,0 +1 @@ +PR Agency: WISE GUY RESEARCH CONSULTANTS PVT LTD Application Server Market Application Server Market 2018Wiseguyreports.Com adds "Application Server Market –Market Demand, Growth, Opportunities, Analysis of Top Key Players and Forecast to 2025" To Its Research Database.Report Details:This report provides in depth study of "Application Server Market" using SWOT analysis i.e. Strength, Weakness, Opportunities and Threat to the organization. The Application Server Market report also provides an in-depth survey of key players in the market which is based on the various objectives of an organization such as profiling, the product outline, the quantity of production, required raw material, and the financial health of the organization.This report studies the global Application Server market size, industry status and forecast, competition landscape and growth opportunity. This research report categorizes the global Application Server market by companies, region, type and end-use industry.An application server is a modern form of platform middleware. It is system software that resides between the operating system (OS) on one side, the external resources (such as a database management system [DBMS], communications and Internet services) on another side and the users' applications on the third side. The function of the application server is to act as host (or container) for the user's business logic while facilitating access to and performance of the business application. The application server must perform despite the variable and competing traffic of client requests, hardware and software failures, the distributed nature of the larger-scale applications, and potential heterogeneity of data and processing resources required to fulfill the business requirements of the applications. North America is expected to witness tremendous growth in the application server market and is projected to continue this trend over the forecast period, on account of technological advancement and early adoption. This report focuses on the global top players, covered IB \ No newline at end of file diff --git a/input/test/Test4657.txt b/input/test/Test4657.txt new file mode 100644 index 0000000..d602f27 --- /dev/null +++ b/input/test/Test4657.txt @@ -0,0 +1,11 @@ +Tweet +Fiduciary Trust Co. trimmed its position in Abbott Laboratories (NYSE:ABT) by 1.9% during the second quarter, Holdings Channel reports. The institutional investor owned 371,610 shares of the healthcare product maker's stock after selling 7,329 shares during the period. Fiduciary Trust Co.'s holdings in Abbott Laboratories were worth $22,664,000 as of its most recent filing with the Securities and Exchange Commission (SEC). +Other large investors have also recently bought and sold shares of the company. TRUE Private Wealth Advisors lifted its holdings in Abbott Laboratories by 7.9% in the second quarter. TRUE Private Wealth Advisors now owns 11,546 shares of the healthcare product maker's stock valued at $704,000 after acquiring an additional 842 shares during the period. Altium Wealth Management LLC lifted its holdings in Abbott Laboratories by 18.7% in the first quarter. Altium Wealth Management LLC now owns 5,618 shares of the healthcare product maker's stock valued at $337,000 after acquiring an additional 886 shares during the period. Rehmann Capital Advisory Group lifted its holdings in Abbott Laboratories by 11.2% in the fourth quarter. Rehmann Capital Advisory Group now owns 8,886 shares of the healthcare product maker's stock valued at $507,000 after acquiring an additional 892 shares during the period. Tandem Investment Advisors Inc. lifted its holdings in Abbott Laboratories by 0.3% in the second quarter. Tandem Investment Advisors Inc. now owns 263,225 shares of the healthcare product maker's stock valued at $16,054,000 after acquiring an additional 897 shares during the period. Finally, Hills Bank & Trust Co. lifted its holdings in Abbott Laboratories by 3.8% in the second quarter. Hills Bank & Trust Co. now owns 24,513 shares of the healthcare product maker's stock valued at $1,495,000 after acquiring an additional 907 shares during the period. Hedge funds and other institutional investors own 71.80% of the company's stock. Get Abbott Laboratories alerts: +A number of equities research analysts have commented on the company. Royal Bank of Canada reissued a "buy" rating and issued a $70.00 target price on shares of Abbott Laboratories in a report on Thursday, July 19th. Stifel Nicolaus raised their target price on Abbott Laboratories from $71.00 to $72.00 and gave the company a "buy" rating in a report on Thursday, July 19th. Zacks Investment Research downgraded Abbott Laboratories from a "buy" rating to a "hold" rating in a report on Monday, August 6th. Sanford C. Bernstein initiated coverage on Abbott Laboratories in a research note on Wednesday, June 27th. They set an "outperform" rating and a $73.00 price target for the company. Finally, Citigroup cut their price target on Abbott Laboratories from $66.00 to $65.00 and set a "neutral" rating for the company in a research note on Tuesday, April 24th. Four analysts have rated the stock with a hold rating and sixteen have given a buy rating to the company's stock. The stock currently has a consensus rating of "Buy" and a consensus price target of $69.88. In related news, EVP Brian J. Blaser sold 15,100 shares of Abbott Laboratories stock in a transaction dated Tuesday, July 24th. The stock was sold at an average price of $63.96, for a total transaction of $965,796.00. Following the completion of the sale, the executive vice president now owns 151,718 shares in the company, valued at approximately $9,703,883.28. The transaction was disclosed in a document filed with the SEC, which is available at the SEC website . Also, insider Sharon J. Bracken sold 615 shares of Abbott Laboratories stock in a transaction dated Monday, July 30th. The stock was sold at an average price of $65.16, for a total value of $40,073.40. Following the sale, the insider now owns 40,761 shares of the company's stock, valued at approximately $2,655,986.76. The disclosure for this sale can be found here . In the last quarter, insiders have sold 17,024 shares of company stock valued at $1,088,840. 0.74% of the stock is currently owned by company insiders. +NYSE:ABT opened at $64.16 on Friday. The firm has a market cap of $112.33 billion, a PE ratio of 25.66, a PEG ratio of 1.79 and a beta of 1.53. The company has a debt-to-equity ratio of 0.64, a current ratio of 1.58 and a quick ratio of 1.16. Abbott Laboratories has a 52-week low of $48.58 and a 52-week high of $65.90. +Abbott Laboratories (NYSE:ABT) last released its quarterly earnings results on Wednesday, July 18th. The healthcare product maker reported $0.73 earnings per share (EPS) for the quarter, topping the consensus estimate of $0.71 by $0.02. The business had revenue of $7.77 billion during the quarter, compared to the consensus estimate of $7.71 billion. Abbott Laboratories had a return on equity of 15.30% and a net margin of 3.13%. The business's revenue was up 17.0% on a year-over-year basis. During the same quarter in the previous year, the company posted $0.62 EPS. analysts expect that Abbott Laboratories will post 2.88 EPS for the current fiscal year. +The business also recently disclosed a quarterly dividend, which was paid on Wednesday, August 15th. Investors of record on Friday, July 13th were given a dividend of $0.28 per share. This represents a $1.12 dividend on an annualized basis and a yield of 1.75%. The ex-dividend date was Thursday, July 12th. Abbott Laboratories's dividend payout ratio is presently 44.80%. +About Abbott Laboratories +Abbott Laboratories discovers, develops, manufactures, and sells health care products worldwide. The company's Established Pharmaceutical Products segment offers branded generic pharmaceuticals for the treatment of pancreatic exocrine insufficiency; irritable bowel syndrome or biliary spasm; intrahepatic cholestasis or depressive symptoms; gynecological disorders; hormone replacement therapy; dyslipidemia; hypertension; hypothyroidism; Ménière's disease and vestibular vertigo; pain, fever, and inflammation; migraines; and anti-infective clarithromycin, as well as provides influenza vaccine and products that regulate physiological rhythm of the colon. +See Also: Google Finance Portfolio +Want to see what other hedge funds are holding ABT? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Abbott Laboratories (NYSE:ABT). Receive News & Ratings for Abbott Laboratories Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Abbott Laboratories and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4658.txt b/input/test/Test4658.txt new file mode 100644 index 0000000..313b25b --- /dev/null +++ b/input/test/Test4658.txt @@ -0,0 +1,5 @@ +Print By - Associated Press - Friday, August 17, 2018 +SIOUX FALLS, S.D. (AP) - A Sioux Falls couple has been sentenced for trying to cover up a fatal crash caused by their teenage son following a drug dispute. +Fifty-two-year-old Joseph Lingor was given about two months in jail for being an accessory to a felony. Fifty-six-year-old Vicki Lingor got about four months of community service for obstructing an officer, a misdemeanor. +Authorities say then-15-year-old Alex Lingor forced another vehicle off the road and into a tree in February 2017 after getting stiffed on a $25 marijuana deal, causing the death of 15-year-old Kareem Cisse. He was sentenced in June to about two months in jail for manslaughter and other charges. + Th \ No newline at end of file diff --git a/input/test/Test4659.txt b/input/test/Test4659.txt new file mode 100644 index 0000000..19be0da --- /dev/null +++ b/input/test/Test4659.txt @@ -0,0 +1,13 @@ +By Associated Press August 17 at 6:55 AM GENOA, Italy — The Latest on this week's bridge collapse in Italy's Genoa (all times local): +12:15 p.m. +Davide Capello was driving across the bridge toward the Italian city of Genoa when suddenly, the road dropped out from under him. A trained firefighter, he understood immediately that the structure had collapsed. +Capello was at the midpoint of the bridge, he recounted Friday, when "everything, the world, came down." The 33-year-old said: "I heard a noise, a dull noise. I saw the columns of the highway in front of me come down. A car in front of me disappeared into the darkness." +His car plunged nose first, then suddenly stopped with a crash, air bags releasing around him. He said he saw only gray. Outside, he said, "there was an unreal silence." +Capello was released from the hospital Thursday, two days after the collapse. He said had no major physical injuries. +___ +9:50 p.m. +Excavators have begun clearing large sections of the collapsed highway bridge in the Italian city of Genoa in the search for people still missing three days after the deadly accident. +The search entered a new phase Friday as heavy equipment removed a large vertical section, clearing a new area to probe. Rescuers have been tunneling through tons of jagged steel, concrete and crushed vehicles that plunged as many as 45 meters (150 feet) when the bridge suddenly fell during a downpour on Tuesday. +Officials say 38 people are confirmed killed and 15 injured. Prosecutors say 10 to 20 people might be unaccounted-for and the death toll is expected to rise. +The first funerals were being held later Friday, ahead of a state funeral in Genoa on Saturday to be celebrated by Cardinal Angelo Bagnasco. +Copyright 2018 The Associated Press. All rights reserved. This material may not be published, broadcast, rewritten or redistributed \ No newline at end of file diff --git a/input/test/Test466.txt b/input/test/Test466.txt new file mode 100644 index 0000000..aef7adf --- /dev/null +++ b/input/test/Test466.txt @@ -0,0 +1,8 @@ +Tweet +MarineMax (NYSE:HZO) had its price objective lowered by stock analysts at Citigroup from $28.00 to $23.00 in a report issued on Wednesday. The firm presently has a "buy" rating on the specialty retailer's stock. Citigroup's price objective indicates a potential upside of 15.00% from the company's current price. +A number of other research analysts have also recently issued reports on the stock. B. Riley lifted their price objective on shares of MarineMax from $26.75 to $29.00 and gave the company a "buy" rating in a research note on Friday, April 27th. Zacks Investment Research cut shares of MarineMax from a "hold" rating to a "sell" rating in a research note on Tuesday, July 31st. Craig Hallum set a $27.00 target price on shares of MarineMax and gave the stock a "buy" rating in a research note on Thursday, April 26th. Finally, ValuEngine cut shares of MarineMax from a "hold" rating to a "sell" rating in a research note on Saturday, April 21st. One research analyst has rated the stock with a sell rating, four have issued a hold rating, four have assigned a buy rating and one has issued a strong buy rating to the company's stock. The stock presently has a consensus rating of "Buy" and a consensus price target of $23.86. Get MarineMax alerts: +Shares of NYSE:HZO opened at $20.00 on Wednesday. The company has a market capitalization of $516.77 million, a P/E ratio of 20.00 and a beta of 1.12. MarineMax has a 1 year low of $14.60 and a 1 year high of $25.05. MarineMax (NYSE:HZO) last announced its quarterly earnings data on Thursday, July 26th. The specialty retailer reported $0.79 earnings per share (EPS) for the quarter, meeting analysts' consensus estimates of $0.79. The business had revenue of $361.25 million for the quarter, compared to analysts' expectations of $370.13 million. MarineMax had a net margin of 2.83% and a return on equity of 10.83%. The firm's quarterly revenue was up 9.5% compared to the same quarter last year. During the same period last year, the firm posted $0.57 earnings per share. equities analysts anticipate that MarineMax will post 1.51 EPS for the current fiscal year. +Hedge funds and other institutional investors have recently bought and sold shares of the business. AlphaMark Advisors LLC bought a new stake in shares of MarineMax during the first quarter worth $195,000. Louisiana State Employees Retirement System bought a new stake in shares of MarineMax during the second quarter worth $190,000. Trexquant Investment LP bought a new stake in shares of MarineMax during the second quarter worth $202,000. Hsbc Holdings PLC bought a new stake in shares of MarineMax during the first quarter worth $241,000. Finally, MetLife Investment Advisors LLC bought a new stake in shares of MarineMax during the fourth quarter worth $240,000. 88.66% of the stock is currently owned by hedge funds and other institutional investors. +About MarineMax +MarineMax, Inc operates as a recreational boat and yacht retailer in the United States. It sells new and used recreational boats, including pleasure boats, such as sport boats, sport cruisers, sport yachts, and other yachts; motor yachts; convertible yachts; pleasure boats; pontoon boats; fishing boats; ski boats; and jet boats. +Featured Story: Asset Allocation Receive News & Ratings for MarineMax Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for MarineMax and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4660.txt b/input/test/Test4660.txt new file mode 100644 index 0000000..6a747ee --- /dev/null +++ b/input/test/Test4660.txt @@ -0,0 +1,11 @@ +Tweet +Greenleaf Trust raised its position in Baxter International Inc (NYSE:BAX) by 24.7% in the second quarter, HoldingsChannel reports. The institutional investor owned 8,737 shares of the medical instruments supplier's stock after purchasing an additional 1,729 shares during the period. Greenleaf Trust's holdings in Baxter International were worth $645,000 as of its most recent filing with the SEC. +Several other hedge funds and other institutional investors also recently made changes to their positions in the company. Global X Management Co. LLC raised its stake in Baxter International by 67.5% during the first quarter. Global X Management Co. LLC now owns 26,357 shares of the medical instruments supplier's stock worth $1,714,000 after acquiring an additional 10,618 shares in the last quarter. Daiwa Securities Group Inc. raised its stake in Baxter International by 7.4% during the first quarter. Daiwa Securities Group Inc. now owns 16,532 shares of the medical instruments supplier's stock worth $1,075,000 after acquiring an additional 1,146 shares in the last quarter. Sentry Investment Management LLC raised its stake in Baxter International by 9.2% during the first quarter. Sentry Investment Management LLC now owns 36,479 shares of the medical instruments supplier's stock worth $2,373,000 after acquiring an additional 3,067 shares in the last quarter. Dynamic Advisor Solutions LLC grew its holdings in shares of Baxter International by 21.0% during the first quarter. Dynamic Advisor Solutions LLC now owns 10,024 shares of the medical instruments supplier's stock worth $652,000 after purchasing an additional 1,739 shares during the last quarter. Finally, Commerzbank Aktiengesellschaft FI grew its holdings in shares of Baxter International by 24.2% during the first quarter. Commerzbank Aktiengesellschaft FI now owns 29,893 shares of the medical instruments supplier's stock worth $1,944,000 after purchasing an additional 5,834 shares during the last quarter. Institutional investors and hedge funds own 82.92% of the company's stock. Get Baxter International alerts: +Several analysts have recently commented on the company. Zacks Investment Research cut Baxter International from a "buy" rating to a "hold" rating in a report on Thursday, May 31st. JPMorgan Chase & Co. increased their target price on Baxter International from $80.00 to $85.00 and gave the stock an "overweight" rating in a report on Friday, July 27th. Citigroup increased their target price on Baxter International from $74.00 to $76.00 and gave the stock a "neutral" rating in a report on Tuesday, July 31st. Bank of America increased their target price on Baxter International from $73.00 to $83.00 and gave the stock a "buy" rating in a report on Tuesday, May 22nd. Finally, Piper Jaffray Companies assumed coverage on Baxter International in a report on Thursday, May 17th. They set an "overweight" rating and a $77.00 target price on the stock. Six analysts have rated the stock with a hold rating and nine have assigned a buy rating to the company's stock. The stock presently has a consensus rating of "Buy" and an average price target of $76.00. In related news, Director Carole J. Shapazian sold 5,400 shares of the firm's stock in a transaction dated Wednesday, August 8th. The stock was sold at an average price of $72.97, for a total value of $394,038.00. Following the transaction, the director now owns 15,248 shares in the company, valued at $1,112,646.56. The transaction was disclosed in a document filed with the SEC, which is available through this hyperlink . Also, SVP Brik V. Eyre sold 25,000 shares of the firm's stock in a transaction dated Tuesday, May 22nd. The shares were sold at an average price of $71.96, for a total value of $1,799,000.00. Following the completion of the transaction, the senior vice president now owns 128,777 shares in the company, valued at approximately $9,266,792.92. The disclosure for this sale can be found here . In the last quarter, insiders sold 74,877 shares of company stock worth $5,468,755. 0.07% of the stock is owned by company insiders. +Shares of BAX stock opened at $71.58 on Friday. The company has a current ratio of 2.62, a quick ratio of 2.00 and a debt-to-equity ratio of 0.39. The firm has a market cap of $38.20 billion, a PE ratio of 28.86, a price-to-earnings-growth ratio of 1.79 and a beta of 0.77. Baxter International Inc has a 52 week low of $60.53 and a 52 week high of $76.51. +Baxter International (NYSE:BAX) last posted its quarterly earnings results on Thursday, July 26th. The medical instruments supplier reported $0.77 earnings per share (EPS) for the quarter, beating the consensus estimate of $0.71 by $0.06. The business had revenue of $2.84 billion for the quarter, compared to analysts' expectations of $2.83 billion. Baxter International had a return on equity of 16.63% and a net margin of 8.29%. The firm's quarterly revenue was up 9.1% compared to the same quarter last year. During the same quarter last year, the business earned $0.63 earnings per share. equities analysts predict that Baxter International Inc will post 2.98 EPS for the current year. +The company also recently declared a quarterly dividend, which will be paid on Monday, October 1st. Investors of record on Friday, August 31st will be issued a $0.19 dividend. This represents a $0.76 annualized dividend and a yield of 1.06%. The ex-dividend date is Thursday, August 30th. Baxter International's dividend payout ratio is 30.65%. +Baxter International Profile +Baxter International Inc provides a portfolio of healthcare products. The company operates through North and South America; Europe, Middle East and Africa; and Asia-Pacific segments. It offers peritoneal dialysis and hemodialysis, and additional dialysis therapies and services; renal replacement therapies and other organ support therapies focused in the intensive care unit; sterile intravenous (IV) solutions, IV therapies, infusion pumps, administration sets, and drug reconstitution devices; and parenteral nutrition therapies. +Read More: Average Daily Trade Volume Explained +Want to see what other hedge funds are holding BAX? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Baxter International Inc (NYSE:BAX). Receive News & Ratings for Baxter International Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Baxter International and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4661.txt b/input/test/Test4661.txt new file mode 100644 index 0000000..72b13f8 --- /dev/null +++ b/input/test/Test4661.txt @@ -0,0 +1,9 @@ +4.71% +Risk and Volatility +MONOTARO Co Ltd/ADR has a beta of -0.21, suggesting that its stock price is 121% less volatile than the S&P 500. Comparatively, Bayerische Motoren Werke has a beta of 1.61, suggesting that its stock price is 61% more volatile than the S&P 500. +Summary +MONOTARO Co Ltd/ADR beats Bayerische Motoren Werke on 6 of the 10 factors compared between the two stocks. +About MONOTARO Co Ltd/ADR +MonotaRO Co., Ltd., together with its subsidiaries, imports and sells MRO products in Japan and internationally. It offers products in various categories, such as safety and health protection equipment/signs, logistics/packing goods, office tapes and cleaning supplies, cutting tools/abrasive materials, measurement/surveying equipment, work tools/electric/pneumatic tools, spray oil grease/ adhesion repair/welding supplies, pneumatic equipment/hydraulic equipment/hoses, and bearings/machine parts/casters. The company also provides electrical materials/control equipment/solder ESD protection equipment; building hardware, building materials, and painting interior goods; air conditioning electrical installation/pump/piping, water circulation equipment; screws, bolts, nails, and materials; automotive/truck equipment; bike and bicycle accessories; scientific research and development articles; kitchen equipment; agricultural materials and garden products; and medical/nursing care products. It serves manufacturing, automobile maintenance, and construction industries. MonotaRO Co., Ltd. also offers its products online. The company was formerly known as Sumisho Grainger Co., Ltd. and changed its name to MonotaRO Co., Ltd. in 2006. MonotaRO Co., Ltd. was founded in 2000 and is headquartered in Amagasaki, Japan. +About Bayerische Motoren Werke +Bayerische Motoren Werke Aktiengesellschaft, together with its subsidiaries, develops, manufactures, and sells automobiles and motorcycles, and spare parts and accessories worldwide. The company operates through Automotive, Motorcycles, and Financial Services segments. The Automotive segment develops, manufactures, assembles, and sells automobiles and off-road vehicles under the BMW, MINI, and Rolls-Royce brands; and spare parts and accessories, as well as offers mobility services. This segment sells its products through independent and authorized dealerships. The Motorcycles segment develops, manufactures, assembles, and sells motorcycles under the BMW Motorrad brand; and spare parts and accessories. The Financial Services segment is involved in automobile leasing, fleet and multi-brand business, retail and dealership financing, customer deposit business, and insurance activities. Bayerische Motoren Werke Aktiengesellschaft was founded in 1916 and is based in Munich, Germany. Receive News & Ratings for MONOTARO Co Ltd/ADR Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for MONOTARO Co Ltd/ADR and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4662.txt b/input/test/Test4662.txt new file mode 100644 index 0000000..d757603 --- /dev/null +++ b/input/test/Test4662.txt @@ -0,0 +1,11 @@ +Findlay Park Partners LLP cut its position in Adobe Systems Incorporated (NASDAQ:ADBE) by 21.9% in the 2nd quarter, according to its most recent filing with the Securities and Exchange Commission (SEC). The firm owned 1,143,009 shares of the software company's stock after selling 320,000 shares during the quarter. Adobe Systems comprises about 2.7% of Findlay Park Partners LLP's portfolio, making the stock its 15th biggest holding. Findlay Park Partners LLP owned approximately 0.23% of Adobe Systems worth $278,677,000 at the end of the most recent reporting period. +A number of other institutional investors and hedge funds have also recently added to or reduced their stakes in ADBE. IFP Advisors Inc lifted its position in shares of Adobe Systems by 5.7% during the 2nd quarter. IFP Advisors Inc now owns 5,710 shares of the software company's stock valued at $1,392,000 after acquiring an additional 310 shares during the period. Van Hulzen Asset Management LLC lifted its position in shares of Adobe Systems by 182.6% during the 2nd quarter. Van Hulzen Asset Management LLC now owns 3,250 shares of the software company's stock valued at $792,000 after acquiring an additional 2,100 shares during the period. ARK Investment Management LLC lifted its position in shares of Adobe Systems by 21.4% during the 2nd quarter. ARK Investment Management LLC now owns 43,392 shares of the software company's stock valued at $10,579,000 after acquiring an additional 7,640 shares during the period. Dynamic Advisor Solutions LLC lifted its position in shares of Adobe Systems by 21.9% during the 2nd quarter. Dynamic Advisor Solutions LLC now owns 6,388 shares of the software company's stock valued at $1,558,000 after acquiring an additional 1,147 shares during the period. Finally, Karp Capital Management Corp lifted its position in shares of Adobe Systems by 5.2% during the 2nd quarter. Karp Capital Management Corp now owns 9,070 shares of the software company's stock valued at $2,211,000 after acquiring an additional 450 shares during the period. Institutional investors and hedge funds own 86.51% of the company's stock. Get Adobe Systems alerts: +In other Adobe Systems news, EVP Ann Lewnes sold 2,945 shares of the company's stock in a transaction dated Wednesday, June 20th. The stock was sold at an average price of $253.50, for a total value of $746,557.50. Following the completion of the transaction, the executive vice president now owns 67,377 shares of the company's stock, valued at approximately $17,080,069.50. The sale was disclosed in a legal filing with the SEC, which is available through the SEC website . Also, EVP Abhay Parasnis sold 10,500 shares of the company's stock in a transaction dated Tuesday, July 24th. The stock was sold at an average price of $260.01, for a total value of $2,730,105.00. The disclosure for this sale can be found here . In the last ninety days, insiders sold 25,324 shares of company stock valued at $6,511,829. Insiders own 0.33% of the company's stock. +Adobe Systems stock opened at $248.89 on Friday. The company has a quick ratio of 2.08, a current ratio of 2.08 and a debt-to-equity ratio of 0.22. Adobe Systems Incorporated has a 52 week low of $143.95 and a 52 week high of $263.83. The firm has a market cap of $124.23 billion, a PE ratio of 69.33, a price-to-earnings-growth ratio of 2.76 and a beta of 1.12. +Adobe Systems (NASDAQ:ADBE) last issued its earnings results on Thursday, June 14th. The software company reported $1.66 earnings per share (EPS) for the quarter, topping analysts' consensus estimates of $1.54 by $0.12. Adobe Systems had a return on equity of 27.08% and a net margin of 26.68%. The business had revenue of $2.20 billion during the quarter, compared to analysts' expectations of $2.16 billion. During the same quarter in the prior year, the firm earned $1.02 EPS. The business's revenue for the quarter was up 23.9% compared to the same quarter last year. research analysts forecast that Adobe Systems Incorporated will post 5.61 EPS for the current year. +Adobe Systems declared that its Board of Directors has initiated a share repurchase program on Monday, May 21st that permits the company to repurchase $8.00 billion in shares. This repurchase authorization permits the software company to reacquire up to 6.8% of its shares through open market purchases. Shares repurchase programs are generally an indication that the company's leadership believes its shares are undervalued. +A number of research firms have recently weighed in on ADBE. BMO Capital Markets upped their target price on Adobe Systems from $260.00 to $278.00 and gave the company an "outperform" rating in a research report on Friday, June 15th. Stifel Nicolaus upped their target price on Adobe Systems from $250.00 to $275.00 and gave the company a "buy" rating in a research report on Friday, June 15th. Canaccord Genuity reiterated a "buy" rating and set a $280.00 target price (up from $245.00) on shares of Adobe Systems in a research report on Friday, June 15th. Piper Jaffray Companies reiterated an "overweight" rating and set a $290.00 target price on shares of Adobe Systems in a research report on Friday, June 15th. Finally, BidaskClub downgraded Adobe Systems from a "strong-buy" rating to a "buy" rating in a research report on Monday, June 18th. Nine equities research analysts have rated the stock with a hold rating and twenty-three have issued a buy rating to the stock. Adobe Systems presently has a consensus rating of "Buy" and a consensus price target of $241.76. +Adobe Systems Profile +Adobe Systems Incorporated operates as a diversified software company worldwide. Its Digital Media segment provides tools and solutions that enable individuals, small and medium businesses, and enterprises to create, publish, promote, and monetize their digital content. Its flagship product is Creative Cloud, a subscription service that allows customers to download and install the latest versions of its creative products. +Read More: Using the New Google Finance Tool +Want to see what other hedge funds are holding ADBE? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Adobe Systems Incorporated (NASDAQ:ADBE). Adobe Systems Adobe System \ No newline at end of file diff --git a/input/test/Test4663.txt b/input/test/Test4663.txt new file mode 100644 index 0000000..b1b2f7a --- /dev/null +++ b/input/test/Test4663.txt @@ -0,0 +1,11 @@ +Tweet +Findlay Park Partners LLP decreased its stake in Adobe Systems Incorporated (NASDAQ:ADBE) by 21.9% in the 2nd quarter, according to the company in its most recent disclosure with the Securities and Exchange Commission. The firm owned 1,143,009 shares of the software company's stock after selling 320,000 shares during the period. Adobe Systems accounts for about 2.7% of Findlay Park Partners LLP's holdings, making the stock its 15th biggest holding. Findlay Park Partners LLP's holdings in Adobe Systems were worth $278,677,000 as of its most recent filing with the Securities and Exchange Commission. +Several other hedge funds also recently modified their holdings of ADBE. Signature Estate & Investment Advisors LLC bought a new stake in shares of Adobe Systems during the 2nd quarter valued at about $107,000. Reilly Financial Advisors LLC boosted its position in shares of Adobe Systems by 85.2% during the 1st quarter. Reilly Financial Advisors LLC now owns 576 shares of the software company's stock valued at $124,000 after purchasing an additional 265 shares in the last quarter. Exchange Capital Management Inc. bought a new stake in shares of Adobe Systems during the 1st quarter valued at about $125,000. Rainier Group Investment Advisory LLC bought a new stake in shares of Adobe Systems during the 1st quarter valued at about $130,000. Finally, Mount Yale Investment Advisors LLC bought a new stake in shares of Adobe Systems during the 1st quarter valued at about $132,000. 86.51% of the stock is owned by institutional investors. Get Adobe Systems alerts: +In other news, EVP Ann Lewnes sold 2,945 shares of the firm's stock in a transaction that occurred on Wednesday, June 20th. The stock was sold at an average price of $253.50, for a total value of $746,557.50. Following the transaction, the executive vice president now owns 67,377 shares in the company, valued at $17,080,069.50. The transaction was disclosed in a filing with the Securities & Exchange Commission, which can be accessed through the SEC website . Also, Director Charles M. Geschke sold 6,000 shares of the firm's stock in a transaction that occurred on Monday, June 18th. The shares were sold at an average price of $255.19, for a total value of $1,531,140.00. The disclosure for this sale can be found here . In the last quarter, insiders sold 25,324 shares of company stock worth $6,511,829. Corporate insiders own 0.33% of the company's stock. Shares of NASDAQ:ADBE opened at $248.89 on Friday. The company has a market capitalization of $124.23 billion, a price-to-earnings ratio of 69.33, a PEG ratio of 2.76 and a beta of 1.12. The company has a debt-to-equity ratio of 0.22, a quick ratio of 2.08 and a current ratio of 2.08. Adobe Systems Incorporated has a 52-week low of $143.95 and a 52-week high of $263.83. +Adobe Systems (NASDAQ:ADBE) last announced its quarterly earnings results on Thursday, June 14th. The software company reported $1.66 earnings per share (EPS) for the quarter, topping the consensus estimate of $1.54 by $0.12. The business had revenue of $2.20 billion for the quarter, compared to analyst estimates of $2.16 billion. Adobe Systems had a return on equity of 27.08% and a net margin of 26.68%. The company's quarterly revenue was up 23.9% on a year-over-year basis. During the same quarter in the prior year, the company earned $1.02 earnings per share. equities research analysts anticipate that Adobe Systems Incorporated will post 5.61 earnings per share for the current year. +Adobe Systems declared that its board has authorized a share buyback plan on Monday, May 21st that authorizes the company to repurchase $8.00 billion in outstanding shares. This repurchase authorization authorizes the software company to reacquire up to 6.8% of its stock through open market purchases. Stock repurchase plans are usually a sign that the company's leadership believes its shares are undervalued. +Several brokerages recently commented on ADBE. Wells Fargo & Co upped their target price on Adobe Systems from $200.00 to $250.00 and gave the company a "market perform" rating in a research report on Friday, June 15th. Zacks Investment Research upgraded Adobe Systems from a "hold" rating to a "buy" rating and set a $286.00 target price on the stock in a research report on Tuesday, June 19th. JPMorgan Chase & Co. upped their target price on Adobe Systems from $235.00 to $260.00 and gave the company a "neutral" rating in a research report on Friday, June 15th. Barclays upped their target price on Adobe Systems from $260.00 to $270.00 and gave the company an "overweight" rating in a research report on Tuesday, June 12th. Finally, Robert W. Baird upped their target price on Adobe Systems from $240.00 to $260.00 and gave the company a "buy" rating in a research report on Tuesday, May 22nd. Nine investment analysts have rated the stock with a hold rating and twenty-three have given a buy rating to the company's stock. The company currently has an average rating of "Buy" and a consensus target price of $241.76. +About Adobe Systems +Adobe Systems Incorporated operates as a diversified software company worldwide. Its Digital Media segment provides tools and solutions that enable individuals, small and medium businesses, and enterprises to create, publish, promote, and monetize their digital content. Its flagship product is Creative Cloud, a subscription service that allows customers to download and install the latest versions of its creative products. +Featured Story: Penny Stocks, Risk and Reward Factors +Want to see what other hedge funds are holding ADBE? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Adobe Systems Incorporated (NASDAQ:ADBE). Receive News & Ratings for Adobe Systems Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Adobe Systems and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4664.txt b/input/test/Test4664.txt new file mode 100644 index 0000000..29d5e7f --- /dev/null +++ b/input/test/Test4664.txt @@ -0,0 +1,2 @@ +19:35 19:35 +ANKARA, Turkey — Turkey and the United States exchanged new threats of sanctions Friday, keeping alive a diplomatic and financial crisis that is threatening the economic stability of the NATO country.Turkey's lira fell once again after the trade minister, Ruhsar Pekcan, said Friday that her government would respond to any new trade duties, which US President Donald Trump threatened in an overnight tweet. A general view of Istanbul, Thursday, Aug. 16, 2018. Turkey's finance chief tried to reassure thousands of international investors on a conference call Thursday, in which he pledged to fix the economic troubles that have seen the country spiral into a currency crisis.The national currency recovered somewhat from record lows hit earlier this week. (AP) Trump is taking issue with the continued detention in Turkey of American pastor Andrew Brunson, an evangelical pastor who faces 35 years in prison on charges of espionage and terror-related charges.Trump wrote in a tweet late Thursday: "We will pay nothing for the release of an innocent man, but we are cutting back on Turkey!"He also urged Brunson to serve as a "great patriot hostage" while he is jailed and criticized Turkey for "holding our wonderful Christian Pastor."US Treasury chief Steve Mnuchin earlier said the US could put more sanctions on Turkey.The United States has already imposed sanctions on two Turkish government ministers and doubled tariffs on Turkish steel and aluminum imports. Turkey retaliated with some $533 million of tariffs on some U.S. imports — including cars, tobacco and alcoholic drinks — and said it would boycott US electronic goods."We have responded to (US sanctions) in accordance to World Trade Organization rules and will continue to do so," Pekcan told reporters on Friday.Turkey's currency, which had recovered from record losses against the dollar earlier in the week, was down about 6 percent against the dollar on Friday, at 6.17.Turkey's finance chief tried to reassure thousands of international investors on a conference call Thursday, in which he pledged to fix the economic troubles. He ruled out any move to limit money flows — which is a possibility that worries investors — or any assistance from the International Monetary Fund.Investors are concerned that Turkey's has amassed high levels of foreign debt to fuel growth in recent years. And as the currency drops, that debt becomes so much more expensive to repay, leading to potential bankruptcies.Also worrying investors has been President Recep Tayyip Erdogan's refusal to allow the central bank to raise interest rates to support the currency, as experts say it should. Erdogan has tightened his grip since consolidating power after general elections this year. (AP \ No newline at end of file diff --git a/input/test/Test4665.txt b/input/test/Test4665.txt new file mode 100644 index 0000000..4ae3d94 --- /dev/null +++ b/input/test/Test4665.txt @@ -0,0 +1,18 @@ +Trump's military parade delayed until at least 2019 Lolita C. Baldor, The Associated Press Friday Aug 17, 2018 at 6:00 AM +WASHINGTON (AP) " The Defense Department says the Veterans Day military parade ordered up by President Donald Trump won't happen in 2018. +Col. Rob Manning, a Pentagon spokesman, said Thursday that the military and the White House "have now agreed to explore opportunities in 2019." +The announcement came several hours after The Associated Press reported that the parade would cost about $92 million, according to U.S. officials citing preliminary estimates more than three times the price first suggested by the White House. +According to the officials, roughly $50 million would cover Pentagon costs for aircraft, equipment, personnel and other support for the November parade in Washington. The remainder would be borne by other agencies and largely involve security costs. The officials spoke on condition of anonymity to discuss early planning estimates that have not yet been finalized or released publicly. +Officials said the parade plans had not yet been approved by Defense Secretary Jim Mattis. +Mattis himself said late Thursday that he had seen no such estimate and questioned the media reports. +The Pentagon chief told reporters traveling with him to Bogota, Colombia, that whoever leaked the number to the press was "probably smoking something that is legal in my state but not in most" " a reference to his home state of Washington, where marijuana use is legal. +He added: "I'm not dignifying that number ($92 million) with a reply. I would discount that, and anybody who said (that number), I'll almost guarantee you one thing: They probably said, 'I need to stay anonymous.' No kidding, because you look like an idiot. And No. 2, whoever wrote it needs to get better sources. I'll just leave it at that." +The parade's cost has become a politically charged issue, particularly after the Pentagon canceled a major military exercise planned for August with South Korea, in the wake of Trump's summit with North Korean leader Kim Jong Un. Trump said the drills were provocative and that dumping them would save the U.S. "a tremendous amount of money." The Pentagon later said the Korea drills would have cost $14 million. +Lt. Col. Jamie Davis, a Pentagon spokesman, said earlier Thursday that Defense Department planning for the parade "continues and final details are still being developed. Any cost estimates are pre-decisional." +The parade was expected to include troops from all five armed services " the Army, Navy, Air Force, Marine Corps and Coast Guard " as well as units in period uniforms representing earlier times in the nation's history. It also was expected to involve a number of military aircraft flyovers. +A Pentagon planning memo released in March said the parade would feature a "heavy air component," likely including older, vintage aircraft. It also said there would be "wheeled vehicles only, no tanks " consideration must be given to minimize damage to local infrastructure." Big, heavy tanks could tear up streets in the District of Columbia. +The memo from Mattis' office provided initial planning guidance to the chairman of the Joint Chiefs of Staff. His staff is planning the parade along a route from the White House to the Capitol and would integrate it with the city's annual veterans' parade. U.S. Northern Command, which oversees U.S. troops in North America, is responsible for the actual execution of the parade. +Earlier this year, the White House budget director told Congress that the cost to taxpayers could be $10 million to $30 million. Those estimates were likely based on the cost of previous military parades, such as the one in the nation's capital in 1991 celebrating the end of the first Gulf War, and factored in some additional increase for inflation. +One veterans group weighed in Thursday against the parade. "The American Legion appreciates that our President wants to show in a dramatic fashion our nation's support for our troops," National Commander Denise Rohan said. "However, until such time as we can celebrate victory in the War on Terrorism and bring our military home, we think the parade money would be better spent fully funding the Department of Veteran Affairs and giving our troops and their families the best care possible." +Trump decided he wanted a military parade in Washington after he attended France's Bastille Day celebration in the center of Paris last year. As the invited guest of French President Emmanuel Macron, Trump watched enthusiastically from a reviewing stand as the French military showcased its tanks and fighter jets, including many U.S.-made planes, along the famed Champs-Elysees. +Several months later Trump praised the French parade, saying, "We're going to have to try and top it. \ No newline at end of file diff --git a/input/test/Test4666.txt b/input/test/Test4666.txt new file mode 100644 index 0000000..71dae33 --- /dev/null +++ b/input/test/Test4666.txt @@ -0,0 +1,39 @@ +Packets of sunscreen along with paper fans are offered to spectators during Tennessee Titans NFL football training camp Tuesday, Aug. 7, 2018, in Nashville, Tenn. (AP Photo/Mark Humphrey) (Photo: The Associated Press) + NEW YORK (AP) — The toughest opponent for many NFL players and coaches during the blazing hot days of training camp sits far above the football field. +The sun's powerful ultraviolet rays are a leading cause of skin cancer, and shade is rare at most practice sites. So, slathered-on sunscreen, big bucket hats, long-sleeved T-shirts and slick sunglasses serve as lead blockers. +"I do it regularly, being red-haired with freckles, Irish heritage," Dolphins offensive tackle Sam Young said of using sunscreen. "I go to a dermatologist once a year to make sure everything is good." +Young doubles up on the protection by also wearing long sleeves during practice, despite steamy conditions that are more suited for lounging at the beach than playing on a football field. +"To me, it's not worth the risk," said Young, who grew up in South Florida and has family members who have had skin cancer. "I try to be as practical as I can about it. Sleeves mean one less thing to have to worry about." +And, there are plenty of concerns for those who spend so many hours on sun-splashed fields. +Skin cancer is the most common type of cancer, according to the American Cancer Society. The organization estimates there will be 5.4 million new cases of non-melanoma this year among 3.3 million people, and 91,270 new cases of melanoma — a more serious and aggressive form of skin cancer. Melanoma is usually curable, however, when detected in its early stages. +The NFL and American Cancer Society teamed up this summer to launch an initiative as part of its "Crucial Catch" campaign in which free sunscreen is being provided to players, coaches, fans, team employees and media at camps around the country. Some sites — such as at Jets and Giants camp — have several receptacles where people can get sunscreen from a dispenser, while packets of lotion are being handed out at others. +"One of the things we try do here that we haven't done before (is) to look at the skin cancer part of it," first-year Lions coach Matt Patricia said, "and see if there's anything you have questions about as a person, 'Hey, this doesn't look right,' or, 'What do you think about this?'" +Falcons coach Dan Quinn said he's had a spot "removed or checked on" in annual skin cancer checks during physical exams. He and some of his assistants normally wear long shirts under their T-shirts during practice — despite the Georgia heat and humidity. +"We all remind one another," Quinn said. "For the players and for the coaches, we always have the lotion that we need or the spray to use. They're pretty mindful." +Well, some are. +Plenty of players acknowledge they often hit the field focused more on picking up blocks than putting on sunblock. +"I probably should, but I'm just too lazy," said Washington rookie wide receiver Trey Quinn, who was "Mr. Irrelevant" as the last player selected in this year's draft. "Hopefully my mom doesn't see this. She'd probably recommend with my pale skin to wear a little sunscreen, but it's available to us and it's up to us to be adults and make decisions for ourselves." +Most players and coaches don't usually reapply sunscreen during practice, although the American Cancer Society recommends doing so after two hours in the sun. +Jets defensive end Henry Anderson usually remembers to put lotion on his arms before practice — not that it stays on long. +"Sometimes, I'll get a little red because O-linemen are rubbing your arms and rubbing your skin and stuff," he said. "I guess it does the job. I still get kind of burned here and there, but I just don't really want to wear sleeves out to practice in this weather." +The American Cancer Society says the lifetime risk of melanoma is higher for people who are white, especially those with fair skin that freckles or burns easily. But people of all skin colors are vulnerable, and sun damage can occur at any time of year. +Broncos linebacker Justin Simmons, who is black, recently wore tights and a long-sleeve shirt while practicing in the elevated altitude of Colorado. He also regularly wears sunscreen. +"When you're out here, yeah, you have to," Simmons said. "I just tan easy — very rarely does my skin break. But you have to put it on. You're so much closer to the sun. It may feel a little bit more humid, like where I'm from in South Florida, and may not feel as humid here. But you're so much closer and the sun is beaming on you. +"You have to protect your skin." +Hall of Fame quarterback Troy Aikman, Texans owner Bob McNair and Jaguars coach Doug Marrone are among some in the NFL community who have been successfully treated for melanomas. +But there have also been several who have been devastated by skin cancer, including former Steelers coach Bill Cowher, who lost his wife Kaye to melanoma in 2010. Former NFL assistant coach Jim Johnson died from that form of cancer in 2009, while former coach Buddy Ryan and former NFL player and coach Jack Pardee also dealt with it. +"Down in Houston with Mr. McNair, he would always remind us, 'Hey, make sure you put sunscreen on. It's important,'" said Titans coach Mike Vrabel, a Texans assistant the past four seasons. "It's something that he went through, and as you're out there every single day, just being conscious of it." +Vrabel's quarterback certainly is. Marcus Mariota grew up in Hawaii, so he's used to sunny days. +He doesn't use sunscreen, but wears a long-sleeved hoodie at practice, something he started doing last year. +"But today was a steamer," Mariota said recently. "I did consider putting on sunscreen. It's just slippery and messy. I'm not a big fan." +That's a common sentiment among players, particularly in the heat and humidity of training camp. +"I don't like doing it," Giants backup quarterback Davis Webb said. "I don't want it slipping on my hands, so I am not putting it on at practice. When I golf or I'm at the beach, I like to throw it on." +Dolphins rookie kicker Jason Sanders grew up in sunny Orange County, California, but is using sunscreen this summer for the first time in his football career. +"I get my upper arms to prevent the farmer's tan, and my neck, too," he said. "I get it on my ears and neck, but stay away from my face because I sweat a lot out here. I would say two out of three days I put sunscreen on. Some days when I kick, I don't want to be all lathered up. You can feel it when you're sweating this much. I don't want to get it anywhere near my eyes." +Just as long as it gets on every other exposed area. +Between blocks and screens, NFL players and coaches are doing everything under the sun to protect themselves. +"I think we can always get more information on all of that topic in general," Patricia said. "But (it's) something we have to be conscious about when we're out in the sun that long." +___ +AP Pro Football Writer Teresa Walker and AP Sports Writers Tom Canavan, Pat Graham, Larry Lage, Brett Martel, Charles Odum, Stephen Whyno and Steve Wine contributed. +___ +More AP NFL: https://apnews.com/tag/NFL and https://twitter.com/AP_NF \ No newline at end of file diff --git a/input/test/Test4667.txt b/input/test/Test4667.txt new file mode 100644 index 0000000..d35d64e --- /dev/null +++ b/input/test/Test4667.txt @@ -0,0 +1,39 @@ +NFL players, coaches protecting skin on every given sun day Dennis Waszak Jr., The Associated Press Friday Aug 17, 2018 at 6:00 AM +NEW YORK (AP) " The toughest opponent for many NFL players and coaches during the blazing hot days of training camp sits far above the football field. +The sun's powerful ultraviolet rays are a leading cause of skin cancer, and shade is rare at most practice sites. So, slathered-on sunscreen, big bucket hats, long-sleeved T-shirts and slick sunglasses serve as lead blockers. +"I do it regularly, being red-haired with freckles, Irish heritage," Dolphins offensive tackle Sam Young said of using sunscreen. "I go to a dermatologist once a year to make sure everything is good." +Young doubles up on the protection by also wearing long sleeves during practice, despite steamy conditions that are more suited for lounging at the beach than playing on a football field. +"To me, it's not worth the risk," said Young, who grew up in South Florida and has family members who have had skin cancer. "I try to be as practical as I can about it. Sleeves mean one less thing to have to worry about." +And, there are plenty of concerns for those who spend so many hours on sun-splashed fields. +Skin cancer is the most common type of cancer, according to the American Cancer Society. The organization estimates there will be 5.4 million new cases of non-melanoma this year among 3.3 million people, and 91,270 new cases of melanoma " a more serious and aggressive form of skin cancer. Melanoma is usually curable, however, when detected in its early stages. +The NFL and American Cancer Society teamed up this summer to launch an initiative as part of its "Crucial Catch" campaign in which free sunscreen is being provided to players, coaches, fans, team employees and media at camps around the country. Some sites " such as at Jets and Giants camp " have several receptacles where people can get sunscreen from a dispenser, while packets of lotion are being handed out at others. +"One of the things we try do here that we haven't done before (is) to look at the skin cancer part of it," first-year Lions coach Matt Patricia said, "and see if there's anything you have questions about as a person, 'Hey, this doesn't look right,' or, 'What do you think about this?'" +Falcons coach Dan Quinn said he's had a spot "removed or checked on" in annual skin cancer checks during physical exams. He and some of his assistants normally wear long shirts under their T-shirts during practice " despite the Georgia heat and humidity. +"We all remind one another," Quinn said. "For the players and for the coaches, we always have the lotion that we need or the spray to use. They're pretty mindful." +Well, some are. +Plenty of players acknowledge they often hit the field focused more on picking up blocks than putting on sunblock. +"I probably should, but I'm just too lazy," said Washington rookie wide receiver Trey Quinn, who was "Mr. Irrelevant" as the last player selected in this year's draft. "Hopefully my mom doesn't see this. She'd probably recommend with my pale skin to wear a little sunscreen, but it's available to us and it's up to us to be adults and make decisions for ourselves." +Most players and coaches don't usually reapply sunscreen during practice, although the American Cancer Society recommends doing so after two hours in the sun. +Jets defensive end Henry Anderson usually remembers to put lotion on his arms before practice " not that it stays on long. +"Sometimes, I'll get a little red because O-linemen are rubbing your arms and rubbing your skin and stuff," he said. "I guess it does the job. I still get kind of burned here and there, but I just don't really want to wear sleeves out to practice in this weather." +The American Cancer Society says the lifetime risk of melanoma is higher for people who are white, especially those with fair skin that freckles or burns easily. But people of all skin colors are vulnerable, and sun damage can occur at any time of year. +Broncos linebacker Justin Simmons, who is black, recently wore tights and a long-sleeve shirt while practicing in the elevated altitude of Colorado. He also regularly wears sunscreen. +"When you're out here, yeah, you have to," Simmons said. "I just tan easy " very rarely does my skin break. But you have to put it on. You're so much closer to the sun. It may feel a little bit more humid, like where I'm from in South Florida, and may not feel as humid here. But you're so much closer and the sun is beaming on you. +"You have to protect your skin." +Hall of Fame quarterback Troy Aikman, Texans owner Bob McNair and Jaguars coach Doug Marrone are among some in the NFL community who have been successfully treated for melanomas. +But there have also been several who have been devastated by skin cancer, including former Steelers coach Bill Cowher, who lost his wife Kaye to melanoma in 2010. Former NFL assistant coach Jim Johnson died from that form of cancer in 2009, while former coach Buddy Ryan and former NFL player and coach Jack Pardee also dealt with it. +"Down in Houston with Mr. McNair, he would always remind us, 'Hey, make sure you put sunscreen on. It's important,'" said Titans coach Mike Vrabel, a Texans assistant the past four seasons. "It's something that he went through, and as you're out there every single day, just being conscious of it." +Vrabel's quarterback certainly is. Marcus Mariota grew up in Hawaii, so he's used to sunny days. +He doesn't use sunscreen, but wears a long-sleeved hoodie at practice, something he started doing last year. +"But today was a steamer," Mariota said recently. "I did consider putting on sunscreen. It's just slippery and messy. I'm not a big fan." +That's a common sentiment among players, particularly in the heat and humidity of training camp. +"I don't like doing it," Giants backup quarterback Davis Webb said. "I don't want it slipping on my hands, so I am not putting it on at practice. When I golf or I'm at the beach, I like to throw it on." +Dolphins rookie kicker Jason Sanders grew up in sunny Orange County, California, but is using sunscreen this summer for the first time in his football career. +"I get my upper arms to prevent the farmer's tan, and my neck, too," he said. "I get it on my ears and neck, but stay away from my face because I sweat a lot out here. I would say two out of three days I put sunscreen on. Some days when I kick, I don't want to be all lathered up. You can feel it when you're sweating this much. I don't want to get it anywhere near my eyes." +Just as long as it gets on every other exposed area. +Between blocks and screens, NFL players and coaches are doing everything under the sun to protect themselves. +"I think we can always get more information on all of that topic in general," Patricia said. "But (it's) something we have to be conscious about when we're out in the sun that long." +___ +AP Pro Football Writer Teresa Walker and AP Sports Writers Tom Canavan, Pat Graham, Larry Lage, Brett Martel, Charles Odum, Stephen Whyno and Steve Wine contributed. +___ +More AP NFL: https://apnews.com/tag/NFL and https://twitter.com/AP_NF \ No newline at end of file diff --git a/input/test/Test4668.txt b/input/test/Test4668.txt new file mode 100644 index 0000000..ce0fce9 --- /dev/null +++ b/input/test/Test4668.txt @@ -0,0 +1 @@ +Visitors view exhibits of China's Song and Ming Dynasties in Hangzhou Xinhua | Updated: 2018-08-17 11:35 Visitors view the exhibits during an exhibition on daily articles of ancient China's Song (960-1279) and Ming (1368-1644) Dynasties in Hangzhou, capital of East China's Zhejiang province, Aug 15, 2018. [Photo/Xinhua] MOBILE Copyright 1995 - . All rights reserved. The content (including but not limited to text, photo, multimedia information, etc) published in this site belongs to China Daily Information Co (CDIC). Without written authorization from CDIC, such content shall not be republished or used in any form. Note: Browsers with 1024*768 or higher resolution are suggested for this site. License for publishing multimedia online 0108263 Registration Number: 13034 \ No newline at end of file diff --git a/input/test/Test4669.txt b/input/test/Test4669.txt new file mode 100644 index 0000000..c2da866 --- /dev/null +++ b/input/test/Test4669.txt @@ -0,0 +1,5 @@ +Top Performing Players Live Pass +Please download the NRL Official App and subscribe to NRL Live Pass to watch this match live. +NRL Live Pass is free for Telstra mobile customers: Every match of the 2018 NRL Telstra Premiership regular season live, fast and data-free.* In-game scoring highlights +Non Telstra Mobile customers can subscribe to NRL Live Pass ($3.99 Weekly Pass or $99.99 Annual Pass) via the NRL Official App. Live Pass is only available in Australia. For more information on streaming live matches in other countries please visit Watch NRL +*NRL Live Pass excludes live streaming of the Grand Final and State of Origin. Live streaming limited to 7" viewing size Corporate Partner \ No newline at end of file diff --git a/input/test/Test467.txt b/input/test/Test467.txt new file mode 100644 index 0000000..831b4d9 --- /dev/null +++ b/input/test/Test467.txt @@ -0,0 +1,3 @@ +· Y-o-Y Growth Analysis, By Product Type · Market Attractiveness Analysis, By Product Type · Market Share Analysis, By Product Type The Scope of the report: Global, regional and country-level analysis and forecasts of the study market; providing Insights on the major countries/regions in which this industry is blooming and to also identify the regions that are still untapped Segment-level analysis in terms product type along with market size forecasts and estimations to detect key areas of industry growth in detail Identification of key drivers, restraints, opportunities and challenges (DROC) in the market and their impact on shifting market dynamics Study of the effect of exogenous and endogenous factors that affect the global market; which includes broadly demographic, economics, and political, among other macro-environmental factors presented in an extensive PESTLE Analysis Study the micro environment factors that determine the overall profitability of an Industry, using Porter's five forces analysis for analyzing the level of competition and business strategy development A comprehensive list of key market players along with their product portfolio, current strategic interests, key financial information, legal issues, SWOT analysis and analyst overview to study and sustain the market environment Competitive landscape analysis listing out the mergers, acquisitions, collaborations in the field along with new product launches, comparative financial studies and recent developments in the market by the major companies An executive summary , abridging the entire report in such a way that decision-making personnel can rapidly become acquainted with background information, concise analysis and main conclusions Expertly devised analyst overview along with Investment opportunities to provide both individuals and organizations a strong financial foothold in the market About Market Data Forecast +Market Data Forecast is a well versed market research firm catering solutions in the fields of market research, business intelligence and consulting. With a profound knowledge about the global market activities coupled with a customized approach. We render services in the most gripping markets like healthcare, agriculture and food & Beverages More about Market Data Forecast Contact info +Contact: Abhishek Shukla Sales Manager (International Business Development) Market Data Forecast Direct Line: +1-888-702-9626 Mobile: +91 998 555 0206 Mail: abhishek@marketdataforecast.com Visit MarketDataForecast Blog @ http://www.marketdataforecast.com/blog/ View latest Press Releases of MDF @ http://www.marketdataforecast.com/press-release \ No newline at end of file diff --git a/input/test/Test4670.txt b/input/test/Test4670.txt new file mode 100644 index 0000000..379691c --- /dev/null +++ b/input/test/Test4670.txt @@ -0,0 +1,26 @@ +Why You Should Start Thinking About Buying British Hannah Goode People should be encouraged to buy British +How aware are you of where your stuff is made? Do you care? +No? Well you probably should. +Take a closer look at your favourite item of clothing or a few of your favourite gadgets and find out where they were made. I recently did this and found that nothing I checked was made in Britain. My headphones were made in China, my sunglasses were made in Cambodia and my t-shirt and shorts were made in India (and this company is a 'proud' British company!). In actual fact, I'm not sure I own anything that was made in Britain. +If you do the same exercise, chances are you'll find a similar thing. +It probably comes as no great surprise. We know companies are always looking to reduce production costs and there are huge savings to be made on labour and materials by shifting production to areas with low wages. +So what does it matter? Surely cheaper production costs mean cheaper end products so everyones a winner? +Unfortunately, everyone is not a winner. +Here are three very good reasons to explore British manufactured products the next time you go shopping. +1) Working conditions. +Whilst labour is much cheaper in places like China and India, the working conditions in some factories are very poor. Workers are asked to commit to painfully long shifts in sub-par conditions and get paid very little for their efforts. Workers are encouraged to sleep on the job. +In fact the shifts are so long that management actively encourages sleeping on the job. +People work to extremely tight targets and deadlines and they know if they don't perform, there are hundreds of people willing to take their place. +It has to be said that conditions have improved and are improving all of the time but there are still many areas where labour is being exploited. +2) Preserving a skilled workforce Skilled workforce +The UK is home to some of the finest craftsmanship in the world but if there skills keep getting overlooked in favour of cheaper alternatives, these skills will slowly fade and they won't get passed on. +Industries such as textiles also contribute greatly to the UK economy so the less we produce, the bigger the impact on GDP. +British furniture maker Katie Walker offers a collection of British made furniture skilfully designed and made in the UK. By looking to manufactures like this, we support our home grown talent enabling growth. +3) Sustainability +This might be obvious to some and less obvious to others but there are a number of environment and sustainability issues with buying imported goods. +A t-shirt made in India (for example) has to be shipped across the the UK, transported to a warehouse to be sorted and then transported to the shop. The environmental cost of importing these goods is very high compared to a product manufactured in Britain. +Firewood is often sourced from unsustainable European woodland and imported for sale in Britain. Not only have we got the environmental cost of the shipping but also the destruction of precious woodland. Imported firewood also risks spreading disease. +There is no need to buy firewood from suppliers who are importing wood from unsustainable woodland. With a little research you can find companies selling firewood sourced in the UK and make a difference. +Here is a company offering dried by kiln firewood, locally sourced from sustainable woodland: https://www.certainlywood.co.uk/ +Do you care? +Ultimately, it comes down to how much you care about buying British and the environmental, economical and social benefits it has. It would be a little unrealistic for everyone to buy only British products but that's not necessary. It's enough to just get more informed about where your products are coming from so you can make good decisions about whether to buy them. Edi \ No newline at end of file diff --git a/input/test/Test4671.txt b/input/test/Test4671.txt new file mode 100644 index 0000000..da9aa82 --- /dev/null +++ b/input/test/Test4671.txt @@ -0,0 +1,13 @@ +US threatens more sanctions, keeping alive Turkish crisis 17, 2018 at 1:05 am Updated August 17, 2018 at 3:07 am Share story SUZAN FRASER The Associated Press +ANKARA, Turkey (AP) — Turkey and the United States exchanged new threats of sanctions Friday, keeping alive a diplomatic and financial crisis that is threatening the economic stability of the NATO country. +Turkey's lira fell once again after the trade minister, Ruhsar Pekcan, said Friday that her government would respond to any new trade duties, which U.S. President Donald Trump threatened in an overnight tweet. +Trump is taking issue with the continued detention in Turkey of American pastor Andrew Brunson, an evangelical pastor who faces 35 years in prison on charges of espionage and terror-related charges. +Trump wrote in a tweet late Thursday: "We will pay nothing for the release of an innocent man, but we are cutting back on Turkey!" +He also urged Brunson to serve as a "great patriot hostage" while he is jailed and criticized Turkey for "holding our wonderful Christian Pastor." +U.S. Treasury chief Steve Mnuchin earlier said the U.S. could put more sanctions on Turkey. +The United States has already imposed sanctions on two Turkish government ministers and doubled tariffs on Turkish steel and aluminum imports. Turkey retaliated with some $533 million of tariffs on some U.S. imports — including cars, tobacco and alcoholic drinks — and said it would boycott U.S. electronic goods. +"We have responded to (US sanctions) in accordance to World Trade Organization rules and will continue to do so," Pekcan told reporters on Friday. +Turkey's currency, which had recovered from record losses against the dollar earlier in the week, was down about 6 percent against the dollar on Friday, at 6.17. +Turkey's finance chief tried to reassure thousands of international investors on a conference call Thursday, in which he pledged to fix the economic troubles. He ruled out any move to limit money flows — which is a possibility that worries investors — or any assistance from the International Monetary Fund. +Investors are concerned that Turkey's has amassed high levels of foreign debt to fuel growth in recent years. And as the currency drops, that debt becomes so much more expensive to repay, leading to potential bankruptcies. +Also worrying investors has been President Recep Tayyip Erdogan's refusal to allow the central bank to raise interest rates to support the currency, as experts say it should. Erdogan has tightened his grip since consolidating power after general elections this year. SUZAN FRASE \ No newline at end of file diff --git a/input/test/Test4672.txt b/input/test/Test4672.txt new file mode 100644 index 0000000..9cc660e --- /dev/null +++ b/input/test/Test4672.txt @@ -0,0 +1,11 @@ +Tweet +Engineers Gate Manager LP bought a new position in Domino's Pizza, Inc. (NYSE:DPZ) during the 2nd quarter, according to the company in its most recent filing with the Securities and Exchange Commission (SEC). The institutional investor bought 4,032 shares of the restaurant operator's stock, valued at approximately $1,138,000. +Other hedge funds and other institutional investors have also recently modified their holdings of the company. Winslow Evans & Crocker Inc. bought a new position in shares of Domino's Pizza in the second quarter worth approximately $172,000. Mckinley Capital Management LLC Delaware lifted its stake in shares of Domino's Pizza by 66.7% in the first quarter. Mckinley Capital Management LLC Delaware now owns 697 shares of the restaurant operator's stock worth $163,000 after buying an additional 279 shares in the last quarter. Private Trust Co. NA bought a new position in shares of Domino's Pizza in the second quarter worth approximately $220,000. Reliance Trust Co. of Delaware bought a new position in shares of Domino's Pizza in the second quarter worth approximately $227,000. Finally, Alpha Cubed Investments LLC bought a new position in shares of Domino's Pizza in the second quarter worth approximately $247,000. Hedge funds and other institutional investors own 99.35% of the company's stock. Get Domino's Pizza alerts: +DPZ opened at $287.72 on Friday. The company has a debt-to-equity ratio of -1.17, a quick ratio of 1.70 and a current ratio of 1.81. Domino's Pizza, Inc. has a 1-year low of $166.74 and a 1-year high of $295.24. The company has a market capitalization of $12.20 billion, a price-to-earnings ratio of 53.88, a price-to-earnings-growth ratio of 1.83 and a beta of 0.24. Domino's Pizza (NYSE:DPZ) last released its quarterly earnings results on Thursday, July 19th. The restaurant operator reported $1.84 earnings per share for the quarter, topping the Thomson Reuters' consensus estimate of $1.74 by $0.10. Domino's Pizza had a net margin of 10.19% and a negative return on equity of 11.29%. The business had revenue of $779.40 million for the quarter, compared to the consensus estimate of $786.88 million. During the same period last year, the firm earned $1.32 earnings per share. The company's quarterly revenue was up 24.0% on a year-over-year basis. equities analysts anticipate that Domino's Pizza, Inc. will post 8.31 EPS for the current year. +The firm also recently declared a quarterly dividend, which will be paid on Friday, September 28th. Shareholders of record on Friday, September 14th will be given a $0.55 dividend. The ex-dividend date of this dividend is Thursday, September 13th. This represents a $2.20 annualized dividend and a yield of 0.76%. Domino's Pizza's payout ratio is presently 41.20%. +In other Domino's Pizza news, insider J Patrick Doyle sold 20,842 shares of the stock in a transaction that occurred on Tuesday, June 5th. The shares were sold at an average price of $264.42, for a total value of $5,511,041.64. Following the transaction, the insider now directly owns 24,670 shares in the company, valued at $6,523,241.40. The transaction was disclosed in a legal filing with the Securities & Exchange Commission, which can be accessed through this hyperlink . 3.97% of the stock is currently owned by company insiders. +DPZ has been the topic of a number of research analyst reports. Bank of America increased their price objective on shares of Domino's Pizza from $285.00 to $305.00 and gave the company a "buy" rating in a research report on Thursday, June 14th. Stephens restated an "overweight" rating and set a $300.00 price objective on shares of Domino's Pizza in a research report on Thursday, April 26th. Morgan Stanley increased their price objective on shares of Domino's Pizza from $260.00 to $270.00 and gave the company an "equal weight" rating in a research report on Monday, July 16th. Barclays increased their price objective on shares of Domino's Pizza from $241.00 to $262.00 and gave the company an "equal weight" rating in a research report on Friday, July 20th. Finally, Wells Fargo & Co increased their price objective on shares of Domino's Pizza from $235.00 to $255.00 and gave the company a "market perform" rating in a research report on Tuesday, July 10th. They noted that the move was a valuation call. Ten equities research analysts have rated the stock with a hold rating and thirteen have given a buy rating to the stock. The stock presently has a consensus rating of "Buy" and a consensus target price of $268.48. +Domino's Pizza Profile +Domino's Pizza, Inc, through its subsidiaries, operates as a pizza delivery company in the United States and internationally. It operates through three segments: Domestic Stores, International Franchise, and Supply Chain. The company offers pizzas under the Domino's Pizza brand name through company-owned and franchised Domino's Pizza stores. +Recommended Story: Marijuana Stocks Future Looks Bright +Want to see what other hedge funds are holding DPZ? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Domino's Pizza, Inc. (NYSE:DPZ). Receive News & Ratings for Domino's Pizza Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Domino's Pizza and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4673.txt b/input/test/Test4673.txt new file mode 100644 index 0000000..0ab6eae --- /dev/null +++ b/input/test/Test4673.txt @@ -0,0 +1,9 @@ +Tweet +Sportsman's Warehouse (NASDAQ:SPWH) was upgraded by research analysts at ValuEngine from a "sell" rating to a "hold" rating in a report issued on Wednesday. +Several other brokerages have also commented on SPWH. Zacks Investment Research lowered shares of Sportsman's Warehouse from a "buy" rating to a "hold" rating in a research note on Saturday, July 21st. DA Davidson reiterated a "buy" rating on shares of Sportsman's Warehouse in a research note on Wednesday, May 16th. Five analysts have rated the stock with a hold rating and three have issued a buy rating to the stock. The company presently has an average rating of "Hold" and an average price target of $5.33. Get Sportsman's Warehouse alerts: +Shares of Sportsman's Warehouse stock opened at $5.21 on Wednesday. The company has a market capitalization of $210.40 million, a price-to-earnings ratio of 10.42, a P/E/G ratio of 0.82 and a beta of -0.65. Sportsman's Warehouse has a 52 week low of $3.40 and a 52 week high of $6.99. The company has a debt-to-equity ratio of 2.78, a quick ratio of 0.06 and a current ratio of 1.63. Sportsman's Warehouse (NASDAQ:SPWH) last announced its quarterly earnings results on Thursday, May 24th. The company reported ($0.08) EPS for the quarter, beating the Thomson Reuters' consensus estimate of ($0.10) by $0.02. The company had revenue of $180.10 million for the quarter, compared to analyst estimates of $175.80 million. Sportsman's Warehouse had a net margin of 1.97% and a return on equity of 48.91%. Sportsman's Warehouse's quarterly revenue was up 14.8% compared to the same quarter last year. analysts anticipate that Sportsman's Warehouse will post 0.6 EPS for the current fiscal year. +In other news, Director Seidler Kutsenda Management Co sold 2,822,652 shares of the firm's stock in a transaction that occurred on Monday, July 23rd. The shares were sold at an average price of $4.78, for a total transaction of $13,492,276.56. The sale was disclosed in a document filed with the SEC, which can be accessed through the SEC website . Over the last 90 days, insiders have sold 4,727,652 shares of company stock worth $23,735,127. Insiders own 2.20% of the company's stock. +Institutional investors and hedge funds have recently made changes to their positions in the company. A.R.T. Advisors LLC purchased a new position in shares of Sportsman's Warehouse during the first quarter worth approximately $164,000. Barclays PLC grew its position in shares of Sportsman's Warehouse by 673.1% during the first quarter. Barclays PLC now owns 44,382 shares of the company's stock worth $181,000 after acquiring an additional 38,641 shares during the last quarter. Macquarie Group Ltd. acquired a new stake in shares of Sportsman's Warehouse during the second quarter worth $236,000. Goldman Sachs Group Inc. lifted its holdings in shares of Sportsman's Warehouse by 199.8% during the fourth quarter. Goldman Sachs Group Inc. now owns 36,209 shares of the company's stock worth $239,000 after purchasing an additional 24,132 shares during the period. Finally, Wedge Capital Management L L P NC acquired a new stake in shares of Sportsman's Warehouse during the second quarter worth $366,000. Institutional investors and hedge funds own 86.41% of the company's stock. +About Sportsman's Warehouse +Sportsman's Warehouse Holdings, Inc, together with its subsidiaries, operates as an outdoor sporting goods retailer in the United States. It offers camping products, such as backpacks, camp essentials, canoes and kayaks, coolers, outdoor cooking equipment, sleeping bags, tents, and tools; and clothing products, including camouflage, jackets, hats, outerwear, sportswear, technical gear, and work wear. +To view ValuEngine's full report, visit ValuEngine's official website . Receive News & Ratings for Sportsman's Warehouse Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Sportsman's Warehouse and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4674.txt b/input/test/Test4674.txt new file mode 100644 index 0000000..85d62c9 --- /dev/null +++ b/input/test/Test4674.txt @@ -0,0 +1,12 @@ +by 2015-2023 World Charge Chrome Market Research Report by Product Type, End-User (Application) and Regions (Countries) +The comprehensive analysis of Global Charge Chrome Market along with the market elements such as market drivers, market trends, challenges and restraints. The various factors which will help the buyer in studying the Charge Chrome market on competitive landscape analysis of prime manufacturers, trends, opportunities, marketing strategies analysis, Market Effect Factor Analysis and Consumer Needs by major regions, types, applications in Global market considering the past, present and future state of the industry.In addition, this report consists of the in-depth study of potential opportunities available in the market on a global level. +The report begins with a market overview and moves on to cover the growth prospects of the Charge Chrome market. The current environment of the global Charge Chrome industry and the key trends shaping the market are presented in the report. Insightful predictions for the coming few years have also been included in the report. These predictions feature important inputs from leading industry experts and take into account every statistical detail regarding the Charge Chrome market. The market is growing at a very rapid face and with rise in technological innovation, competition and M&A activities in the industry many local and regional vendors are offering specific application products for varied end-users. +Request for free sample report @ https://www.indexmarketsresearch.com/report/2015-2023-world-charge-chrome-market/16200/#requestforsample +The statistical surveying report comprises of a meticulous study of the Charge Chrome Market along with the industry trends, size, share, growth drivers, challenges, competitive analysis, and revenue. The report also includes an analysis on the overall market competition as well as the product portfolio of major players functioning in the market. To understand the competitive scenario of the market, an analysis of the Porter's Five Forces model has also been included for the market.This market research is conducted leveraging the data sourced from the primary and secondary research team of industry professionals as well as the in-house databases. Research analysts and consultants cooperate with the key organizations of the concerned domain to verify every value of data exists in this report. +Charge Chrome industry report contains proven by regions, especially Asia-Pacific, North America, Europe, South America, Middle East & Africa, focusing top manufacturers in global market, with Production, price, revenue and market share for each manufacturer, covering following top players: Glencore-Merafe, Eurasian Resources Group, Samancor Chrome, Hernic Ferrochrome, IFM, FACOR, Mintal Group, Tata Steel, IMFA, Shanxi Jiang County Minmetal, Jilin Ferro Alloys, Ehui Group, Outokumpu +Split By Product Type, With Production, Income, Value, Market Share, And Development Rate Of Each Kind Can Be Partitioned Into: High Carbon Type, Low Carbon Type. +Split By Application, This Report Centers Around Utilization, Market Share And Development Rate In Every Application, Can Be Categorized Into: Stainless Steel, Engineering & Alloy Steel, Others. +Key Reasons to Purchase: 1) To gain insightful analyses of the market and have comprehensive understanding of the Charge Chrome Market and its commercial landscape. 2) Assess the Charge Chrome Market production processes, major issues, and solutions to mitigate the development risk. 3) To understand the most affecting driving and restraining forces in the Charge Chrome Market and its impact in the global market. 4) Learn about the market strategies that are being adopted by leading respective organizations. 5) To understand the outlook and prospects for Charge Chrome Market. +Get 25% Discount Click here @ https://www.indexmarketsresearch.com/report/2015-2023-world-charge-chrome-market/16200/#inquiry +Topics such as sales and sales revenue overview, production market share by product type, capacity and production overview, import, export, and consumption are covered under the development trend section of the Charge Chrome market report.Lastly, the feasibility analysis of new project investment is done in the report, which consist of a detailed SWOT analysis of the Charge Chrome market. +Get Customized report please contact \ No newline at end of file diff --git a/input/test/Test4675.txt b/input/test/Test4675.txt new file mode 100644 index 0000000..f00f782 --- /dev/null +++ b/input/test/Test4675.txt @@ -0,0 +1,13 @@ +Aidan Small 17 Aug 2018 +We kick-off our 2018/19 season at Meadow Park on Sunday, when we face West Ham United in the FA WSL Continental Tyres Cup. THE OPPOSITION +The 2017/18 campaign proved to be a successful year for the Hammers, who lifted two pieces of silverware and obtained a license to join the Women's Super League this forthcoming season. +They were crowned champions of the FA WPL Plate and the Goodmove.co.uk Women's Cup - and they come into this new season with great momentum, having won 12 of their last 15 competitive fixtures over this calendar year. THE MANAGER'S NOTES +"We work hard in pre-season for moments like this, to make a good start to the season and cement ourselves in making sure that we're up there," Joe Montemurro told Arsenal.com +"It's a cup game and it will be difficult because we don't know much about West Ham and they're a new team. They look like they've recruited very well, but we need to focus on what we need to do, respect the opposition and make sure that we've done all the work to put in a good performance and make a good start to the season. +"We may be the current champions of this competition, but it's all about preparing well for each game and preparing well for each challenge. You need to make sure you pass one test before you go onto the next one. +"You can never look too far ahead because if we could all predict the future we'd all be very rich people, so it's about that we just focus on the task ahead and ensure that we're prepared." ONE TO WATCH +If we dominate possession against the Hammers, then Beth Mead's pace and movement in the final third will prove vital in gaining qualification to the next round of the tournament. +Mead recorded eight goals and one assist in the WSL last season - and she's shown great understanding with her fellow strike partner Vivianne Miedema over pre-season. +Miedema's sheer presence in the box pulls defenders out of position, and this provides Mead with an abundance of space to attack down the right wing. +She also scored in our 2-2 draw with Paris Saint-Germain last Sunday, helping us to be crowned champions of the Toulouse International Ladies Cup. +We kick-off our defence of the Continental Tyres Cup at 2pm on Sunday – and you can get all the live updates by following us on Twitter @ArsenalWFC Copyright 2018 The Arsenal Football Club plc. Permission to use quotations from this article is granted subject to appropriate credit being given to www.arsenal.com as the source. Latest Women New \ No newline at end of file diff --git a/input/test/Test4676.txt b/input/test/Test4676.txt new file mode 100644 index 0000000..03096a2 --- /dev/null +++ b/input/test/Test4676.txt @@ -0,0 +1,7 @@ +Tweet +Shares of Deutsche Telekom AG (OTCMKTS:DTEGY) have earned an average rating of "Hold" from the nine ratings firms that are presently covering the stock, MarketBeat.com reports. One analyst has rated the stock with a sell recommendation, three have issued a hold recommendation and five have given a buy recommendation to the company. +DTEGY has been the subject of several recent analyst reports. Zacks Investment Research upgraded Deutsche Telekom from a "sell" rating to a "hold" rating in a report on Monday, May 14th. DZ Bank restated a "buy" rating on shares of Deutsche Telekom in a report on Thursday, May 17th. Citigroup upgraded Deutsche Telekom from a "neutral" rating to a "buy" rating in a report on Friday, July 27th. Finally, ValuEngine downgraded Deutsche Telekom from a "hold" rating to a "sell" rating in a report on Tuesday, May 22nd. Get Deutsche Telekom alerts: +Shares of Deutsche Telekom stock opened at $15.89 on Tuesday. Deutsche Telekom has a 1 year low of $15.03 and a 1 year high of $18.96. The stock has a market capitalization of $74.25 billion, a price-to-earnings ratio of 10.88 and a beta of 0.68. The company has a quick ratio of 0.67, a current ratio of 0.75 and a debt-to-equity ratio of 1.16. Deutsche Telekom (OTCMKTS:DTEGY) last announced its quarterly earnings results on Thursday, August 9th. The utilities provider reported $0.31 earnings per share (EPS) for the quarter. Deutsche Telekom had a return on equity of 16.04% and a net margin of 4.52%. The company had revenue of $21.91 billion during the quarter, compared to the consensus estimate of $21.49 billion. research analysts predict that Deutsche Telekom will post 1.1 EPS for the current fiscal year. +Deutsche Telekom Company Profile +Deutsche Telekom AG, together with its subsidiaries, provides integrated telecommunication services worldwide. The company operates through five segments: Germany, United States, Europe, Systems Solutions, and Group Development. It offers fixed-network services, including voice and data communication services based on fixed-network and broadband technology; and sells terminal equipment and other hardware products, as well as services to resellers. +Featured Story: NASDAQ Receive News & Ratings for Deutsche Telekom Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Deutsche Telekom and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4677.txt b/input/test/Test4677.txt new file mode 100644 index 0000000..bd2f814 --- /dev/null +++ b/input/test/Test4677.txt @@ -0,0 +1,12 @@ +More than 2,000 drivers caught speeding during one week in police crackdown Menu More than 2,000 drivers caught speeding during one week in police crackdown More than 2,000 drivers caught speeding in one week 0 comments MORE than 2,000 drivers were caught speeding across Hampshire and Isle of Wight as part of a seven day enforcement operation by police last week. +A total of 2,007 people were driving over the speed limit, 75 per cent of which were in 30mph areas where there are 'greater hazards' and a number of different road users, police have warned. +Road policing officers stopped and dealt with 162 people, and nearly half of those caught have been offered a National Speed Awareness course as an alternative to prosecution. +Police chiefs say their focus for those who endanger lives of the road is through enforcement and education. +Sgt Rob Heard, from the Joint Operations Roads Policing Unit, said: "Research from across Europe suggests speeding is the most important factor that contributes to road deaths and serious injuries. +"The results in the space of just one week show that too many people are putting their lives in danger on our roads. +"Excessive or inappropriate speed has an appalling impact when you're involved in a collision." +Out of those caught during the week, 70 per cent were male and 71 per cent were over 25 years old. +Nearly all speeders, at 92 per cent, were car drivers. +Sgt Heard added: "If you collide with a pedestrian at 30mph they have an 80 per cent chance of survival, however if you collide at 40mph then the pedestrian only has a 10 per cent chance of survival. +"This is why it forms one of our Fatal Four. +"Our message is simple, It's not worth the risk and you massively reduce the chances of you avoiding a collision when an unexpected hazard occurs in front of you. \ No newline at end of file diff --git a/input/test/Test4678.txt b/input/test/Test4678.txt new file mode 100644 index 0000000..f672843 --- /dev/null +++ b/input/test/Test4678.txt @@ -0,0 +1,18 @@ +August 17, 2018 12:15am 0 Comments Daniel Marchena Google Camera vs. OxygenOS Camera: Which is better on the OnePlus 6? The OnePlus 6 is one of the standout devices of 2018 . Like many of its predecessors, it offers a compelling flagship level performance package at a good value, at least when compared to what other offerings are available. Outside of discounted flagships, or older devices at an unexpectedly lower cost – like the Pixel 2 – it is hard to find much around this price point that can compete. That said, the Achilles heel of OnePlus, outside of their early marketing efforts, has traditionally been their cameras. While their camera game has stepped up significantly in recent years, inching closer to flagship levels, the camera is still lacking, especially in the processing of photos. As such, and being that the OnePlus brand usually brings out the abandoned Nexus warriors, the Google Camera (GCam) mod has become near-essential on prior OnePlus flagships. +Google Camera mods refer to particular applications modded off those found on the Google Pixel devices and older Nexus models. For the past few years, developers have worked to port this application to various phones, and since all phones are not created equally, this hasn't always been an easy task. This particular mod for the OnePlus 6 brings over some of the features specific to the Pixel, like Rear & Front HDR+, Lens Blur, Panorama, PhotoSphere, and Google Lens . Since the initial post at the end of May, many bugs have been fixed, like phones taking black and white photos, camera tint, application crashes, and more. In its current state, it is certainly a very usable application. The question, though, is whether this mod still improves upon the current OnePlus 6's camera like it did for prior ones like the OnePlus 3 , which has greatly benefited from this work. So let us compare the OnePlus 6's stock OxygenOS Camera app vs. the Google Camera mod and see if you should make the switch. +Want to try the Google Camera Mod on your device? The Google Camera Port Hub is a centralized location where you can go to find a working port for your device. Currently, the hub has over 40 devices listed, including the Samsung Galaxy S9 , Samsung Galaxy S8 , LG G7 ThinQ , Essential Phone , OnePlus 6, Xiaomi Mi 8 , and many more. Each device has at least one port that should work for that device. It's important to note that most Google Camera ports are not perfect. They all have their pros and cons. We tried to find the ports that have been endorsed by users on our forums. You may be able to find a better port on the forum for your device, but our hub is a good place to start. Google Camera Port Hub +Disclaimers : The particular version of the Google Camera was the OP6_test_1.2.2_GCam_5.3.015-PixelMod which was the newest 'stable' version at the time of my testing. I used it on the newest firmware at the time from OnePlus – 5.1.9 and the camera software matched. These are my opinions of these photos and every one of us will see them slightly differently. While I will offer my opinion on the shots, you are free to disagree. I am not always right. Even if you disagree with my assessment, I hope you find the images in this comparison valuable and that they help you arrive to your own conclusion. We are using Flickr today instead of our normal built-in gallery to preserve the image quality. +The first photo is always the Google Camera photo while the second is the OnePlus 6's OxygenOS camera app. Just hit the arrow to see the photo or toggle through them. Test #1 – Mid-Late Afternoon +Superficially, looking at these two photos, they are very similar. However, if you look closer, you will start to see some things that trend through all of our photos: Google Camera tends to favor less exposed shots that give it a moody feel while trending blue in hue, and the stock OnePlus 6 camera trends more reddish orange. Here the Google Camera app did a much better job on the grass, giving it a subdued feel, whereas the stock OxygenOS camera on the OnePlus 6 punched the colors up a little too much. That changes when you get to the trees in the back of the shot and the clouds. I feel GCam did a poor job punching the shadows around these subjects and making them stand out far more than they should have. Also, the tree leaves on the left and right of the image are a dark sickly blue-grey color on the GCam version, where they are more accurate on the stock OxygenOS camera, and brighter to boot. Test #2 – Dusk Parking Lot +This photo really shows the blue hue the GCam mod loves. Neither of them are particularly great shots, but the Google Camera picture is just wrong as it doesn't quite match the scene it's trying to depict. I think thanks to the Google Camera's tendency to punch up the HDR on photos it got a little more detail, but overall they are both decent photos in a bad situation. Test #3 – Lit Sign +Here the photos are quite different again. If you focus on the colors of the sign, in particular, the T and S letters, you can see they vary wildly between shots. I am not quite sure what the Google Camera app was doing here, but those colors are not lifelike. However, the OnePlus 6's stock camera app did a very poor job on the bottom of the shot. I have no idea where that light source is because in person it was nowhere near as bright or scene-changing. The Google Camera mod overall did a better job here but really altered the colors on the sign making them look unnatural. Test #4 – Early Morning Direct Sun +This is a shot I love to do with my camera tests. It has a lot of different colors, subject depths, and is interesting to see how different devices handle the scenario. My preference is to go ahead and overexpose a background subject that is already very bright to bring out the highlights in other more prominent subjects, but not everyone agrees and this is a perfect example. On the stock OnePlus 6 camera, the leaves of the bush and the tree are very bright and a very good representation of what the lighting was like. The Google Camera photo brought the exposure down a bit due to the fence in the back and thus produced a more dramatic photo. Personally, I prefer the OnePlus 6's stock camera, but neither are bad and they both do a solid job here. Test #5 – Early Morning Direct Sun – Leaves +The Google Camera shot is quite terrible and showcases something I frankly do not tend to like about the Google Pixel camera, as that blue hue leaves a lot to be desired. In contrast, the stock OnePlus 6 camera did a great job on this photo. The color balance is warm and natural and although the top right corner does show some weird coloring, there is a lot of detail, exposure is proper on the subject, and nothing is really unsightly. Test #6 – Mid-Afternoon Parking Lot +This one, like test #4 is a toss-up. It all comes down to your preference in terms of the white balance. I think the Google Camera mod did a better job making the photo look appealing and the stock camera is more realistic. Neither is wrong, both did a good job. Test #7 – Crosswalk Sign +Again like #4 and #6, they both do a good job. Personally, I think the stock camera did a better job here preserving details and exposure on the left side of the frame and on the grass, where the Google Camera went for a more flat photo that lost some of the finer details. In terms of the color though, the GCam did a better job as the stock camera pushed things a little outside of what was realistic. Test #8 – No Parking Sign +This is a very weird shot and neither are bad, they are just different. The stock camera has unrealistic greens and blues, but the red on the Google Camera mod is not correct whereas the background is. The OnePlus 6 camera also tended to preserve a little more detail in this shot on the post. Again though, neither is a bad shot, they are both fairly good. Test #9 – Unknown Spaceship +I am sorry for the different setup in this shot. Unfortunately, the Google Camera app would not take the shot without using the flash, so I had to toggle it off manually and shifted slightly without realizing it. That being said, they show the same things we have seen before, Google Camera is blue, the stock OnePlus 6's OxygenOS Camera is red. Otherwise, I think they both did a good job balancing this shot out and I think the stock camera kept a little more of the details on the ship. Conclusion Time +Would I recommend you going and switching over to the Pixel cam mod today? No, for a lot of reasons. However, that is not to say you should never use the Pixel camera and having it installed for certain scenarios is beneficial. OnePlus just pushed a massive camera update a few months ago and one of the larger changes was that they were doing significantly less post-processing on their images. This generally leaves a lot of detail and really solid exposure, which we have seen. Unfortunately, though, there is a nasty side effect of this and I am not sure why it exists, maybe some further tuning is required. +If we punch in on the first shot (and this occurs in nearly every shot) you can see a texture on the image, almost like the raised effect you get from paints on a canvas or printing lines. It distorts nearly all the fine line detail, whereas the GCam mod smooths it out a bit. While looking at the photos at 100% you hardly notice it, the second you go to 150% or 200% it becomes clearly visible as they follow horizontal alignment, something that is unnatural in most photos. I also cannot imagine that this would be good for printing. I hope this is something OnePlus can address as it stands out in quite a number of shots the moment you zoom in. GCam Punch In Stock Punch In +Back to the Google Camera port though, there are a few other reasons I would not recommend it at this time . The focus is abysmal and cannot really be trusted. It is something that the developers are working on, but currently, I could not recommend either of the three versions as they all were fairly slow to focus, something the stock software has no issue with. Also in tandem with this focus issue is the shot delay. Typically there is a solid second or two before the shot actually fires off, sometimes with me wondering if the shot had already been taken, often right as the screen flashes letting me know it just had. That said, the developers are actively working on this mod for the OnePlus 6 and improvements are coming on a regular basis. I think within a few months it could be on par with the stock camera in terms of reliability. It is a major accolade to the developers working on this mod as it has brought major improvements and usability to so many older devices such as the OnePlus 3. +It also could be a major testament to OnePlus developers who have done a fairly good job with their post-processing outside of that issue I mentioned earlier. Despite the problem with the textured noise or over-sharpening, the OnePlus 6's camera is still a large improvement over the overly-smoothed effect the prior versions had or the oil painting effect the OnePlus 5 had been known for. OnePlus got most of the things that are required to take a good photo quite right on the OnePlus 6, at last. The colors are accurate, shots are properly exposed, details are not smoothed out, and none of the shots I took with the stock software were bad — that has pretty much been my experience since the 5.1.9 update rolled out for the OnePlus 6. Either way, if you choose to mod or to not mod, the OnePlus 6 is continuing to shape up to be a very competitive package, camera included \ No newline at end of file diff --git a/input/test/Test4679.txt b/input/test/Test4679.txt new file mode 100644 index 0000000..346fd60 --- /dev/null +++ b/input/test/Test4679.txt @@ -0,0 +1,11 @@ +Full article 0 comments Jorginho Guajajara was found dead in the northern state of Maranhao with his neck broken, rights group Survival International said He was a leader of the Guajajara people, who call themselves the Guardians of the Amazon and have faced repeated threats from a powerful logging mafia The Guardians of the Amazon recently destroyed a logging truck they discovered in their territory. +An indigenous leader has been found murdered in Brazil, exposing the growing threat to tribes fighting illegal logging in the Amazon, campaigners and authorities said. Jorginho Guajajara was found dead in the northern state of Maranhao with his neck broken, rights group Survival International said. Police in Maranhao confirmed on Thursday they were investigating the case. +He was a leader of the Guajajara people, who call themselves the Guardians of the Amazon and have faced repeated threats from a powerful logging mafia operating on their territory. +"This is just one of many murders in Maranhao... due to the indigenous people's work to protect their land against loggers," said Sonia Guajajara, an indigenous leader who is standing to be Brazil's next vice president. +"Our people can no longer afford to stand by while the government does nothing, and they are paying for that with their lives" she said. +South America's largest country is grappling with scores of deadly land conflicts, illustrating the tensions between preserving indigenous culture and economic development. Up to 80 members of the Guajajara tribe have been killed since 2000, according to rights groups estimates. +Brazil's indigenous affairs agency, Funai, said in a statement it was aware of the murder and was cooperating with police. +The Arariboia territory where the Guajajara live is also home to the Awa Indians, hunter-gatherers Survival International has described as the most threatened tribe in the world because they have nowhere to go if their forest is cut down. +Brazil's government has struggled to protect the vast territory amid budget cuts and increasing political pressure to open up indigenous reserves to mining, the group said. +That has led the Guardians of the Amazon to take matters into their own hands. In May, Brazil sent in armed back-up from the environmental protection agency Ibama after the group captured a logging gang and burned their truck. +"What is really needed is proper enforcement on the ground that is continuous," said Fiona Watson, research director at Survival International. "Ibama may go in from time to time, but that's not the solution. \ No newline at end of file diff --git a/input/test/Test468.txt b/input/test/Test468.txt new file mode 100644 index 0000000..009b10e --- /dev/null +++ b/input/test/Test468.txt @@ -0,0 +1,7 @@ +Two people crash into golf course By The Dispatch Staff, , @OneidaDispatch on Twitter Posted: # Comments +Verona, N.Y. >> Two people in Verona went off the road and ended up on the Turning Stone Casino Golf Course. +According to the Oneida County Sheriff's Office, on Aug. 15 at around 5:30 p.m., Hussein Mohamed, 22, of Utica was driving his 2007 Toyota Prius on Snyder Road with Halima Mohamed, 37 of Utica. +Police said Hussein lost control of his vehicle and veered off the road before hitting a stone wall on the Turning Stone Casino Golf Course. +The passenger, Halima, suffered minor injuries and was transported to the Oneida Hospital. Advertisement +Mohamed was cited for speeding and changing lanes unsafely. He is scheduled to appear at the Verona Town Court at a later date. +The Oneida County Sheriff's Office was assisted by the Oneida Indian Nation police, Verona Fire Department and Vineall Ambulance \ No newline at end of file diff --git a/input/test/Test4680.txt b/input/test/Test4680.txt new file mode 100644 index 0000000..a128abe --- /dev/null +++ b/input/test/Test4680.txt @@ -0,0 +1,11 @@ +Tweet +CIBC Private Wealth Group LLC reduced its holdings in shares of T. Rowe Price Group Inc (NASDAQ:TROW) by 4.2% during the 2nd quarter, according to the company in its most recent 13F filing with the Securities & Exchange Commission. The firm owned 9,878 shares of the asset manager's stock after selling 434 shares during the period. CIBC Private Wealth Group LLC's holdings in T. Rowe Price Group were worth $1,147,000 at the end of the most recent quarter. +A number of other institutional investors and hedge funds have also made changes to their positions in the stock. HL Financial Services LLC raised its position in T. Rowe Price Group by 574.9% in the 1st quarter. HL Financial Services LLC now owns 45,871 shares of the asset manager's stock valued at $4,953,000 after buying an additional 39,074 shares during the last quarter. Daiwa Securities Group Inc. raised its position in T. Rowe Price Group by 9.1% in the 1st quarter. Daiwa Securities Group Inc. now owns 7,965 shares of the asset manager's stock valued at $860,000 after buying an additional 667 shares during the last quarter. Rhumbline Advisers raised its position in T. Rowe Price Group by 5.0% in the 1st quarter. Rhumbline Advisers now owns 504,769 shares of the asset manager's stock valued at $54,500,000 after buying an additional 23,911 shares during the last quarter. Sentry Investment Management LLC raised its position in T. Rowe Price Group by 36.1% in the 1st quarter. Sentry Investment Management LLC now owns 17,806 shares of the asset manager's stock valued at $1,923,000 after buying an additional 4,722 shares during the last quarter. Finally, ARP Americas LP acquired a new stake in T. Rowe Price Group in the 1st quarter valued at approximately $885,000. 71.63% of the stock is currently owned by hedge funds and other institutional investors. Get T. Rowe Price Group alerts: +TROW stock opened at $116.32 on Friday. The company has a market capitalization of $28.49 billion, a price-to-earnings ratio of 21.42, a P/E/G ratio of 1.47 and a beta of 1.24. T. Rowe Price Group Inc has a twelve month low of $81.61 and a twelve month high of $127.43. T. Rowe Price Group (NASDAQ:TROW) last posted its quarterly earnings results on Wednesday, July 25th. The asset manager reported $1.87 earnings per share for the quarter, beating the Zacks' consensus estimate of $1.76 by $0.11. The firm had revenue of $1.35 billion during the quarter, compared to the consensus estimate of $1.33 billion. T. Rowe Price Group had a return on equity of 28.49% and a net margin of 31.67%. The business's revenue was up 13.4% compared to the same quarter last year. During the same period last year, the company earned $1.28 earnings per share. equities research analysts predict that T. Rowe Price Group Inc will post 7.23 EPS for the current year. +T. Rowe Price Group declared that its board has authorized a share buyback plan on Thursday, April 26th that authorizes the company to repurchase 10,000,000 shares. This repurchase authorization authorizes the asset manager to purchase shares of its stock through open market purchases. Stock repurchase plans are typically an indication that the company's leadership believes its shares are undervalued. +TROW has been the topic of a number of recent research reports. Deutsche Bank raised T. Rowe Price Group from a "hold" rating to a "buy" rating and dropped their target price for the company from $121.00 to $114.00 in a research report on Wednesday, May 16th. Zacks Investment Research raised T. Rowe Price Group from a "hold" rating to a "buy" rating and set a $130.00 target price on the stock in a research report on Monday, July 2nd. BidaskClub lowered T. Rowe Price Group from a "strong-buy" rating to a "buy" rating in a research report on Wednesday, June 27th. Morgan Stanley lifted their target price on T. Rowe Price Group from $114.00 to $116.00 and gave the company an "equal weight" rating in a research report on Thursday, July 12th. Finally, Jefferies Financial Group raised T. Rowe Price Group from a "neutral" rating to a "hold" rating in a research report on Thursday, May 17th. One equities research analyst has rated the stock with a sell rating, eight have assigned a hold rating and four have given a buy rating to the company. The company presently has a consensus rating of "Hold" and a consensus target price of $118.27. +In other T. Rowe Price Group news, Director Freeman A. Hrabowski III sold 4,500 shares of the firm's stock in a transaction that occurred on Thursday, July 26th. The stock was sold at an average price of $121.74, for a total value of $547,830.00. Following the completion of the transaction, the director now directly owns 9,640 shares in the company, valued at $1,173,573.60. The transaction was disclosed in a filing with the SEC, which can be accessed through the SEC website . Also, VP W. Sharps Robert sold 36,000 shares of the firm's stock in a transaction that occurred on Tuesday, June 12th. The shares were sold at an average price of $126.34, for a total value of $4,548,240.00. Following the completion of the transaction, the vice president now owns 487,917 shares of the company's stock, valued at $61,643,433.78. The disclosure for this sale can be found here . Over the last 90 days, insiders sold 148,139 shares of company stock valued at $18,369,428. Corporate insiders own 3.10% of the company's stock. +T. Rowe Price Group Company Profile +T. Rowe Price Group, Inc is a publicly owned investment manager. The firm provides its services to individuals, institutional investors, retirement plans, financial intermediaries, and institutions. It launches and manages equity and fixed income mutual funds. The firm invests in the public equity and fixed income markets across the globe. +Recommended Story: Stock Symbol +Want to see what other hedge funds are holding TROW? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for T. Rowe Price Group Inc (NASDAQ:TROW). Receive News & Ratings for T. Rowe Price Group Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for T. Rowe Price Group and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4681.txt b/input/test/Test4681.txt new file mode 100644 index 0000000..d57d4bb --- /dev/null +++ b/input/test/Test4681.txt @@ -0,0 +1,8 @@ +Stormy Daniels Reportedly Storms Out of U.K. 'Big Brother' at Last Minute +Despite rumors that Stormy Daniels would be the big signing coup for the new season of "Celebrity Big Brother" in the U.K., the notorious porn star was not one of the 13 celebrities to enter the house on Thursday night's launch show on Channel 5. British newspaper The Sun said Daniels, who was allegedly paid […] 52 mins ago Ariana Grande Gets Standing Ovation for Emotional Aretha Franklin Tribute on 'Tonight Show' +Despite rumors that Stormy Daniels would be the big signing coup for the new season of "Celebrity Big Brother" in the U.K., the notorious porn star was not one of the 13 celebrities to enter the house on Thursday night's launch show on Channel 5. British newspaper The Sun said Daniels, who was allegedly paid […] 7 hours ago Jimmy Fallon, T-Mobile Will Send 'Tonight Show' to Central Park +Despite rumors that Stormy Daniels would be the big signing coup for the new season of "Celebrity Big Brother" in the U.K., the notorious porn star was not one of the 13 celebrities to enter the house on Thursday night's launch show on Channel 5. British newspaper The Sun said Daniels, who was allegedly paid […] 8 hours ago SAG-AFTRA Members Ratify Deal on Non-Primetime Television +Despite rumors that Stormy Daniels would be the big signing coup for the new season of "Celebrity Big Brother" in the U.K., the notorious porn star was not one of the 13 celebrities to enter the house on Thursday night's launch show on Channel 5. British newspaper The Sun said Daniels, who was allegedly paid […] 8 hours ago 'The Sinner' Star Carrie Coon on Playing the Villain: 'I Don't Care About Being Liked' +Despite rumors that Stormy Daniels would be the big signing coup for the new season of "Celebrity Big Brother" in the U.K., the notorious porn star was not one of the 13 celebrities to enter the house on Thursday night's launch show on Channel 5. British newspaper The Sun said Daniels, who was allegedly paid […] 11 hours ago Fox News Mistakenly Uses Patti LaBelle Photo in Aretha Franklin Tribute +Despite rumors that Stormy Daniels would be the big signing coup for the new season of "Celebrity Big Brother" in the U.K., the notorious porn star was not one of the 13 celebrities to enter the house on Thursday night's launch show on Channel 5. British newspaper The Sun said Daniels, who was allegedly paid […] 11 hours ago 'The Alienist' Will Keep 2018 Limited-Series Emmy Nominations Despite Renewal +Despite rumors that Stormy Daniels would be the big signing coup for the new season of "Celebrity Big Brother" in the U.K., the notorious porn star was not one of the 13 celebrities to enter the house on Thursday night's launch show on Channel 5. British newspaper The Sun said Daniels, who was allegedly paid […] 12 hours ag \ No newline at end of file diff --git a/input/test/Test4682.txt b/input/test/Test4682.txt new file mode 100644 index 0000000..ee1ff71 --- /dev/null +++ b/input/test/Test4682.txt @@ -0,0 +1 @@ +Press release from: Report Consultant A new research report, shows an extensive audit of the web analytics software market by researching the past and the present execution of this market. The report, surveys the key examples and other imperative parts, which are influencing the market's advancement, to get an obvious cognizance of this market.In any case, web analytics isn't only a procedure for estimating web movement however can be utilized as an instrument for business and statistical surveying, and to evaluate and enhance the adequacy of a site. Web analytics applications can likewise enable organizations to gauge the aftereffects of customary print or communicate publicizing efforts. Global web analytics software market was valued at US$ XX Mn in 2017 and is expected to reach US$ XX Mn by 2023 at +XX% CAGR.Download sample copy: www.reportconsultant.com/request_sample.php?id=42 Top Key Players: Campaign Monitor, SEOmoz, Smartlook, LInk-Assistant.Com, Tune, SimilarWeb, Lucky Orange, Kissmetrics, Countly, Piwik PRO, Segmentify, Slemma, CustomerEngagePro, Positionly, Bizible, DemandJumpConversely, one of the new challenges for the global web analytics software market is to meet the consumer's demand. Manufacturers who bring in innovative products on the market that meet the defined guidelines and raise awareness about it are expected to gain considerable ground during the forecast period. Geographically, the report studies the regional and country markets for web analytics software in United States, EU, Japan, China, India and Southeast Asia. Discount on this report: www.reportconsultant.com/ask_for_discount.php?id=42 How vendors in the global web analytics market are increasingly introducing a solution that allows the industry to work with a number of diverse sources. As businesses gain more confidence about the reliability of data-driven decisions undertaken by technology in real-time, self-service business analytics solutions will gain more prominence in the global web analytics software market in the next few years. Market by application split into, application 1 and application 2.The report collates data from a number of surveys, interviews, and many other primary and secondary research methodologies. The vast amount of data thus gathered from these sources is narrowed down with the help of industry-best analytical methods to present before the reader only the most crucial sets of data essential to understand the factors that will have the most profound impact on the overall development of the market. The global market for the web analytics software and the underlying industry are discussed in great depth in a market intelligence for the readers to understand better and get the clear picture about this market.For more information: If you have any special requirements, please let us know and we will offer you the report as you want.Table of Content: 1. Industry Overview of Web analytics software market 2. Competition Analysis by Players 3. Company (Top Players) Profiles 4. Software Market Size by Type and Application 5. US Market Status and Outlook 6. EU Software Development Market Status and Outlook 7. Japan AI Software Development Status and Outlook 8. China Software Status and Outlook 9. India Web analytics software market Status and Outlook 10. Southeast Asia Market Status and Outlook 11. Market Forecast by Region, Type and Application 12. AI in Software Market Dynamics 13. Market Effect Factor Analysis 14. Research Finding/ Conclusion 15. AppendixAbout Us:Report Consultant - A global leader in analytics, research and advisory that can assist you to renovate your business and modify your approach. With us, you will learn to take decisions intrepidly. We make sense of drawbacks, opportunities, circumstances, estimations and information using our experienced skills and verified methodologies.Our research reports will give you an exceptional experience of innovative solutions and outcomes. We have effectively steered businesses all over the world with our market research reports and are outstandingly positioned to lead digital transformations. Thus, we craft greater value for clients by presenting advanced opportunities in the global market.Contact Us \ No newline at end of file diff --git a/input/test/Test4683.txt b/input/test/Test4683.txt new file mode 100644 index 0000000..ae6a1ee --- /dev/null +++ b/input/test/Test4683.txt @@ -0,0 +1,43 @@ +The Rohingya lists: refugees compile their own record of those killed in Myanmar Friday, August 17, 2018 1:26 a.m. EDT Mohib Bullah, a member of Arakan Rohingya Society for Peace and Human Rights, writes after collecting data about victims of a military crack +By Clare Baldwin +KUTUPALONG REFUGEE CAMP, Bangladesh (Reuters) - Mohib Bullah is not your typical human rights investigator. He chews betel and he lives in a rickety hut made of plastic and bamboo. Sometimes, he can be found standing in a line for rations at the Rohingya refugee camp where he lives in Bangladesh. +Yet Mohib Bullah is among a group of refugees who have achieved something that aid groups, foreign governments and journalists have not. They have painstakingly pieced together, name-by-name, the only record of Rohingya Muslims who were allegedly killed in a brutal crackdown by Myanmar's military. +The bloody assault in the western state of Rakhine drove more than 700,000 of the minority Rohingya people across the border into Bangladesh, and left thousands of dead behind. +Aid agency Médecins Sans Frontières, working in Cox's Bazar at the southern tip of Bangladesh, estimated in the first month of violence, beginning at the end of August 2017, that at least 6,700 Rohingya were killed. But the survey, in what is now the largest refugee camp in the world, was limited to the one month and didn't identify individuals. +The Rohingya list makers pressed on and their final tally put the number killed at more than 10,000. Their lists, which include the toll from a previous bout of violence in October 2016, catalog victims by name, age, father's name, address in Myanmar, and how they were killed. +"When I became a refugee I felt I had to do something," says Mohib Bullah, 43, who believes that the lists will be historical evidence of atrocities that could otherwise be forgotten. +Myanmar government officials did not answer phone calls seeking comment on the Rohingya lists. Late last year, Myanmar's military said that 13 members of the security forces had been killed. It also said it recovered the bodies of 376 Rohingya militants between Aug. 25 and Sept. 5, which is the day the army says its offensive against the militants officially ended. +Rohingya regard themselves as native to Rakhine State. But a 1982 law restricts citizenship for the Rohingya and other minorities not considered members of one of Myanmar's "national races". Rohingya were excluded from Myanmar's last nationwide census in 2014, and many have had their identity documents stripped from them or nullified, blocking them from voting in the landmark 2015 elections. The government refuses even to use the word "Rohingya," instead calling them "Bengali" or "Muslim." +Now in Bangladesh and able to organize without being closely monitored by Myanmar's security forces, the Rohingya have armed themselves with lists of the dead and pictures and video of atrocities recorded on their mobile phones, in a struggle against attempts to erase their history in Myanmar. +The Rohingya accuse the Myanmar army of rapes and killings across northern Rakhine, where scores of villages were burnt to the ground and bulldozed after attacks on security forces by Rohingya insurgents. The United Nations has said Myanmar's military may have committed genocide. +Myanmar says what it calls a "clearance operation" in the state was a legitimate response to terrorist attacks. +"NAME BY NAME" +Clad in longyis, traditional Burmese wrap-arounds tied at the waist, and calling themselves the Arakan Rohingya Society for Peace & Human Rights, the list makers say they are all too aware of accusations by the Myanmar authorities and some foreigners that Rohingya refugees invent stories of tragedy to win global support. +But they insist that when listing the dead they err on the side of under-estimation. +Mohib Bullah, who was previously an aid worker, gives as an example the riverside village of Tula Toli in Maungdaw district, where - according to Rohingya who fled - more than 1,000 were killed. "We could only get 750 names, so we went with 750," he said. +"We went family by family, name by name," he added. "Most information came from the affected family, a few dozen cases came from a neighbor, and a few came from people from other villages when we couldn't find the relatives." +In their former lives, the Rohingya list makers were aid workers, teachers and religious scholars. Now after escaping to become refugees, they say they are best placed to chronicle the events that took place in northern Rakhine, which is out-of-bounds for foreign media, except on government-organised trips. +"Our people are uneducated and some people may be confused during the interviews and investigations," said Mohammed Rafee, a former administrator in the village of Kyauk Pan Du who has worked on the lists. But taken as a whole, he said, the information collected was "very reliable and credible." +For Reuters TV, see: +https://www.reuters.tv/v/Ppji/2018/08/17/rohingya-refugees-own-list-tallies-10-000-dead +SPRAWLING PROJECT +Getting the full picture is difficult in the teeming dirt lanes of the refugee camps. Crowds of people gather to listen - and add their comments - amid booming calls to prayer from makeshift mosques and deafening downpours of rain. Even something as simple as a date can prompt an argument. +What began tentatively in the courtyard of a mosque after Friday prayers one day last November became a sprawling project that drew in dozens of people and lasted months. +The project has its flaws. The handwritten lists were compiled by volunteers, photocopied, and passed from person to person. The list makers asked questions in Rohingya about villages whose official names were Burmese, and then recorded the information in English. The result was a jumble of names: for example, there were about 30 different spellings for the village of Tula Toli. +Wrapped in newspaper pages and stored on a shelf in the backroom of a clinic, the lists that Reuters reviewed were labeled as beginning in October 2016, the date of a previous exodus of Rohingya from Rakhine. There were also a handful of entries dated 2015 and 2012. And while most of the dates were European-style, with the day first and then the month, some were American-style, the other way around. So it wasn't possible to be sure if an entry was, say, May 9 or September 5. +It is also unclear how many versions of the lists there are. During interviews with Reuters, Rohingya refugees sometimes produced crumpled, handwritten or photocopied papers from shirt pockets or folds of their longyis. +The list makers say they have given summaries of their findings, along with repatriation demands, to most foreign delegations, including those from the United Nations Fact-Finding Mission, who have visited the refugee camps. +A LEGACY FOR SURVIVORS +The list makers became more organized as weeks of labor rolled into months. They took over three huts and held meetings, bringing in a table, plastic chairs, a laptop and a large banner carrying the group's name. +The MSF survey was carried out to determine how many people might need medical care, so the number of people killed and injured mattered, and the identity of those killed was not the focus. It is nothing like the mini-genealogy with many individual details that was produced by the Rohingya. +Mohib Bullah and some of his friends say they drew up the lists as evidence of crimes against humanity they hope will eventually be used by the International Criminal Court, but others simply hope that the endeavor will return them to the homes they lost in Myanmar. +"If I stay here a long time my children will wear jeans. I want them to wear longyi. I do not want to lose my traditions. I do not want to lose my culture," said Mohammed Zubair, one of the list makers. "We made the documents to give to the U.N. We want justice so we can go back to Myanmar." +Matt Wells, a senior crisis advisor for Amnesty International, said he has seen refugees in some conflict-ridden African countries make similar lists of the dead and arrested but the Rohingya undertaking was more systematic. "I think that's explained by the fact that basically the entire displaced population is in one confined location," he said. +Wells said he believes the lists will have value for investigators into possible crimes against humanity. +"In villages where we've documented military attacks in detail, the lists we've seen line up with witness testimonies and other information," he said. +Spokespeople at the ICC's registry and prosecutors' offices, which are closed for summer recess, did not immediately provide comment in response to phone calls and emails from Reuters. +The U.S. State Department also documented alleged atrocities against Rohingya in an investigation that could be used to prosecute Myanmar's military for crimes against humanity, U.S. officials have told Reuters. For that and the MSF survey only a small number of the refugees were interviewed, according to a person who worked on the State Department survey and based on published MSF methodology. +MSF did not respond to requests for comment on the Rohingya lists. The U.S. State Department declined to share details of its survey and said it wouldn't speculate on how findings from any organization might be used. +For Mohammed Suleman, a shopkeeper from Tula Toli, the Rohingya lists are a legacy for his five-year-old daughter. He collapsed, sobbing, as he described how she cries every day for her mother, who was killed along with four other daughters. +"One day she will grow up. She may be educated and want to know what happened and when. At that time I may also have died," he said. "If it is written in a document, and kept safely, she will know what happened to her family." +(Additional reporting by Shoon Naing and Poppy Elena McPherson in YANGON and Toby Sterling in AMSTERDAM; Editing by John Chalmers and Martin Howell) More From Worl \ No newline at end of file diff --git a/input/test/Test4684.txt b/input/test/Test4684.txt new file mode 100644 index 0000000..bab4431 --- /dev/null +++ b/input/test/Test4684.txt @@ -0,0 +1,11 @@ +Home › Headline news › Netanyahu receives visit from police over corruption allegations Netanyahu receives visit from police over corruption allegations 0 Share: Israeli police have been wondering High Minister Benjamin Netanyahu once more Friday as a part of an investigation into corruption allegations. Two police automobiles arrived at Netanyahu's place of dwelling as protesters on the front waved a big banner studying "crime minister" and chanted slogans calling for justice. +Netanyahu was once to be puzzled over a corruption case involving Israel's telecom massive, media studies stated. +Police had no quick remark. +Two Netanyahu confidants had been arrested on suspicion of marketing legislation value masses of tens of millions of bucks to the Bezeq telecom corporate. +In go back, Bezeq's subsidiary news web page, Walla, allegedly equipped certain Netanyahu protection. The confidants have became state witnesses. +Police have additionally really useful indicting Netanyahu on corruption fees in two different circumstances. +Legal professional Basic Avichai Mandelblit, who will make the general determination whether or not to indict the high minister, reportedly intends to inspect all 3 circumstances on the identical time, the Occasions of Israel reported . +Mandelblit will first obtain the state legal professional's suggestions in accordance with the general police studies, the e-newsletter reported. +Netanyahu has time and again denied any wrongdoing, brushing aside accusations as a media witch hunt. +The Related Press contributed to this tale. +Amy Lieu is a news editor and reporter for Fox Information \ No newline at end of file diff --git a/input/test/Test4685.txt b/input/test/Test4685.txt new file mode 100644 index 0000000..10403b3 --- /dev/null +++ b/input/test/Test4685.txt @@ -0,0 +1,18 @@ +Managed Print Services (MPS) Market to Touch US$ 59,537.7 Mn by 2026: Transparency Market Research +ALBANY, New York , August 17, 2018 /PRNewswire/ -- +According to a new market report published by Transparency Market Research, the global managed print services (MPS) market was valued at US$ 30,705.7 Mn in 2016 and is expected to expand at a CAGR of 8.6% from 2018 to 2026, reaching US$ 59,537.7 Mn by the end of the forecast period. According to the report, North America was the largest contributor in terms of revenue to the managed print services market in 2016. +(Logo: https://mma.prnewswire.com/media/664869/Transparency_Market_Research_Logo.jpg ) +Government rules and regulations to save paper in enterprises and cost benefits offered by managed print services are driving the global managed print services (MPS) market +The global managed print services (MPS) market is expected to witness considerable growth due to the stringent rules and regulations of governments to prevent paper wastage. Managed print services provide cost benefits to organizations. Additionally, it helps organizations to reduce the number of printers, usage of paper, and the energy consumption. Managed print services provide low price and high performance, reduced physical footprints, and more productivity, and lower maintenance costs. Thus, managed print services reduce total cost of ownership (TCO). +Request a Brochure for Research Insights at https://www.transparencymarketresearch.com/sample/sample.php?flag=B&rep_id=48453 +Managed Print Services (MPS) Market: Scope of the Report +The global market for managed print services (MPS) is segmented on the basis of deployment, enterprise size, channel, industry, and geography. On the basis of deployment, the market is segmented into cloud, on-premise, and hybrid. In 2017, the cloud segment accounted for the largest market share in terms of revenue of the global managed print services (MPS) market. +Furthermore, the cloud segment is expected to expand during the forecast period. On the basis of enterprise size, the global managed print services (MPS) market is bifurcated into small & medium enterprises (SME's), and large enterprises. Based on channel, the market is categorized into printer/copier manufacturers and channel partner/core MPS providers. On the basis of industry, the market is divided into banking, financial services, and insurance (BFSI), telecom and IT, government and public, healthcare, education, legal, construction, manufacturing, and others. +Get a PDF Sample at https://www.transparencymarketresearch.com/sample/sample.php?flag=S&rep_id=48453 +Geographically, the global managed print services (MPS) market is bifurcated into North America , Asia Pacific , Europe , South America , and Middle East & Africa . North America is estimated to account for the largest market share in 2018. The healthcare and government industry in the U.S. have adopted managed print services. Moreover, strategic acquisitions and new programs launched to create awareness of managed print services is also expected to drive the demand over the projected period. Asia Pacific region is expected to expand at the highest CAGR due to increase in investment and strategic acquisitions of U.S. managed print service providers in this region. For instance, in 2016, Lexmark International Inc., a printing solutions provider based in the U.S. acquired American provider Apex Technology Co., Ltd. (Apex) based in China . +Download Report TOC for in-depth analysis at https://www.transparencymarketresearch.com/report-toc/48453 +Global Managed Print Services (MPS) Market: Competitive Dynamics +Major industry players in the managed print services (MPS) market are adopting different strategic initiatives such as mergers and acquisitions, partnerships, and collaborations for technologies and new product development. For instance, in September 2016 , HP Inc. acquired Samsung's printer business for US$ 1bn .The global managed print services (MPS) market includes key players such as HP Inc., Xerox Corporation, Lexmark International Inc., Fujitsu Ltd, Canon, Inc., Konica Minolta, Inc., Kyocera Corporation, Ricoh Company Ltd., Toshiba Corporation, ARC Document Solutions, Inc., Seiko Epson Corporation, Wipro Limited, Honeywell Corporation, and Print Audit, Inc. +Browse Research Release at https://www.transparencymarketresearch.com/pressrelease/managed-print-services-market-2018-2026.htm +Market Segmentation: Global Managed Print Services (MPS) Market +By Deploymen \ No newline at end of file diff --git a/input/test/Test4686.txt b/input/test/Test4686.txt new file mode 100644 index 0000000..d2244e6 --- /dev/null +++ b/input/test/Test4686.txt @@ -0,0 +1,9 @@ +Tweet +Aratana Therapeutics (NASDAQ:PETX) was upgraded by research analysts at ValuEngine from a "sell" rating to a "hold" rating in a report released on Wednesday. +A number of other equities research analysts also recently commented on PETX. Zacks Investment Research downgraded Aratana Therapeutics from a "buy" rating to a "hold" rating in a report on Wednesday. Stifel Nicolaus reduced their target price on Aratana Therapeutics from $8.00 to $7.00 and set a "buy" rating for the company in a report on Monday, August 6th. BidaskClub raised Aratana Therapeutics from a "hold" rating to a "buy" rating in a report on Thursday, May 10th. Finally, HC Wainwright set a $10.00 target price on Aratana Therapeutics and gave the company a "buy" rating in a report on Monday, May 7th. Two analysts have rated the stock with a hold rating and seven have given a buy rating to the company's stock. Aratana Therapeutics presently has a consensus rating of "Buy" and an average price target of $8.25. Get Aratana Therapeutics alerts: +Aratana Therapeutics stock opened at $5.25 on Wednesday. Aratana Therapeutics has a one year low of $3.67 and a one year high of $7.28. The company has a debt-to-equity ratio of 0.09, a current ratio of 3.02 and a quick ratio of 2.44. The firm has a market capitalization of $244.79 million, a price-to-earnings ratio of -5.40 and a beta of 2.78. Aratana Therapeutics (NASDAQ:PETX) last released its earnings results on Thursday, August 2nd. The biopharmaceutical company reported ($0.14) EPS for the quarter, beating analysts' consensus estimates of ($0.19) by $0.05. Aratana Therapeutics had a negative return on equity of 35.25% and a negative net margin of 154.23%. The company had revenue of $4.91 million during the quarter, compared to the consensus estimate of $4.72 million. analysts predict that Aratana Therapeutics will post -0.48 earnings per share for the current year. +In other news, COO Brent Standridge sold 10,000 shares of the firm's stock in a transaction on Monday, June 25th. The stock was sold at an average price of $4.56, for a total value of $45,600.00. Following the completion of the transaction, the chief operating officer now owns 99,967 shares in the company, valued at $455,849.52. The sale was disclosed in a document filed with the SEC, which is available at this link . Also, insider Peter Steven St sold 11,513 shares of the firm's stock in a transaction on Monday, July 30th. The shares were sold at an average price of $4.33, for a total value of $49,851.29. Following the completion of the transaction, the insider now owns 649,233 shares of the company's stock, valued at approximately $2,811,178.89. The disclosure for this sale can be found here . In the last 90 days, insiders sold 39,187 shares of company stock valued at $186,472. Company insiders own 5.30% of the company's stock. +Several hedge funds have recently made changes to their positions in PETX. Geode Capital Management LLC increased its position in shares of Aratana Therapeutics by 7.4% in the fourth quarter. Geode Capital Management LLC now owns 313,626 shares of the biopharmaceutical company's stock valued at $1,649,000 after buying an additional 21,654 shares in the last quarter. Renaissance Technologies LLC increased its position in shares of Aratana Therapeutics by 55.6% in the fourth quarter. Renaissance Technologies LLC now owns 124,800 shares of the biopharmaceutical company's stock valued at $656,000 after buying an additional 44,600 shares in the last quarter. Deutsche Bank AG increased its position in shares of Aratana Therapeutics by 11.2% in the fourth quarter. Deutsche Bank AG now owns 468,114 shares of the biopharmaceutical company's stock valued at $2,461,000 after buying an additional 47,178 shares in the last quarter. Goldman Sachs Group Inc. increased its position in shares of Aratana Therapeutics by 35.1% in the fourth quarter. Goldman Sachs Group Inc. now owns 68,039 shares of the biopharmaceutical company's stock valued at $358,000 after buying an additional 17,677 shares in the last quarter. Finally, Millennium Management LLC purchased a new position in shares of Aratana Therapeutics in the fourth quarter valued at $3,267,000. Institutional investors and hedge funds own 66.77% of the company's stock. +About Aratana Therapeutics +Aratana Therapeutics, Inc, a pet therapeutics company, focuses on the licensing, development, and commercialization of therapeutics for dogs and cats in the United States and Belgium. Its product portfolio includes multiple therapeutics and therapeutic candidates in development consisting of small molecule pharmaceuticals and biologics. +To view ValuEngine's full report, visit ValuEngine's official website . Receive News & Ratings for Aratana Therapeutics Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Aratana Therapeutics and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4687.txt b/input/test/Test4687.txt new file mode 100644 index 0000000..e77caab --- /dev/null +++ b/input/test/Test4687.txt @@ -0,0 +1,9 @@ +Three suspected killers of 105-year-old man arrested By - August 17, 2018 +The Police Command in Enugu State has arrested three suspects in connection with the alleged killing of 105-year-old man, Chief Eze Nwah-Onuh, in Igboeze North Local Government Area of the state. +The command's spokesman, SP Ebere Amaraizu, disclosed this in a statement made available to the News Agency of Nigeria in Enugu on Friday. +Amarizu gave the names of the suspects as Onyeka Abugu, 22; Ogbonna Eze, 22 and Nnamdi Eze, 19 and said they were already helping the command in its investigation. +Nwa-Onu of Ekposhi Umuidoko village in Ogurute community was allegedly strangled on August 9. +The spokesman said the body of the deceased had been deposited in a hospital mortuary. +"The command through its operatives of the state's Criminal Intelligence and Investigations Department has commenced investigations into the alleged killing of Chief Eze Nwah-Onuh of Ekposhi Umuidoko village of Ogurute community. +"It was gathered that on that fateful day the alleged suspects conspired and strangled the deceased over a yet-to-be-established issue or issues and escaped. +"But through intelligence information, the suspects were promptly nabbed,'' he said. Get more stories like this on Twitter & Facebook AD: To get thousands of free final year project topics and materials sorted by subject to help with your research [click here] Shar \ No newline at end of file diff --git a/input/test/Test4688.txt b/input/test/Test4688.txt new file mode 100644 index 0000000..2ce0304 --- /dev/null +++ b/input/test/Test4688.txt @@ -0,0 +1,7 @@ +0.85% +Summary +Enterprise Financial Services beats Customers Bancorp on 9 of the 17 factors compared between the two stocks. +Enterprise Financial Services Company Profile +Enterprise Financial Services Corp operates as the holding company for Enterprise Bank & Trust that offers banking and wealth management services to individuals and corporate customers. The company offers demand deposits, interest-bearing transaction accounts, money market accounts, and savings deposits, as well as certificates of deposit. Its loan portfolio comprises commercial and industrial, commercial real estate, real estate construction and development, residential real estate, and consumer loans. In addition, the company provides treasury management and international trade services; tax credit brokerage services consisting of the acquisition of tax credits and sale of these tax credits to clients; and financial and estate planning, investment management, trust, fiduciary, and financial advisory services to businesses, individuals, institutions, retirement plans, and non-profit organizations. As of December 31, 2017, it had 19 banking locations and 5 limited service facilities in the St. Louis metropolitan area; 7 banking locations in the Kansas City metropolitan area; and 2 banking locations in the Phoenix metropolitan area. Enterprise Financial Services Corp was founded in 1988 and is headquartered in Clayton, Missouri. +Customers Bancorp Company Profile +Customers Bancorp, Inc. operates as the bank holding company for Customers Bank that provides financial products and services to small and middle market businesses, not-for-profits, and consumers. The company accepts various deposit products, such as checking, savings, money market deposit, time deposit, individual retirement, and non-retail time deposit accounts, as well as certificates of deposit. Its loan products include commercial and industrial lending; small and middle market business banking, such as small business administration loans; multi-family and commercial real estate lending; and commercial loans to mortgage originators, as well as consumer lending products comprising mortgage and home equity lending. The company also offers private banking services; mobile phone banking, Internet banking, wire transfers, electronic bill payment, lock box, remote deposit capture, courier, merchant processing, cash vault, controlled disbursements, and positive pay services; and cash management services, such as account reconciliation, collections, and sweep accounts. It operates 13 full-service branches, as well as limited purpose offices in Boston, Massachusetts; Providence, Rhode Island; Portsmouth, New Hampshire; Manhattan and Melville, New York; and Philadelphia, Pennsylvania. Customers Bancorp, Inc. was founded in 1994 and is headquartered in Wyomissing, Pennsylvania. Receive News & Ratings for Enterprise Financial Services Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Enterprise Financial Services and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4689.txt b/input/test/Test4689.txt new file mode 100644 index 0000000..e20089a --- /dev/null +++ b/input/test/Test4689.txt @@ -0,0 +1,19 @@ +Home » National News » Could different cultures teach… Could different cultures teach us something about dementia? 6:20 am 08/17/2018 06:20am Share +(The Conversation is an independent and nonprofit source of news, analysis and commentary from academic experts.) +Richard Gunderman, Indiana University and Lily Wolf, Indiana University School of Medicine +(THE CONVERSATION) Picture two different families, each dealing with a diagnosis of dementia in one of its members. In one case, the patient is a retired executive, whose family tries as long as possible to keep the diagnosis secret, relying primarily on professional caregivers and eventually a nursing home. In another case, the patient is a grandmother. As soon as the diagnosis is suspected, her family pulls together, bringing her into their home and surrounding her with affection. +These two approaches to dementia reflect very different attitudes toward the disease. One regards it as an irreversible neurologic condition associated with considerable stigma, a problem best left to health professionals and kept out of public view. While not denying that dementia is a medical condition, the other seizes on it as an opportunity to draw together around a loved one in need, giving family members not a secret to keep but an opportunity to care. +A disease of patients and their families +Dementias touch many lives. For example, the most common dementia, Alzheimer's disease, currently afflicts 5.7 million Americans and is expected to afflict 14 million by 2050. This increase partly mirrors population growth. But because risk increases with age, the rise also reflects our success in battling other causes of death, such as heart disease and stroke, enabling people to live longer. And the effects of the disease are not confined to patients; 16.1 million Americans now provide uncompensated care to dementia patients. +If you asked a physician to define dementia, most of us would probably describe it as a neurodegenerative disorder marked by declining cognitive abilities and memory. While this account is true as far as it goes, there is a problem: attacking most types of dementia as strictly biological entities has largely failed to advance our ability to diagnose and treat it. In the case of Alzheimer's disease, definitive diagnosis still requires a biopsy, and new drugs to prevent, retard, or reverse it have proved disappointing. +A cultural perspective +Perhaps the time has come to expand our thinking about dementia to encompass not only cellular but cultural perspectives. Our society needs to recognize that dementia is not only a brain disorder of the person suffering from it but also a social disorder that can be understood in a variety of different ways. In other contexts, such disorders tend to be viewed in light of a larger circle of social relationships and cultural traditions. All generalizations must be qualified, but we have much to learn from other cultures. +In Japan, for example, to age well is not only to avoid contracting diseases but also to maintain a circle of family and friends right up to the moment when we breathe our last. Being of sound mind and body means continuing to exert ourselves both mentally and physically, remaining deeply invested in our personal relationships and receiving help from and helping others. So long as we continue to enrich others' lives, we can remain "whole" in ways that exceed the mere absence of a medical diagnosis. +A large segment of traditional Chinese culture tends to see such matters similarly. Confucianism places a premium on family, and the decline of cognitive capacities of those who have led long and full lives can be seen not as the onset of a disease but as an opportunity for friends and family to express how much they care. Assuming increasing responsibility for an aging loved one represents an opportunity to show how strong the family really is. +The Hindu culture of India also prizes the opportunity to care for parents. What Americans tend to regard as a lamentable medical condition can be seen as a part of life's natural cycle and the passage into a second childhood. The emphasis is not on the stigma of dementia, but rather on a withdrawal from worldly affairs to focus on other more essential matters. When an older person begins to show such signs, it is time for a natural transfer of authority to younger members of the family. +Seeing dementia anew +Viewing dementia from the standpoint of other cultures can help Americans see it with fresh eyes and re-pose fundamental questions that lie at its heart. What, for example, is a person, and how is personhood situated in the larger context of family and community? How does such a condition relate to what it means to be a good person and lead a good life? To what degree does dementia fracture us and what are the possibilities that it could bring us closer together? +The point of such a cultural approach is not to argue that biomedical accounts of dementia are fundamentally wrong. In virtually any disease state, but especially with a condition such as dementia, the experience of patients and families involves social, moral, and even spiritual perspectives, no less than biological ones. Perhaps because of our high regard for self-sufficiency and independence, dementia in the U.S. it tends to be relatively stigmatized. +Conceiving of dementia in different terms could offer new opportunities for prevention and treatment. Suppose, for example, that we Americans viewed it in terms similar to physical fitness. If we do not utilize our mental, physical, and social capacities, they will tend to dwindle – use it or lose it. On the other hand, if we remain active and challenged in each of these spheres, contributing where we can to enrich the lives of others, we can ease the strain of dementia in our lives. +To be sure, healthy neurons require adequate rest, nutrition, and even medical care. But the health of a person is more than the functioning of cells. People also need opportunities to put abilities to the test, connect with others, and lead lives that make a real contribution. If we tend not only to our neurons but also our intellects, characters, and relationships, there is good reason to think that we can lighten dementia's burden and make the most of the opportunities to care for those living with it. +This article was originally published on The Conversation. Read the original article here: http://theconversation.com/could-different-cultures-teach-us-something-about-dementia-100361 \ No newline at end of file diff --git a/input/test/Test469.txt b/input/test/Test469.txt new file mode 100644 index 0000000..a18d6e9 --- /dev/null +++ b/input/test/Test469.txt @@ -0,0 +1,22 @@ +Bayles urges brokers to plan ahead for exiting their business By Mark Richardson 2018-08-16T18:26:00+01:00 No comments +Phil Bayles' comments come in response to Aviva-commissioned research revealing one in 10 brokers don't have a succession plan in place +New Aviva research suggests almost 90% of brokers don't have a succession plan in place for exiting the business. +The findings have alarmed the insurer's managing director of intermediaries Phil Bayles. +Bayles stressed the importance of longer term thinking to ensure owners can get the best outcome when they come to exit the business – whether that be through selling up or completing an MBO. +"Succession can go well, or it can go really badly," Bayles said. +"You meet a lot of ex-brokers who sold out without doing proper due diligence on the people buying them, and then they're upset because the office gets shut down and the staff get kicked out, and the clients get taken up to a call centre in Manchester when they used to be dealt with in a market town in the west country. +"You have to understand what the options are and what the implications are, and then you have to make the best choice for them. +"It's not for us to tell brokers what they should be doing, but most brokers we know are very focussed on making sure their staff, management and clients are well looked after post-implementation." +Other key Aviva research findings: Overall outlook for industry remains one of growth and confidence, with 42% of brokers planning to expand their business Interest in cyber insurance surges, as a third of brokers (34%) see an increase in enquiries Most pressing concern for brokers (78%) when clients don't follow advice is that they will be left underinsured or have gaps in their cover +The research found that 13% of brokers don't have a succession plan in place, despite 9% admitting they expected to leave the industry within the next 12 months. +Retirement (59%) was given as the primary reason for brokers planning to leave the industry. +And Bayles added: "We know there's an aging profile to brokers and there are multiple different ways of moving toward retirement if you own a business. +"Five years ago we knew this point was coming, and it's an interesting time. There are a lot of buyers out there and a lot of money for MBOs. +"You can get regional on regional purchases, you can get consolidator to regional purchases, you can get MBOs – we've seen them all." Independent advice +Aviva employs several consultants, many of whom are ex-brokers who have gone through the process of selling up. And Bayles said professional and independent advice was very important to a owner's exit plan. +He said: "Most of the time you only sell a business once. You don't get to go through a rehearsal, so you have one chance to pass it on to someone else. +"The question is what objectives have they got and what's on their priority list. +"How important is it that the name stays above the door? How important is it that you look after the management and staff? How important is it that the clients are looked after by someone local? +"Do you want to maximise your earnings or not? Do you want to stay in the business for two to three years and have a slow retirement or get out immediately? Are there multiple shareholders with differing objectives? +"There's all sorts of challenges that surround succession that need proper professional independent advice, and you need people that you can trust." +Subscribers read mor \ No newline at end of file diff --git a/input/test/Test4690.txt b/input/test/Test4690.txt new file mode 100644 index 0000000..f3aa42d --- /dev/null +++ b/input/test/Test4690.txt @@ -0,0 +1,9 @@ +Tweet +Alphabet Inc Class C (NASDAQ:GOOG) was downgraded by investment analysts at BidaskClub from a "buy" rating to a "hold" rating in a report released on Friday. +Several other analysts also recently weighed in on GOOG. Piper Jaffray Companies restated a "buy" rating and set a $1,400.00 price objective on shares of Alphabet Inc Class C in a research report on Tuesday, July 24th. Macquarie reiterated a "buy" rating on shares of Alphabet Inc Class C in a research report on Wednesday. Robert W. Baird reiterated a "buy" rating on shares of Alphabet Inc Class C in a research report on Tuesday, July 24th. Raymond James reiterated an "outperform" rating and issued a $1,405.00 price target (up previously from $1,240.00) on shares of Alphabet Inc Class C in a research report on Tuesday, July 24th. Finally, Atlantic Securities reiterated a "buy" rating on shares of Alphabet Inc Class C in a research report on Tuesday, July 24th. Three investment analysts have rated the stock with a hold rating and twenty-seven have assigned a buy rating to the company's stock. The stock has an average rating of "Buy" and a consensus target price of $1,245.96. Get Alphabet Inc Class C alerts: +Shares of NASDAQ:GOOG opened at $1,206.49 on Friday. The company has a market cap of $861.31 billion, a PE ratio of 37.64 and a beta of 1.13. The company has a quick ratio of 4.13, a current ratio of 4.15 and a debt-to-equity ratio of 0.02. Alphabet Inc Class C has a twelve month low of $903.40 and a twelve month high of $1,273.89. Alphabet Inc Class C (NASDAQ:GOOG) last issued its quarterly earnings data on Monday, July 23rd. The information services provider reported $11.75 earnings per share for the quarter, topping the consensus estimate of $9.66 by $2.09. The business had revenue of $32.66 billion during the quarter, compared to the consensus estimate of $32.13 billion. Alphabet Inc Class C had a net margin of 13.16% and a return on equity of 18.24%. The company's revenue was up 25.6% compared to the same quarter last year. During the same quarter in the previous year, the firm earned $5.01 EPS. +In other Alphabet Inc Class C news, Director Ann Mather sold 39 shares of the business's stock in a transaction on Friday, June 1st. The shares were sold at an average price of $1,099.06, for a total value of $42,863.34. Following the transaction, the director now directly owns 1,862 shares of the company's stock, valued at approximately $2,046,449.72. The sale was disclosed in a filing with the Securities & Exchange Commission, which is accessible through this link . Also, CEO Sundar Pichai sold 10,000 shares of the business's stock in a transaction on Wednesday, June 6th. The shares were sold at an average price of $1,139.18, for a total transaction of $11,391,800.00. Following the completion of the transaction, the chief executive officer now directly owns 912 shares in the company, valued at $1,038,932.16. The disclosure for this sale can be found here . Insiders sold a total of 88,369 shares of company stock worth $104,846,172 over the last three months. 13.11% of the stock is currently owned by corporate insiders. +Institutional investors and hedge funds have recently made changes to their positions in the business. Smart Portfolios LLC acquired a new stake in Alphabet Inc Class C in the 1st quarter valued at about $103,000. Braun Bostich & Associates Inc. acquired a new stake in Alphabet Inc Class C in the 1st quarter valued at about $107,000. Litman Gregory Asset Management LLC acquired a new stake in Alphabet Inc Class C in the 1st quarter valued at about $113,000. JJJ Advisors Inc. acquired a new stake in Alphabet Inc Class C in the 2nd quarter valued at about $134,000. Finally, WealthShield LLC acquired a new stake in Alphabet Inc Class C in the 4th quarter valued at about $144,000. 34.27% of the stock is currently owned by institutional investors. +Alphabet Inc Class C Company Profile +Alphabet Inc, through its subsidiaries, provides online advertising services in the United States and internationally. The company offers performance and brand advertising services. It operates through Google and Other Bets segments. The Google segment includes principal Internet products, such as Ads, Android, Chrome, Commerce, Google Cloud, Google Maps, Google Play, Hardware, Search, and YouTube, as well as technical infrastructure and newer efforts, including Virtual Reality. +See Also: Book Value Of Equity Per Share – BVPS Explained Receive News & Ratings for Alphabet Inc Class C Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Alphabet Inc Class C and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4691.txt b/input/test/Test4691.txt new file mode 100644 index 0000000..024b1a2 --- /dev/null +++ b/input/test/Test4691.txt @@ -0,0 +1,2 @@ +New Delhi , Aug 17 ( IANS ) South Korean giant Samsung dominated the premium smartphone segment in India in the first half of 2018 grabbing almost half the market share, a new report said on Friday. +According to CyberMedia Research ( CMR ) India's " Mobile Handset Review ", Samsung with 48 per cent topped the premium marke \ No newline at end of file diff --git a/input/test/Test4692.txt b/input/test/Test4692.txt new file mode 100644 index 0000000..98f1ee7 --- /dev/null +++ b/input/test/Test4692.txt @@ -0,0 +1,9 @@ +Tweet +Zacks Investment Research upgraded shares of BNP PARIBAS/S (OTCMKTS:BNPQY) from a sell rating to a hold rating in a research report released on Tuesday morning. +According to Zacks, "BNP PARIBAS is a European leader in global banking and financial services and is one of the four strongest banks in the world according to Standard & Poor's. The group holds key positions in three major segments: Corporate and Investment Banking, Asset Management & Services and Retail Banking. Present throughout Europe in all of its business lines, the bank's two domestic markets in retail banking are France and Italy. In the United States, BNP Paribas employs 15,000 people including 2,500 employees in its Corporate and Investment Banking as well as Asset Management and Services businesses which are headquartered in New York. It is also present in other financial hubs throughout the United States including Chicago, San Francisco, Los Angeles, Dallas, Houston, Miami and Boston. BNP Paribas also operates a retail banking business through its subsidiary Bank of the West with over 700 branches in the Western US. " Get BNP PARIBAS/S alerts: +Separately, ValuEngine lowered shares of BNP PARIBAS/S from a hold rating to a sell rating in a report on Friday, June 1st. BNP PARIBAS/S stock opened at $29.24 on Tuesday. The company has a current ratio of 0.83, a quick ratio of 0.83 and a debt-to-equity ratio of 1.53. The company has a market cap of $74.49 billion, a price-to-earnings ratio of 7.50 and a beta of 1.04. BNP PARIBAS/S has a fifty-two week low of $29.59 and a fifty-two week high of $42.66. +BNP PARIBAS/S (OTCMKTS:BNPQY) last posted its quarterly earnings data on Wednesday, August 1st. The financial services provider reported $1.10 earnings per share for the quarter. The business had revenue of $13.37 billion for the quarter. BNP PARIBAS/S had a return on equity of 11.36% and a net margin of 17.19%. analysts forecast that BNP PARIBAS/S will post 3.53 earnings per share for the current year. +About BNP PARIBAS/S +BNP Paribas SA provides a range of banking and financial services in France and internationally. The company operates through two divisions, Retail Banking and Services; and Corporate and Institutional Banking. It offers long-term corporate vehicle leasing, and rental and other financing solutions; and digital banking and investment services, cash management, and factoring services to corporate clients, as well as wealth management services. +Get a free copy of the Zacks research report on BNP PARIBAS/S (BNPQY) +For more information about research offerings from Zacks Investment Research, visit Zacks.com Receive News & Ratings for BNP PARIBAS/S Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for BNP PARIBAS/S and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4693.txt b/input/test/Test4693.txt new file mode 100644 index 0000000..0b70c6a --- /dev/null +++ b/input/test/Test4693.txt @@ -0,0 +1,17 @@ +Plane skids off rainy Manila runway, rips off engine, wheel Jim Gomez, The Associated Press Friday Aug 17, 2018 at 6:00 AM +MANILA, Philippines (AP) " A plane from China veered off a runway at Manila's airport while landing in a downpour near midnight then got stuck in a muddy field with one engine and wheel ripped off before the 165 people on board scrambled out through an emergency slide, officials said Friday. +Only four passengers sustained scratches and all the rest including eight crewmembers aboard Xiamen Air Flight 8667 were safe and taken to an airport terminal, where they were given blankets and food before going to a hotel, airport general manager Ed Monreal told a news conference. +The Boeing 737 from China's coastal city of Xiamen at first attempted but failed to land apparently due to poor visibility that may have hindered the pilots' view of the runway, Director-General of the Civil Aviation Authority of the Philippines Jim Sydiongco told reporters. +The plane circled before landing on its second attempt but lost contact with the airport tower, Sydiongco said. +"We think that when (it) landed, the plane swerved to the left and veered off the runway," said Monreal, expressing relief that a disaster had been avoided. "With God's blessing all passengers and the crew were able to evacuate safely and no injuries except for about four who had some superficial scratches." +The aircraft appeared to have "bounced" in a hard landing then veered off the runway and rolled toward a rain-soaked grassy area with its lights off, Eric Apolonio, spokesman of the civil aviation agency said, citing an initial report about the incident. +Investigators retrieved the plane's flight recorder and will get the cockpit voice recorder once the aircraft has been lifted to determine the cause of the accident, Sydiongco said. +Ninoy Aquino International Airport, Manila's main international gateway, will be closed most of Friday while emergency crews remove excess fuel then try to lift the aircraft, its belly resting on the muddy ground, away from the main runway, which was being cleared of debris, officials said. +A smaller runway for domestic flights remained open, they said. +TV footage showed the plane slightly tilting to the left, its left badly damaged wing touching the ground and its landing wheels not readily visible as emergency personnel, many in orange overalls, examined and surrounded the aircraft. One of the detached engines and landing wheels lay a few meters (yards) away. +A Xiamen Air representative, Lin Hua Gun, said the airline will send another plane to Manila to resume the flight. +Several international and domestic flights have been canceled or diverted due to the closure of the airport, which lies in a densely populated residential and commercial section of metropolitan Manila. Airline officials initially said the airport could be opened by noon but later extended it to four more hours. +Hundreds of stranded passengers jammed one of three airport terminals due to flight cancellations and diversions. Dozens of international flights were cancelled or either returned or were diverted elsewhere in the region, officials said. +Torrential monsoon rains enhanced by a tropical storm flooded many low-lying areas of Manila and northern provinces last weekend, displacing thousands of residents and forcing officials to shut schools and government offices. The weather has improved with sporadic downpours. +___ +Associated Press journalists Bullit Marquez and Joeal Calupitan contributed to this report \ No newline at end of file diff --git a/input/test/Test4694.txt b/input/test/Test4694.txt new file mode 100644 index 0000000..84f291f --- /dev/null +++ b/input/test/Test4694.txt @@ -0,0 +1 @@ +Brazil plans network in 700 MHz band for security forces 12:40 CET | News Brazil is planning to set up an integrated communication network for the public security forces. This mobile broadband network will occupy part of the 700 MHz frequency band, which is being released with the roll-out of digital TV in the country. According to the director of broadband at the Ministry of Science, Technology, Innovation and Communications, Artur Coimbra, the creation of an integrated network will allow security agencies to communicate more easily, improve efficiency and save resources. Currently, the 700 MHz band is already available in about 68 percent of Brazilia \ No newline at end of file diff --git a/input/test/Test4695.txt b/input/test/Test4695.txt new file mode 100644 index 0000000..7176888 --- /dev/null +++ b/input/test/Test4695.txt @@ -0,0 +1,12 @@ + Francis Steltz on Aug 17th, 2018 // No Comments +Equities research analysts expect Franco Nevada Corp (NYSE:FNV) (TSE:FNV) to report $0.29 earnings per share (EPS) for the current quarter, Zacks reports. Three analysts have made estimates for Franco Nevada's earnings, with the highest EPS estimate coming in at $0.33 and the lowest estimate coming in at $0.25. Franco Nevada reported earnings per share of $0.30 during the same quarter last year, which would indicate a negative year-over-year growth rate of 3.3%. The firm is scheduled to issue its next earnings report on Monday, November 5th. +According to Zacks, analysts expect that Franco Nevada will report full-year earnings of $1.20 per share for the current fiscal year, with EPS estimates ranging from $1.12 to $1.34. For the next financial year, analysts forecast that the business will report earnings of $1.33 per share, with EPS estimates ranging from $1.15 to $1.52. Zacks Investment Research's earnings per share averages are a mean average based on a survey of research firms that that provide coverage for Franco Nevada. Get Franco Nevada alerts: +Franco Nevada (NYSE:FNV) (TSE:FNV) last released its earnings results on Wednesday, August 8th. The basic materials company reported $0.29 earnings per share for the quarter, meeting the Thomson Reuters' consensus estimate of $0.29. Franco Nevada had a return on equity of 4.80% and a net margin of 32.94%. The company had revenue of $161.30 million for the quarter, compared to analysts' expectations of $169.46 million. During the same quarter in the previous year, the business posted $0.25 EPS. The business's revenue for the quarter was down 1.4% on a year-over-year basis. +Several equities analysts have weighed in on FNV shares. TD Securities set a $93.00 target price on Franco Nevada and gave the company a "buy" rating in a research note on Tuesday, August 7th. Desjardins raised Franco Nevada from a "sell" rating to a "hold" rating in a research note on Wednesday, July 18th. Finally, Macquarie cut Franco Nevada from an "outperform" rating to a "neutral" rating in a research note on Tuesday, July 10th. Seven research analysts have rated the stock with a hold rating and four have issued a buy rating to the stock. Franco Nevada presently has a consensus rating of "Hold" and a consensus price target of $93.71. +NYSE:FNV opened at $64.62 on Tuesday. Franco Nevada has a fifty-two week low of $64.50 and a fifty-two week high of $86.06. The stock has a market cap of $13.34 billion, a price-to-earnings ratio of 62.06, a price-to-earnings-growth ratio of 14.74 and a beta of -0.17. +The company also recently declared a quarterly dividend, which will be paid on Thursday, September 27th. Investors of record on Thursday, September 13th will be paid a $0.24 dividend. The ex-dividend date of this dividend is Wednesday, September 12th. This represents a $0.96 annualized dividend and a dividend yield of 1.49%. Franco Nevada's payout ratio is 88.89%. +Several hedge funds and other institutional investors have recently made changes to their positions in FNV. Bank of Montreal Can bought a new stake in shares of Franco Nevada in the 2nd quarter valued at approximately $494,119,000. Fiera Capital Corp grew its stake in shares of Franco Nevada by 217.2% in the 2nd quarter. Fiera Capital Corp now owns 3,682,984 shares of the basic materials company's stock valued at $268,834,000 after buying an additional 2,521,932 shares in the last quarter. Van ECK Associates Corp grew its stake in shares of Franco Nevada by 35.7% in the 1st quarter. Van ECK Associates Corp now owns 8,583,214 shares of the basic materials company's stock valued at $587,006,000 after buying an additional 2,259,834 shares in the last quarter. Toronto Dominion Bank grew its stake in shares of Franco Nevada by 54.5% in the 1st quarter. Toronto Dominion Bank now owns 1,647,700 shares of the basic materials company's stock valued at $112,278,000 after buying an additional 581,131 shares in the last quarter. Finally, Addenda Capital Inc. bought a new stake in shares of Franco Nevada in the 2nd quarter valued at approximately $29,528,000. 62.44% of the stock is owned by institutional investors and hedge funds. +Franco Nevada Company Profile +Franco-Nevada Corporation operates as a gold-focused royalty and stream company in the United States, Canada, Mexico, Peru, Chile, Australia, and Africa. The company also holds interests in silver, platinum group metals, oil and gas, and other resource assets. As of December 31, 2017, it had a portfolio of 341 assets. +Get a free copy of the Zacks research report on Franco Nevada (FNV) +For more information about research offerings from Zacks Investment Research, visit Zacks.com Receive News & Ratings for Franco Nevada Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Franco Nevada and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test4696.txt b/input/test/Test4696.txt new file mode 100644 index 0000000..e4d793f --- /dev/null +++ b/input/test/Test4696.txt @@ -0,0 +1,2 @@ +2018 Land Rover Discovery: Can it climb Truck Hill? – Video 44 mins ago Google has already given its blessing for third-parties to make Assistant-powered smart speakers with displays, but the search giant has yet to venture into this territory itself. That might change later this year, with a new report from Nikkei claiming that Google plans to launch its own rival to Amazon's screen-equipped Echo Show later this year. As with all rumors sourced from the supply chain, it pays to be skeptical. But insiders speaking to Nikkei say the company is preparing for a holiday blitz. "Google targets to ship some 3 million units for the first batch of the new model of smart speaker that comes with a screen," one industry source told the Japanese publication. "It's an aggressive plan." Smart speakers with displays (or "smart displays") offer a number of obvious benefits. A screen makes it easy to tweak settings, look up information, follow recipes, or watch videos. They often work well in the kitchen, where hands-free screens are particularly useful. But despite these benefits, it's not clear that the format can compete with tablets and laptops. +Lenovo's Smart Display integrated nicely with all Google's services. Photo: The Verge / Vjeran Pavic Google obviously thinks it's a form factor worth experimenting with though, and in January introduced its Smart Display platform for exactly that purpose. JBL, Lenovo, LG, and Sony all signed up to make screen-equipped smart speakers and the first out the gates — Lenovo's Smart Display — was a capable device. It was also a very Googly one, with slick integration with all of the company's services, from Gmail to Calendar to YouTube. (The latter being something that's only been available inconsistently on the Echo Show due to a corporate spat.) We could expect a similar experience if Google built its own smart display. Google's current smart speaker line-up includes the Google Home, budget Home Mini, and speaker-heavy Home Max. It's a decent range, but not as expansive as Amazon's, which has simile devices alongside the alarm clock-sized Echo Spot and larger Echo Show. We'll hopefully find out if Google plans to go toe-to-toe with Amazon in these other categories before the end of the year \ No newline at end of file diff --git a/input/test/Test4697.txt b/input/test/Test4697.txt new file mode 100644 index 0000000..18e04c7 --- /dev/null +++ b/input/test/Test4697.txt @@ -0,0 +1 @@ +Mali: Incumbent Keita Declared Victor After Disputed Vote By Eromosele Abiodun In a move described as the reference point for digital marketing knowledge, influence and impact in Nigeria, the Lagos Digital Academy (LDA) has been officially inaugurated in Lagos. Co-Founder and Chief Marketing Officer of LDA, Kunle Shittu, in a statement, said the LDA is designed to create a step-change and equip digital migrants with market-driven, dynamic and practical trainings that would prepare them for quality placement and industry exposure. Shitu described the academy as an informatics leadership course for LDA digital migrants and leaders. According to him, "We breed a nest of digital potentials for companies to employ and empower to contribute to organisational growth." On his part, the Managing Director of LDA, Dotun Babatunde, explained that the birth of the company was as a result for professional and savvy digital professional who has gone through the burn of digital training or academy in the country. "The marketing communication industry in Nigeria is getting cluster but more importantly is that there is a huge skill gap when it comes to digital marketing. So giving the decades of experience of the LDA team, we came up with a way to equip the future generations and executives who have been in tuned to the traditional advertising and marketing platforms but do not understand how best to plug in digital to the equation as digital is part of every form of communications. This way out is LDA," he said. Dotun described the establishment of the academy as the "beginning of a profession." Shedding light on the programmes and courses of the academy, Co-Founder and Chief Strategy Office of LDA, Tola Bademosi said: "The programmes and courses of the academy will be designed and tailored along different clientele, because the needs are different based on wants, professions and backgrounds. The programmes are going to be empowering because knowledge without application is useless. Knowledge acquired must be applied so as to move from the current level to a higher one." Speaking at the launch, Chief Executive of CMC Connect, Yomi Badejo-Okusanya said: "I believe LDA is an initiative whose time has come and I have personally tasted the ability of LDA and I will recommend it very highly. Nigeria is increasingly emerging as a key player in the development of next-generation technology ecosystems and LDA is surely the destination for skill development mission from a digital perspective." Nigeri \ No newline at end of file diff --git a/input/test/Test4698.txt b/input/test/Test4698.txt new file mode 100644 index 0000000..e7f61b2 --- /dev/null +++ b/input/test/Test4698.txt @@ -0,0 +1,9 @@ +Tweet +Alphabet Inc Class C (NASDAQ:GOOG) was downgraded by analysts at BidaskClub from a "buy" rating to a "hold" rating in a research note issued to investors on Friday. +Several other research firms also recently weighed in on GOOG. Morgan Stanley reissued a "buy" rating on shares of Alphabet Inc Class C in a research note on Tuesday, August 7th. Goldman Sachs Group reissued a "$1,186.96" rating on shares of Alphabet Inc Class C in a research note on Thursday, July 19th. Piper Jaffray Companies reissued a "buy" rating and issued a $1,400.00 price target on shares of Alphabet Inc Class C in a research note on Tuesday, July 24th. Oppenheimer raised their price target on shares of Alphabet Inc Class C from $1,340.00 to $1,350.00 and gave the stock an "outperform" rating in a research note on Tuesday, April 24th. Finally, Macquarie reissued a "$1,205.50" rating on shares of Alphabet Inc Class C in a research note on Monday, July 23rd. Three research analysts have rated the stock with a hold rating and twenty-seven have issued a buy rating to the stock. The stock has a consensus rating of "Buy" and an average target price of $1,245.96. Get Alphabet Inc Class C alerts: +NASDAQ:GOOG opened at $1,206.49 on Friday. The company has a current ratio of 4.15, a quick ratio of 4.13 and a debt-to-equity ratio of 0.02. The stock has a market capitalization of $861.31 billion, a PE ratio of 37.64 and a beta of 1.13. Alphabet Inc Class C has a twelve month low of $903.40 and a twelve month high of $1,273.89. Alphabet Inc Class C (NASDAQ:GOOG) last posted its quarterly earnings results on Monday, July 23rd. The information services provider reported $11.75 earnings per share for the quarter, topping the Thomson Reuters' consensus estimate of $9.66 by $2.09. The firm had revenue of $32.66 billion for the quarter, compared to the consensus estimate of $32.13 billion. Alphabet Inc Class C had a net margin of 13.16% and a return on equity of 18.24%. The company's revenue for the quarter was up 25.6% on a year-over-year basis. During the same period last year, the firm posted $5.01 earnings per share. +In other Alphabet Inc Class C news, Director John L. Hennessy sold 724 shares of Alphabet Inc Class C stock in a transaction dated Wednesday, July 25th. The shares were sold at an average price of $1,250.30, for a total transaction of $905,217.20. Following the completion of the sale, the director now directly owns 442 shares in the company, valued at $552,632.60. The sale was disclosed in a document filed with the SEC, which is available through this hyperlink . Also, Director Ann Mather sold 39 shares of Alphabet Inc Class C stock in a transaction dated Friday, June 1st. The shares were sold at an average price of $1,099.06, for a total transaction of $42,863.34. Following the sale, the director now owns 1,862 shares of the company's stock, valued at $2,046,449.72. The disclosure for this sale can be found here . Insiders have sold 88,369 shares of company stock worth $104,846,172 over the last ninety days. 13.11% of the stock is owned by insiders. +Several institutional investors and hedge funds have recently made changes to their positions in GOOG. Smart Portfolios LLC acquired a new position in shares of Alphabet Inc Class C in the first quarter valued at approximately $103,000. Braun Bostich & Associates Inc. acquired a new position in Alphabet Inc Class C during the 1st quarter worth approximately $107,000. Litman Gregory Asset Management LLC acquired a new position in Alphabet Inc Class C during the 1st quarter worth approximately $113,000. JJJ Advisors Inc. acquired a new position in Alphabet Inc Class C during the 2nd quarter worth approximately $134,000. Finally, WealthShield LLC acquired a new position in Alphabet Inc Class C during the 4th quarter worth approximately $144,000. Institutional investors and hedge funds own 34.27% of the company's stock. +About Alphabet Inc Class C +Alphabet Inc, through its subsidiaries, provides online advertising services in the United States and internationally. The company offers performance and brand advertising services. It operates through Google and Other Bets segments. The Google segment includes principal Internet products, such as Ads, Android, Chrome, Commerce, Google Cloud, Google Maps, Google Play, Hardware, Search, and YouTube, as well as technical infrastructure and newer efforts, including Virtual Reality. +See Also: Marijuana Stocks Receive News & Ratings for Alphabet Inc Class C Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Alphabet Inc Class C and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4699.txt b/input/test/Test4699.txt new file mode 100644 index 0000000..050085d --- /dev/null +++ b/input/test/Test4699.txt @@ -0,0 +1,12 @@ +Judd Hirsch joins Adam Sandler's Uncut Gems Judd Hirsch joins Adam Sandler's Uncut Gems +'Independence Day' actor Judd Hirsch has joined the cast of Adam Sandler 's upcoming movie 'Uncut Gems'. +Judd Hirsch has joined the cast of Adam Sandler 's upcoming movie 'Uncut Gems'. +The 'Independence Day' star will appear opposite the 51-year-old actor in the upcoming Safdie Brothers film, which sees the latter play a jewellery store owner and dealer whose life gets turned upside down following a robbery. +As reported by Deadline, 83-year-old movie veteran Hirsch will appear as Sandler's father-in-law as the cast starts to come together for the project, which is set in New York's diamond district. +Also said to be signed on for the film is Eric Bogosian, while the script has been penned by Josh and Ben Safdie, and collaborator Ronald Bronstein. +It's a busy time at the moment for Sandler, who is also working on upcoming Netflix movie 'Murder Mystery' in which he'll star opposite Jennifer Aniston . +It will be the first time the pair have been on screen together since 2011's 'Just Go With It'. +According to Variety, the film will see Sandler and Aniston star as a New York police officer and his wife, as they find themselves as prime suspects in the murder of an elderly billionaire during a trip to Europe. +The Netflix original film - which is yet to have a release date - will be directed by Kyle Newacheck and penned by James Vanderbilt, who is best known for his work on 'Zodiac' and 'White House Down'. +Last year, Sandler signed a four-film deal with Netflix, and said in a statement that he loves ''collaborating with them''. +He said: ''I love how passionate they are about making movies and getting them out there for the whole world to see. They've made me feel like family and I can't thank them enough for their support.' Contactmusi \ No newline at end of file diff --git a/input/test/Test47.txt b/input/test/Test47.txt new file mode 100644 index 0000000..b54f945 --- /dev/null +++ b/input/test/Test47.txt @@ -0,0 +1,17 @@ +No posts were found Data Warehouse Management Software Market to Witness Huge Growth by 2025 | Leading Key Players: Astera Software, EMC Corporation, Hewlett-Packard, Vertica Systems August 17 Share it With Friends Data Warehouse Management Software Market HTF MI recently introduced Global Data Warehouse Management Software Market study with in-depth overview, describing about the Product / Industry Scope and elaborates market outlook and status to 2023. The market Study is segmented by key regions which is accelerating the marketization. At present, the market is developing its presence and some of the key players from the complete study are Astera Software, EMC Corporation, Hewlett-Packard, Vertica Systems, Hexis Cyber Solutions, HiT Software, IBM Corporation, Informatica Corporation, Microsoft Corporation, Oracle Corporation, SAP AG, Sybase, Software AG, SAS Institute & Teradata Corporation etc. +Request Sample of Global Data Warehouse Management Software Market Size, Status and Forecast 2018-2025 @: https://www.htfmarketreport.com/sample-report/1301040-global-data-warehouse-management-software-market-3 +This report studies the Global Data Warehouse Management Software market size, industry status and forecast, competition landscape and growth opportunity. This research report categorizes the Global Data Warehouse Management Software market by companies, region, type and end-use industry. +Browse 100+ market data Tables and Figures spread through Pages and in-depth TOC on " Data Warehouse Management Software Market by Type (Purchasing Management, Sales Management, Warehouse Management & Other), by End-Users/Application (Insurance, Telecommunications, Retailing, Transportation, Government & Other), Organization Size, Industry, and Region – Forecast to 2023″. Early buyers will receive 10% customization on comprehensive study. +In order to get a deeper view of Market Size, competitive landscape is provided i.e. Revenue (Million USD) by Players (2013-2018), Revenue Market Share (%) by Players (2013-2018) and further a qualitative analysis is made towards market concentration rate, product/service differences, new entrants and the technological trends in future. +Enquire for customization in Report @ https://www.htfmarketreport.com/enquiry-before-buy/1301040-global-data-warehouse-management-software-market-3 +Competitive Analysis: The key players are highly focusing innovation in production technologies to improve efficiency and shelf life. The best long-term growth opportunities for this sector can be captured by ensuring ongoing process improvements and financial flexibility to invest in the optimal strategies. Company profile section of players such as Astera Software, EMC Corporation, Hewlett-Packard, Vertica Systems, Hexis Cyber Solutions, HiT Software, IBM Corporation, Informatica Corporation, Microsoft Corporation, Oracle Corporation, SAP AG, Sybase, Software AG, SAS Institute & Teradata Corporation includes its basic information like legal name, website, headquarters, its market position, historical background and top 5 closest competitors by Market capitalization / revenue along with contact information. Each player/ manufacturer revenue figures, growth rate and gross profit margin is provided in easy to understand tabular format for past 5 years and a separate section on recent development like mergers, acquisition or any new product/service launch etc. +Market Segments: The Global Data Warehouse Management Software Market has been divided into type, application, and region. On The Basis Of Type: Purchasing Management, Sales Management, Warehouse Management & Other . On The Basis Of Application: Insurance, Telecommunications, Retailing, Transportation, Government & Other On The Basis Of Region, this report is segmented into following key geographies, with production, consumption, revenue (million USD), and market share, growth rate of Data Warehouse Management Software in these regions, from 2013 to 2023 (forecast), covering • North America (U.S. & Canada) {Market Revenue (USD Billion), Growth Analysis (%) and Opportunity Analysis} • Latin America (Brazil, Mexico & Rest of Latin America) {Market Revenue (USD Billion), Growth Share (%) and Opportunity Analysis} • Europe (The U.K., Germany, France, Italy, Spain, Poland, Sweden & RoE) {Market Revenue (USD Billion), Growth Share (%) and Opportunity Analysis} • Asia-Pacific (China, India, Japan, Singapore, South Korea, Australia, New Zealand, Rest of Asia) {Market Revenue (USD Billion), Growth Share (%) and Opportunity Analysis} • Middle East & Africa (GCC, South Africa, North Africa, RoMEA) {Market Revenue (USD Billion), Growth Share (%) and Opportunity Analysis} • Rest of World {Market Revenue (USD Billion), Growth Analysis (%) and Opportunity Analysis} +Buy Single User License of Global Data Warehouse Management Software Market Size, Status and Forecast 2018-2025 @ https://www.htfmarketreport.com/buy-now?format=1&report=1301040 +Have a look at some extracts from Table of Content +Introduction about Global Data Warehouse Management Software +Global Data Warehouse Management Software Market Size (Sales) Market Share by Type (Product Category) in 2017 Data Warehouse Management Software Market by Application/End Users Global Data Warehouse Management Software Sales (Volume) and Market Share Comparison by Applications (2013-2023) table defined for each application/end-users like [Insurance, Telecommunications, Retailing, Transportation, Government & Other] Global Data Warehouse Management Software Sales and Growth Rate (2013-2023) Data Warehouse Management Software Competition by Players/Suppliers, Region, Type and Application Data Warehouse Management Software (Volume, Value and Sales Price) table defined for each geographic region defined. Global Data Warehouse Management Software Players/Suppliers Profiles and Sales Data +Additionally Company Basic Information, Manufacturing Base and Competitors list is being provided for each listed manufacturers +Market Sales, Revenue, Price and Gross Margin (2013-2018) table for each product type which include Purchasing Management, Sales Management, Warehouse Management & Other Data Warehouse Management Software Manufacturing Cost Analysis Data Warehouse Management Software Key Raw Materials Analysis Data Warehouse Management Software Chain, Sourcing Strategy and Downstream Buyers, Industrial Chain Analysis Market Forecast (2018-2023) ……..and more in complete table of Contents +Browse for Full Report at: https://www.htfmarketreport.com/reports/1301040-global-data-warehouse-management-software-market-3 +Thanks for reading this article; you can also get individual chapter wise section or region wise report version like North America, Europe or Asia. +Media Contac \ No newline at end of file diff --git a/input/test/Test470.txt b/input/test/Test470.txt new file mode 100644 index 0000000..b8a55c1 --- /dev/null +++ b/input/test/Test470.txt @@ -0,0 +1,20 @@ +Home » Events » "Havana is a magical city in which any event can be held with guarantee of complete success" "Havana is a magical city in which any event can be held with guarantee of complete success" August 16, 2018 32 Views Photo: courtesy of the interviewed. +Travel Trade Caribbean interview with Charo Trabado, general director GSAR Marketing. +As part of its strategy to diversify its tourist offer, Cuba is betting on positioning itself in the MICE (meetings, events and incentives tourism) segment on a regional and world level. According to Charo Trabado, general director GSAR Marketing, the company organizing the MITM Americas fair, the destination has all the tools to achieve this objective. An important step forward will be the hosting this event. MITM Americas HAVANA will be held in the Cuban capital September 18-21. +This is the third time that Cuba is the venue of MITM Americas. What determined this decision? Yes. It is a sector that Cuba has been especially interested in for years, which is why already in 2004 the Ministry of Tourism applied to be the venue of MITM Americas as well as in 2009. +A short time ago there was a news item about Mr. Escarrer affirming that Cuba would be the key point of tourism in the Caribbean and there is no doubt that in meetings tourism it has an incredible potential. By 2030 it is expected that Cuba will have 103,000 rooms, which will enable it to increasingly receive this type of clients. Because of all this we have returned to Havana and, of course, to its flagship hotel in this sector, the emblematic Meliá Cohíba Hotel, which has all the necessary infrastructure for this type of clients. +The event stands out for being the oldest MICE tourism fair in the Americas and the Caribbean. How much has it contributed to the development of that segment in the region? +Since 1997 the MITM fairs have contributed to the incursion, development and positioning of numerous destinations in Europe as well as in the Americas. Yes, it is true that Europe was much more developed in this sector than Latin America. +Our fairs' host destinations receive an international promotion valued at a million euros. Throughout our extensive trajectory we have achieved that all the countries in which any edition of the MITM Americas has been held, both those who already had some MICE business and those that had almost no general tourism, nowadays are vying in this sector so important for any destination as is meetings tourism. There are clear examples, and it is that the countries where MITM has been held more than once have stood out over the rest, for example, in Mexico eight editions were held and in Ecuador three. You just have to revise the newspaper and periodicals library to see the figures. +During FITCuba 2018 you said you were very pleased that the fair would be returning to Cuba. What are your expectations with the event? +We are happy to return to Cuba because it is one of the countries in which when we held the first edition it was trying to open a place for itself in this market and in 2004 MITM Americas gave it the opportunity to show the world that you could have a small piece of the mayor market and Cuba showed all the international participants that it could, that it had a great deal to offer and that its product was different from other extensively valued destinations. In 2009 we enthusiastically returned and the fair was increasingly more successful. This 2018 it is even more so and this is reflected in the more than 500 registrations to participate received from 57 countries. +In all the promotion we are carrying out for MITM Americas HAVANA we are highlighting with special emphasis Cuba's culture, music, art and world renowned traditional gastronomy, but also the genuine flavor of the Cuban people: their character, their way of receiving visitors. All this makes the difference when choosing a destination for the organization of a congress, a convention, or an incentive trip. When a company carries out a trip of this type for its employees or clients, it not only seeks holding a meeting (it can do that at home). It seeks a unique experience that will strengthen the company trademark and in which its participants feel they are part of the family. That's why it is so important to choose well the destination for any MICE event. +Havana is a magical city in which any event can be held with guarantee of complete success, complementing the hard work and networking with a beach destination in a luxury resort. In any destination, like Varadero or Cayo Santa María, there are beaches considered some of the best in the world. +What role does MITM Americas play in the world panorama of the MICE sector? I believe it is a very important role, we have been transgressors, pioneers in this type of events. All the MICE B2B fairs that currently exist emerge as an attempt to copy. That must be because we have done it very well. +As part of the event the first Congress of the Group for the Culture and Tourism of Latin America (ACTUAL) will be held. How did this initiative emerge? How will both meetings be linked? +We have been strongly linked to Latin America and its culture for 22 years and we have demonstrated our constant support to these wonderful peoples. GSAR Marketing is also the organizer of CULTOURFAIR – the only tourism fair specializing in cultural tourism (heritage, gastronomy, religion, folklore, etc.). This fair promotes tourism through each country's culture and that's why the idea came up of the importance of carrying out a congress in which the different actors could participate by contributing to make this sector grow. +MITM Americas begins on September 18 with its own program until the 21st in the morning and the ACTUAL congress begins at noon with common activities for both participants. +It is the second consecutive year in which MITM has a Caribbean country as its venue, in 2017 it was the Dominican Republic. What other area destinations could be candidates for the next editions? +We have always believed in the Caribbean, and that's why we came to Cuba in 2004, 2009 and in 2017 to the Dominican Republic. +There are more islands interested in being the venue of MITM Americas and they all have good infrastructures and singular attractions. +How would you assess the development of events tourism in Latin America and particularly in the Caribbean? This sector has enormously grown in Latin America especially in certain countries and above all taking into account the figures on which it was based (in many countries they were inexistent). The Caribbean still has a long way to go in this sector and we are here to contribute to this. Relate \ No newline at end of file diff --git a/input/test/Test4700.txt b/input/test/Test4700.txt new file mode 100644 index 0000000..81e1992 --- /dev/null +++ b/input/test/Test4700.txt @@ -0,0 +1,15 @@ +D urham have signed ball-tampering Australian batsman Cameron Bancroft. +Bancroft, who will join Durham as their overseas player for 2019, received a nine-month ban from Cricket Australia earlier this year for his role in a ball-tampering scandal. +Bancroft was found guilty of attempting to manipulate the condition of the ball on day three of the third Test against South Africa on March 24. +It was an act which led to widespread condemnation and also saw Australia captain Steve Smith and his deputy David Warner receive 12-month suspensions for their involvement. +In their official announcement confirming the recruitment of 25-year-old Bancroft on Friday, Durham made no mention of the ball-tampering row. +Cameron Bancroft was caught with sandpaper down his trousers B ancroft, who has played in eight Tests, will be available to Durham next season in all formats of the game. +In a statement released by the club, Bancroft said he was "grateful for the opportunity". +He added: "I am excited to join Durham for the 2019 county season. +"With the Ashes and ODI World Cup both being played in the UK in 2019, it will be a huge summer of cricket. +"I am grateful for the opportunity and I can't wait to get over and make an impact with Durham." +Welcome to Durham, @cbancroft4 +https://t.co/a1VWP1lJVG #ForTheNorth pic.twitter.com/cZyTEgkoXl +— Durham Jets (@DurhamCricket) August 17, 2018 D urham head coach Jon Lewis said: "Cameron provides us with a very talented overseas signing who can bulk up our batting line-up and help us compete for silverware. +"Tom Latham has done a great job for us over the past two seasons, but we anticipate Tom being unavailable due to the World Cup in 2019, therefore we were delighted to be able to bring Cameron in. +"Cameron is a talented top order batsman and a great talent across all formats. He has the appetite and temperament for scoring big runs. \ No newline at end of file diff --git a/input/test/Test4701.txt b/input/test/Test4701.txt new file mode 100644 index 0000000..4c04a52 --- /dev/null +++ b/input/test/Test4701.txt @@ -0,0 +1,2 @@ +Robot Vacuum Cleaners Brand Ranking, The Newest Ten Brand Ranking, German Liectroux Ranked TOP 1 August 16 Share it With Friends As spring goes and autumn comes. Time is carving people's appearance and shaping people's character. Dispelled evil in exchange for loyalty and specificity. The changing thing is time. Time flies, but people's pursuit of life quality never stops. Technology changes life and it also changes the connection between people and enhances people's emotional bonds. Due to artificial intelligence technology, people can completely liberated their hands. The emergence of the robot vacuum cleaners enables the families no longer worry about trivial matters and no longer quarrel about the dust on the ground. Saying goodbye to coldness and indifference, family ties are also becoming more closely due to technology. Robot vacuum cleaners are loyal. They work silently and they possess selfless dedication and they are also reasonable. Intelligent technology allows them to have the brain of the machine and they can operate autonomously. Robot vacuum cleaners are like families and they can solve the problems of family health. A good robot vacuum cleaner is the most important member of a family. Many robot vacuum cleaners brands emerge as if the ancient women were elected. If they do not improve themselves from both inside and outside, they would be ignored and be cast out of favor. Therefore, all kinds of new ideas of robot vacuum cleaners are emerging one after another and strive to become the industry leader. Who is better and who can win the champion. Please look at the following robot vacuum cleaner brands rankings one by one. Robot Vacuum Cleaner Brands Top 1. Liectroux robot vacuum cleaner Liectroux is not a very famous and popular brand. However, it emerges from Germany which is famous for its rigorousness, it has added buff to the competition. (You can view the website: http://www.liectroux.us/ or http://www.liectroux.ru/ ) Rigorous workmanship and military family to create military quality. Even if Liectroux is not well known to the domestic public but its 34.8% market share of the retail channel illustrates its unique charm. The charm of the Liectroux robot vacuum cleaner is its intellectual beauty. It does things in an orderly manner and with full confidence. Plane memory technology can smoothly plan the sweeping route. And its excellent ability to overcome obstacles makes people marvel with the athletic ability of this beauty. The real reason why it is loved by so many people is because of its excellent cleaning ability. It improves its shape from the outside and improves its quality from the inside. It is tepid and not noisy. Liectroux robot vacuum cleaner is such a "Good wife" that makes people can't stop to love it. Robot Vacuum Cleaner Brands Ranking Top 2: Xiaomi robot vacuum cleaner One more minute makes the difference. Xiaomi is the perfect scorpion of compromise. You can see its pros and cons by your own eyes. It does everything very well. It can be compared with those very expensive robot vacuum cleaners and will not be Inferior. And it can also be compared with those inferior brands. Xiaomi is capable of doing anything whether you appreciate or not appreciate it. Whether you like or dislike, Xiaomi is the price-performance king in the light luxury doctrine. Its intelligence, talent, appearance and ability are all the best in its equally positioning products. It is this feature that makes Xiaomi rank in the second place in this ranking. Robot Vacuum Cleaner Brands Ranking Top 3: Irobot Robot Vacuum Cleaner The Irobot family is like a scholarly family. Its technology research is always at the forefront of the intelligent robot vacuum cleaner market. Irobot is like the kind of woman who wins by quality. It is superior in the aspect of intelligence. And its intelligent degree is at the top of the smart chain. It is ingenious and can easily bring the "stainless" home environment by the technique of dry and wet mopping. At the same time, Irobot is like a patient woman. It will do wet mopping and drying mopping and then wet mopping again. It enables its masters no longer need to drip with sweat. Obviously, its high intelligence necessarily decides its high price. And not every family is willing to pay for its intelligence. Robot Vacuum Cleaner Brands Ranking Top 4: Dyson 360Eye Exquisite and dignified, Dyson's design is quite a master of the world. It is able to make many consumers rush for it simply through its shape. Born in the traditional powerful forces of smart home appliances, Dyson robot vacuum cleaners dominated the sales list of this Jingdong 6.18. However, to have a overall control possesses a very high requirement for the working environment. And a bright environment is the essential environment for Dyson's work. Losing a bright environment will cause princess disease for Dyson robot vacuum cleaners. Longing for the light and can't stand the darkness. Plus its noisy working mode and sound effect. Dyson robot vacuum cleaners are only suitable for those home environments with better lightning. Robot Vacuum Cleaner Brands Ranking Top 5: Philips Who cuts such slender leaves, Philips is like a daughter of humble family. Philips robot vacuum cleaners have deduct the exquisite, small and ultra-thin to the extreme. And many other robot vacuum cleaners will be eclipsed in front of it. The 60mm robot vacuum cleaner is capable of going to everywhere and it can clean everywhere. Philips has a variety of hidden modes. It has all the styles you like. All the styles you like it all have. The four robot vacuum cleaners cleaning modes are free to switch. It enables people to have comfortable user experience, reassuring price and user-friendly price. This is absolutely the sweeping artifact that necessary for the small fresh people. Robot Vacuum Cleaner Brands Ranking Top 6: Ecovas Ecovas is a real famous family with a strong substantial resources and a huge family. It is a real giant family. Merely through possessing the background of the Ecovas family, it already has a high title. If it doesn't have actions, you don't move, it will affect thousands of people. The leading domestic and international influence is her biggest selling point. However, the aristocratic daughter is obviously not suitable for household chores and its level of intelligence and cleaning ability still need to be improved. Robot Vacuum Cleaner Brands Ranking Top 7: Haier The neighboring family has a girl who grows up in the first place. She is a well-known person who has high autonomy and can sweep automatically and achieve automatic recharge. Haier robot vacuum cleaners work hard. Their cleaning ability are not bad. But Haier is like a girl that always stays at home and don't know too much about the outside world. Its popularity has affected its influence. Robot Vacuum Cleaner Brands Ranking Top 8: Panasonic Panasonic Corporation's name reverberates like thunder, and the name of Panasonic's robot vacuum cleaner is not as famous as its own brother's name. But the tiger father has no dog girl, and conscience Panasonic robot vacuum cleaners are not bad. Robot Vacuum Cleaner Brands Ranking Top 9: U Life U life's machine is as famous as its name, it is graceful and exquisite so it is naturally popular among consumers. Robot Vacuum Cleaner Brands Ranking Top 10: Samsung Samsung is the cross-border cooperation between robot brand mobile phone manufacturers and robot vacuum cleaners. We should expect how much for this combination of different boundaries? We should only hope that Samsung will have a better performance and will not explode randomly. So we put Samsung at last in this ranking to show some respect for it. Life is a long road and the robot vacuum cleaners are like the light in the dark. Not everything will go with the wind and the energy will not exhaust with time. Peaceful life and peaceful world need a suitable robot vacuum cleaner. Robot vacuum cleaners brand rankings, Liectroux robot vacuum cleaner improves itself from inside and outside and wins the champion. Wanjin oil millet follows tightly behind Liectroux. Flowers of every kind are in bloom and finally they will benefit our chosen master. The world changes. The thing that never changes is our pursuit for quality. change of the world, the constant is the pursuit of quality, the improvement of the quality of life thanks to the birth of these products. A ranking, a life, an experience, everything is the best arrangement. +Media Contact Company Name: LIECTROUX ROBOTICS GROUP LIMITED Contact Person: Christin \ No newline at end of file diff --git a/input/test/Test4702.txt b/input/test/Test4702.txt new file mode 100644 index 0000000..6bb001d --- /dev/null +++ b/input/test/Test4702.txt @@ -0,0 +1,1683 @@ +- Equipment net sales climb 36%, to $9.3 billion , on strength in key markets. +- Earnings per share set third-quarter record. +- Performance benefiting from favorable conditions for agricultural and construction equipment. +- Advanced technology and product features earning strong customer response. +MOLINE, Ill. , Aug. 17, 2018 /PRNewswire/ -- Deere & Company (NYSE : DE ) reported net income of $910.3 million for the third quarter ended July 29, 2018 , or $2.78 per share, compared with net income of $641.8 million , or $1.97 per share, for the quarter ended July 30, 2017 . For the first nine months of the year, net income attributable to Deere & Company was $1.584 billion , or $4.82 per share, compared with $1.649 billion , or $5.11 per share, for the same period last year. +Affecting results for the third quarter and first nine months of 2018 were provisional adjustments to the provision for income taxes due to the enactment of U.S. tax reform legislation on December 22, 2017 (tax reform). Third-quarter results included a favorable net adjustment to provisional income taxes of $62 million , while the first nine months reflected an unfavorable net provisional income tax expense of $741 million . Without these adjustments, net income attributable to Deere & Company for the third quarter and first nine months of the year would have been $849 million , or $2.59 per share, and $2.325 billion , or $7.08 per share, respectively. (For further information, refer to the appendix on the non-GAAP financial measures and Note 2 in the "Condensed Notes to Interim Consolidated Financial Statements" accompanying this release.) +Worldwide net sales and revenues increased 32 percent, to $10.308 billion , for the third quarter and rose 29 percent, to $27.942 billion , for nine months. Net sales of the equipment operations were $9.286 billion for the third quarter and $25.007 billion for the first nine months, compared with $6.833 billion and $18.791 billion for the same periods last year. +"Deere's third-quarter performance benefited from favorable market conditions and positive response to our advanced product lineup," said Samuel R. Allen , chairman and chief executive officer. "Farm machinery sales in North America and Europe made solid gains, while construction equipment sales moved sharply higher and received significant support from our Wirtgen road-building unit. At the same time, we have continued to face cost pressures for raw materials and freight, which are being addressed through a combination of cost management and pricing actions." +Summary of Operations +Net sales of the worldwide equipment operations increased 36 percent for the quarter and 33 percent for the first nine months compared with the same periods a year ago. Deere's acquisition of the Wirtgen Group (Wirtgen) in December 2017 added 17 percent to net sales for the quarter and 12 percent year to date. Sales included an unfavorable currency-translation effect of 1 percent for the quarter and a favorable effect of 2 percent for nine months. Equipment net sales in the United States and Canada increased by 29 percent for the quarter and 27 percent year to date, with Wirtgen adding 6 percent and 4 percent for the respective periods. Outside of the U.S. and Canada , net sales rose 45 percent for the quarter and 42 percent for the first nine months, with Wirtgen adding 31 percent and 23 percent for the periods. Net sales included an unfavorable currency-translation effect of 1 percent for the quarter and a favorable effect of 3 percent for nine months. +Deere's equipment operations reported operating profit of $1.087 billion for the quarter and $2.822 billion for the first nine months, compared with $804 million and $2.179 billion , respectively, last year. Wirtgen, whose results are included in these amounts, had operating profit of $88 million for the quarter and $37 million year to date. Excluding Wirtgen results, the improvement for both periods was primarily driven by higher shipment volumes, lower warranty costs, and price realization, partially offset by higher production costs and research and development expenses. The corresponding periods of 2017 included a gain on the sale of SiteOne Landscapes Supply, Inc. (SiteOne). +Net income of the company's equipment operations was $751 million for the third quarter and $889 million for the first nine months, compared with net income of $506 million and $1.291 billion for the same periods of 2017. In addition to the operating factors previously cited, the quarter was favorably affected by $58 million and the nine-month period unfavorably affected by $974 million due to provisional income-tax adjustments related to tax reform. +Financial services reported net income attributable to Deere & Company of $151.2 million for the quarter and $680.6 million for the first nine months compared with $131.2 million and $349.1 million last year. Results for both periods benefited from a higher average portfolio and a lower provision for credit losses, partially offset by less-favorable financing spreads. Nine-month results also were helped by lower losses on lease residual values. Additionally, provisional income tax adjustments related to tax reform had favorable effects of $3.6 million for the quarter and $232.4 million for nine months. +Company Outlook & Summary +Company equipment sales are projected to increase by about 30 percent for fiscal 2018 and by about 21 percent for the fourth quarter compared with the same periods of 2017. Of these amounts, Wirtgen is expected to add about 12 percent to Deere sales for both the full year and fourth quarter. Foreign-currency rates are not expected to have a material translation effect on equipment sales for the year but are anticipated to have an unfavorable effect of about 3 percent for the fourth quarter. +Net sales and revenues are expected to increase by about 26 percent for fiscal 2018 with net income attributable to Deere & Company forecast to be about $2.360 billion . The company's net income forecast includes $741 million of provisional income tax expense associated with tax reform, representing discrete items for the remeasurement of the company's net deferred tax assets to the new U.S. corporate tax rate and a one-time deemed earnings repatriation tax. Adjusted net income attributable to Deere & Company, which excludes the provisional income-tax adjustments associated with tax reform, is forecast to be about $3.1 billion . (Information on non-GAAP financial measures is included in the appendix.) +The current outlook for adjusted net income compares with previous guidance of $3.1 billion , which included $803 million of provisional income tax expense. +"We continue to believe Deere is well-positioned to capitalize on growth in the world's agricultural and construction equipment markets," Allen said. "Replacement demand for large agricultural equipment is driving sales even in the face of tensions over global trade and other geopolitical issues. At the same time, we are heartened by our customers' enthusiastic response to the advanced features and technology found on our new products. What's more, the powerful global trends of population growth and increased urbanization remain quite vibrant and are putting a positive light on the company's prospects for the future. As a result, we're confident Deere is on track to continue its strong performance and deliver significant value to customers and investors in the years ahead." +Equipment Division Performance +Agriculture & Turf. Sales rose 18 percent for the quarter and 19 percent for the first nine months due to higher shipment volumes as well as lower warranty expenses and price realization. Currency translation had an unfavorable impact on sales for the quarter and a favorable effect for nine months. +Operating profit was $806 million for the quarter and $2.249 billion year to date, compared with respective totals of $693 million and $1.920 billion last year. The improvement was driven by higher shipment volumes, lower warranty-related expenses and price realization, partially offset by higher production costs and research and development expenses. Last year, both periods benefited from gains on the SiteOne sale. +Construction & Forestry. Construction and forestry sales increased 100 percent for the quarter and 83 percent for nine months, with Wirtgen adding 77 percent and 56 percent for the respective periods. Foreign-currency rates did not have a material translation effect on sales for the quarter but had a favorable impact for nine months. Both periods were favorably affected by lower warranty expenses and negatively affected by higher sales-incentive expenses. +Operating profit was $281 million for the quarter and $573 million for nine months, compared with $111 million and $259 million last year. Wirtgen contributed operating profit of $88 million for the quarter and $37 million year to date. Excluding Wirtgen, the improvements were primarily driven by higher shipment volumes and lower warranty expenses, partially offset by higher production costs and sales-incentive expenses. +Market Conditions & Outlook +Agriculture & Turf. Deere's worldwide sales of agriculture and turf equipment are forecast to increase by about 15 percent for fiscal-year 2018, with foreign-currency rates not expected to have a material translation effect. Industry sales of agricultural equipment in the U.S. and Canada are forecast to be up about 10 percent for 2018, led by higher demand for large equipment. Despite drought concerns in some areas, full-year industry sales in the EU28 member nations are forecast to be up 5 to 10 percent as a result of favorable conditions in the dairy and livestock sectors and positive arable-farming conditions in certain key markets. South American industry sales of tractors and combines are projected to be flat to up 5 percent benefiting from strength in Brazil . Asian sales are forecast to be in line with last year. Industry sales of turf and utility equipment in the U.S. and Canada are expected to be flat to up 5 percent for 2018. +Construction & Forestry. Deere's worldwide sales of construction and forestry equipment are anticipated to be up about 81 percent for 2018, with foreign-currency rates not expected to have a material translation effect. Wirtgen is expected to add about 55 percent to the division's sales for the year. The outlook reflects continued improvement in demand driven by higher housing starts in the U.S., increased activity in the oil and gas sector, and economic growth worldwide. In forestry, global industry sales are expected to be up about 10 percent mainly as a result of improved demand throughout the world, led by North America . +Financial Services. Fiscal-year 2018 net income attributable to Deere & Company for the financial services operations is projected to be approximately $815 million , including a provisional income tax benefit of $232 million associated with tax reform. Excluding the tax benefit, adjusted net income attributable to Deere & Company is forecast to be $583 million . Results are expected to benefit from a higher average portfolio, a lower provision for credit losses and lower losses on lease residual values, partially offset by less-favorable financing spreads. +Last quarter's financial-services net income forecast for the year was $800 million . That outlook included a provisional tax benefit estimate of $229 million for remeasurement of the division's net deferred tax liability and a one-time deemed earnings repatriation tax. +John Deere Capital Corporation +The following is disclosed on behalf of the company's financial services subsidiary, John Deere Capital Corporation (JDCC), in connection with the disclosure requirements applicable to its periodic issuance of debt securities in the public market. +Net income attributable to JDCC was $120.2 million for the third quarter and $638.8 million year to date, compared with $88.3 million and $227.0 million for the respective periods last year. Results for both periods benefited from a favorable provision for income taxes associated with tax reform and a higher average portfolio, partially offset by less-favorable financing spreads. The first nine months also benefited from lower losses on lease residual values and a lower provision for credit losses. +Net receivables and leases financed by JDCC were $35.633 billion at July 29, 2018 , compared with $32.929 billion at July 30, 2017 . +APPENDIX +DEERE & COMPANY SUPPLEMENTAL STATEMENT OF CONSOLIDATED INCOME INFORMATION RECONCILIATION OF GAAP TO NON-GAAP FINANCIAL MEASURES (Millions, except per-share amounts) (Unaudited) +In addition to reporting financial results in conformity with accounting principles generally accepted in the United States (GAAP), the company also discusses non-GAAP measures that exclude adjustments related to tax reform. Net income attributable to Deere & Company and diluted earnings per share measures that exclude this item are not in accordance with nor a substitute for GAAP measures. The company believes that discussion of results excluding this item provides a useful analysis of ongoing operating trends. +The table below provides a reconciliation of the non-GAAP financial measure with the most directly comparable GAAP financial measure for the three months and nine months ended July 29, 2018, and the outlook for the twelve months ended October 28, 2018 . +Three Months Ended +July 29, 2018 +Nine Months Ended +July 29, 2018 +Net Income +Attributable to +Deere & +Company +Diluted +Earnings +Per Share +Net Income +Attributable to +Deere & +Company +Diluted +Earnings +Per Share +GAAP measure +$ +910.3 +$ +2.78 +$ +1,583.6 +$ +4.82 +Discrete tax reform expense (benefit) +(61.7) +(.19) +741.2 +2.26 +Non-GAAP measure +$ +848.6 +$ +2.59 +$ +2,324.8 +$ +7.08 +Twelve Months Ended +October 28, 2018 +Net Income +Attributable to +Deere & +Company +GAAP measure +$ +2,360.0 +Discrete tax reform expense +741.2 +Non-GAAP measure +$ +3,101.2 +Safe Harbor Statement +Safe Harbor Statement under the Private Securities Litigation Reform Act of 1995 : Statements under "Company Outlook & Summary," "Market Conditions & Outlook," and other forward-looking statements herein that relate to future events, expectations, and trends involve factors that are subject to change, and risks and uncertainties that could cause actual results to differ materially. Some of these risks and uncertainties could affect particular lines of business, while others could affect all of the company's businesses. +The company's agricultural equipment business is subject to a number of uncertainties including the factors that affect farmers' confidence and financial condition. These factors include demand for agricultural products, world grain stocks, weather conditions, soil conditions, harvest yields, prices for commodities and livestock, crop and livestock production expenses, availability of transport for crops, trade restrictions and tariffs, global trade agreements (including the North American Free Trade Agreement and the Trans-Pacific Partnership), the level of farm product exports (including concerns about genetically modified organisms), the growth and sustainability of non-food uses for some crops (including ethanol and biodiesel production), real estate values, available acreage for farming, the land ownership policies of governments, changes in government farm programs and policies, international reaction to such programs, changes in and effects of crop insurance programs, changes in environmental regulations and their impact on farming practices, animal diseases and their effects on poultry, beef and pork consumption and prices, and crop pests and diseases. +Factors affecting the outlook for the company's turf and utility equipment include consumer confidence, weather conditions, customer profitability, labor supply, consumer borrowing patterns, consumer purchasing preferences, housing starts and supply, infrastructure investment, spending by municipalities and golf courses, and consumable input costs. +Consumer spending patterns, real estate and housing prices, the number of housing starts, interest rates and the levels of public and non-residential construction are important to sales and results of the company's construction and forestry equipment. Prices for pulp, paper, lumber and structural panels are important to sales of forestry equipment. +All of the company's businesses and its results are affected by general economic conditions in the global markets and industries in which the company operates; customer confidence in general economic conditions; government spending and taxing; foreign currency exchange rates and their volatility, especially fluctuations in the value of the U.S. dollar; interest rates; inflation and deflation rates; changes in weather patterns; the political and social stability of the global markets in which the company operates; the effects of, or response to, terrorism and security threats; wars and other conflicts; natural disasters; and the spread of major epidemics. +Significant changes in market liquidity conditions, changes in the company's credit ratings and any failure to comply with financial covenants in credit agreements could impact access to funding and funding costs, which could reduce the company's earnings and cash flows. Financial market conditions could also negatively impact customer access to capital for purchases of the company's products and customer confidence and purchase decisions, borrowing and repayment practices, and the number and size of customer loan delinquencies and defaults. A debt crisis, in Europe or elsewhere, could negatively impact currencies, global financial markets, social and political stability, funding sources and costs, asset and obligation values, customers, suppliers, demand for equipment, and company operations and results. The company's investment management activities could be impaired by changes in the equity, bond and other financial markets, which would negatively affect earnings. +The anticipated withdrawal of the United Kingdom from the European Union and the perceptions as to the impact of the withdrawal may adversely affect business activity, political stability and economic conditions in the United Kingdom , the European Union and elsewhere. The economic conditions and outlook could be further adversely affected by (i) the uncertainty concerning the timing and terms of the exit, (ii) new or modified trading arrangements between the United Kingdom and other countries, (iii) the risk that one or more other European Union countries could come under increasing pressure to leave the European Union, or (iv) the risk that the euro as the single currency of the Eurozone could cease to exist. Any of these developments, or the perception that any of these developments are likely to occur, could affect economic growth or business activity in the United Kingdom or the European Union, and could result in the relocation of businesses, cause business interruptions, lead to economic recession or depression, and impact the stability of the financial markets, availability of credit, currency exchange rates, interest rates, financial institutions, and political, financial and monetary systems. Any of these developments could affect our businesses, liquidity, results of operations and financial position. +Additional factors that could materially affect the company's operations, access to capital, expenses and results include changes in, uncertainty surrounding and the impact of governmental trade, banking, monetary and fiscal policies, including financial regulatory reform and its effects on the consumer finance industry, derivatives, funding costs and other areas, and governmental programs, policies, tariffs and sanctions in particular jurisdictions or for the benefit of certain industries or sectors; retaliatory actions to such changes in trade, banking, monetary and fiscal policies; actions by central banks; actions by financial and securities regulators; actions by environmental, health and safety regulatory agencies, including those related to engine emissions, carbon and other greenhouse gas emissions, noise and the effects of climate change; changes to GPS radio frequency bands or their permitted uses; changes in labor and immigration regulations; changes to accounting standards; changes in tax rates, estimates, laws and regulations and company actions related thereto; changes to and compliance with privacy regulations; compliance with U.S. and foreign laws when expanding to new markets and otherwise; and actions by other regulatory bodies. +Other factors that could materially affect results include production, design and technological innovations and difficulties, including capacity and supply constraints and prices; the loss of or challenges to intellectual property rights whether through theft, infringement, counterfeiting or otherwise; the availability and prices of strategically sourced materials, components and whole goods; delays or disruptions in the company's supply chain or the loss of liquidity by suppliers; disruptions of infrastructures that support communications, operations or distribution; the failure of suppliers or the company to comply with laws, regulations and company policy pertaining to employment, human rights, health, safety, the environment, anti-corruption, privacy and data protection and other ethical business practices; events that damage the company's reputation or brand; significant investigations, claims, lawsuits or other legal proceedings; start-up of new plants and products; the success of new product initiatives; changes in customer product preferences and sales mix; gaps or limitations in rural broadband coverage, capacity and speed needed to support technology solutions; oil and energy prices, supplies and volatility; the availability and cost of freight; actions of competitors in the various industries in which the company competes, particularly price discounting; dealer practices especially as to levels of new and used field inventories; changes in demand and pricing for used equipment and resulting impacts on lease residual values; labor relations and contracts; changes in the ability to attract, train and retain qualified personnel; acquisitions and divestitures of businesses; greater than anticipated transaction costs; the integration of new businesses; the failure or delay in closing or realizing anticipated benefits of acquisitions, joint ventures or divestitures; the implementation of organizational changes; the failure to realize anticipated savings or benefits of cost reduction, productivity, or efficiency efforts; difficulties related to the conversion and implementation of enterprise resource planning systems; security breaches, cybersecurity attacks, technology failures and other disruptions to the company's and suppliers' information technology infrastructure; changes in company declared dividends and common stock issuances and repurchases; changes in the level and funding of employee retirement benefits; changes in market values of investment assets, compensation, retirement, discount and mortality rates which impact retirement benefit costs; and significant changes in health care costs. +The liquidity and ongoing profitability of John Deere Capital Corporation and other credit subsidiaries depend largely on timely access to capital in order to meet future cash flow requirements, and to fund operations, costs, and purchases of the company's products. If general economic conditions deteriorate or capital markets become more volatile, funding could be unavailable or insufficient. Additionally, customer confidence levels may result in declines in credit applications and increases in delinquencies and default rates, which could materially impact write-offs and provisions for credit losses. +The company's outlook is based upon assumptions relating to the factors described above, which are sometimes based upon estimates and data prepared by government agencies. Such estimates and data are often revised. The company, except as required by law, undertakes no obligation to update or revise its outlook, whether as a result of new developments or otherwise. Further information concerning the company and its businesses, including factors that could materially affect the company's financial results, is included in the company's other filings with the SEC (including, but not limited to, the factors discussed in Item 1A. Risk Factors of the company's most recent annual report on Form 10-K and quarterly reports on Form 10-Q). +Third Quarter 2018 Press Release +(in millions of dollars) +Unaudited +Three Months Ended +Nine Months Ended +July 29 +July 30 +% +July 29 +July 30 +% +2018 +2017 +Change +2018 +2017 +Change +Net sales and revenues: +Agriculture and turf +$ +6,293 +$ +5,338 ++18 +$ +17,585 +$ +14,730 ++19 +Construction and forestry +2,993 +1,495 ++100 +7,422 +4,061 ++83 +Total net sales +9,286 +6,833 ++36 +25,007 +18,791 ++33 +Financial services +830 +741 ++12 +2,402 +2,153 ++12 +Other revenues +192 +234 +-18 +533 +776 +-31 +Total net sales and revenues +$ +10,308 +$ +7,808 ++32 +$ +27,942 +$ +21,720 ++29 +Operating profit: * +Agriculture and turf +$ +806 +$ +693 ++16 +$ +2,249 +$ +1,920 ++17 +Construction and forestry +281 +111 ++153 +573 +259 ++121 +Financial services +196 +198 +-1 +591 +523 ++13 +Total operating profit +1,283 +1,002 ++28 +3,413 +2,702 ++26 +Reconciling items ** +(84) +(107) +-21 +(306) +(304) ++1 +Income taxes +(289) +(253) ++14 +(1,523) +(749) ++103 +Net income attributable to Deere & Company +$ +910 +$ +642 ++42 +$ +1,584 +$ +1,649 +-4 +* +Operating profit is income from continuing operations before corporate expenses, certain external interest expense, certain foreign exchange gains and losses, and income taxes. Operating profit of the financial services segment includes the effect of interest expense and foreign exchange gains or losses. +** +Reconciling items are primarily corporate expenses, certain external interest expense, certain foreign exchange gains and losses, pension and postretirement benefit costs excluding the service cost component, and net income attributable to noncontrolling interests. +DEERE & COMPANY +STATEMENT OF CONSOLIDATED INCOME +For the Three Months Ended July 29, 2018 and July 30, 2017 +(In millions of dollars and shares except per share amounts) Unaudited +2018 +2017 +Net Sales and Revenues +Net sales +$ +9,286.4 +$ +6,833.0 +Finance and interest income +786.4 +688.8 +Other income +235.5 +286.0 +Total +10,308.3 +7,807.8 +Costs and Expenses +Cost of sales +7,152.7 +5,248.6 +Research and development expenses +415.7 +336.8 +Selling, administrative and general expenses +912.7 +799.1 +Interest expense +291.1 +216.3 +Other operating expenses +346.0 +317.1 +Total +9,118.2 +6,917.9 +Income of Consolidated Group before Income Taxes +1,190.1 +889.9 +Provision for income taxes +288.7 +253.2 +Income of Consolidated Group +901.4 +636.7 +Equity in income of unconsolidated affiliates +9.9 +5.6 +Net Income +911.3 +642.3 +Less: Net income attributable to noncontrolling interests +1.0 +.5 +Net Income Attributable to Deere & Company +$ +910.3 +$ +641.8 +Per Share Data +Basic +$ +2.81 +$ +2.00 +Diluted +$ +2.78 +$ +1.97 +Average Shares Outstanding +Basic +323.5 +320.8 +Diluted +328.0 +325.1 +See Condensed Notes to Interim Consolidated Financial Statements. +DEERE & COMPANY +STATEMENT OF CONSOLIDATED INCOME +For the Nine Months Ended July 29, 2018 and July 30, 2017 +(In millions of dollars and shares except per share amounts) Unaudited +2018 +2017 +Net Sales and Revenues +Net sales +$ +25,007.4 +$ +18,790.7 +Finance and interest income +2,263.2 +2,009.3 +Other income +671.2 +920.0 +Total +27,941.8 +21,720.0 +Costs and Expenses +Cost of sales +19,190.5 +14,457.8 +Research and development expenses +1,187.7 +974.2 +Selling, administrative and general expenses +2,557.0 +2,250.0 +Interest expense +881.0 +651.3 +Other operating expenses +1,033.8 +999.5 +Total +24,850.0 +19,332.8 +Income of Consolidated Group before Income Taxes +3,091.8 +2,387.2 +Provision for income taxes +1,523.4 +748.7 +Income of Consolidated Group +1,568.4 +1,638.5 +Equity in income of unconsolidated affiliates +17.8 +10.0 +Net Income +1,586.2 +1,648.5 +Less: Net income (loss) attributable to noncontrolling interests +2.6 +(.3) +Net Income Attributable to Deere & Company +$ +1,583.6 +$ +1,648.8 +Per Share Data +Basic +$ +4.90 +$ +5.17 +Diluted +$ +4.82 +$ +5.11 +Average Shares Outstanding +Basic +323.4 +318.8 +Diluted +328.2 +322.5 +See Condensed Notes to Interim Consolidated Financial Statements. +DEERE & COMPANY +CONDENSED CONSOLIDATED BALANCE SHEET +(In millions of dollars) Unaudited +July 29 +October 29 +July 30 +2018 +2017 +2017 +Assets +Cash and cash equivalents +$ +3,923.3 +$ +9,334.9 +$ +6,537.4 +Marketable securities +488.2 +451.6 +426.1 +Receivables from unconsolidated affiliates +27.9 +35.9 +28.5 +Trade accounts and notes receivable - net +6,207.9 +3,924.9 +4,389.8 +Financing receivables - net +25,213.0 +25,104.1 +23,722.1 +Financing receivables securitized - net +4,661.7 +4,158.8 +4,923.1 +Other receivables +1,300.0 +1,200.0 +829.2 +Equipment on operating leases - net +6,804.9 +6,593.7 +6,235.6 +Inventories +6,239.3 +3,904.1 +4,252.9 +Property and equipment - net +5,638.5 +5,067.7 +4,968.5 +Investments in unconsolidated affiliates +198.7 +182.5 +220.8 +Goodwill +3,046.5 +1,033.3 +845.8 +Other intangible assets - net +1,580.8 +218.0 +92.0 +Retirement benefits +737.2 +538.2 +219.1 +Deferred income taxes +1,645.0 +2,415.0 +3,067.7 +Other assets +1,677.2 +1,623.6 +1,591.3 +Total Assets +$ +69,390.1 +$ +65,786.3 +$ +62,349.9 +Liabilities and Stockholders' Equity +Liabilities +Short-term borrowings +$ +11,004.5 +$ +10,035.3 +$ +9,019.4 +Short-term securitization borrowings +4,527.7 +4,118.7 +4,780.9 +Payables to unconsolidated affiliates +110.8 +121.9 +77.8 +Accounts payable and accrued expenses +9,482.7 +8,417.0 +7,599.0 +Deferred income taxes +524.6 +209.7 +190.0 +Long-term borrowings +26,838.0 +25,891.3 +23,674.3 +Retirement benefits and other liabilities +6,521.9 +7,417.9 +8,419.6 +Total liabilities +59,010.2 +56,211.8 +53,761.0 +Redeemable noncontrolling interest +14.0 +14.0 +14.0 +Stockholders' Equity +Total Deere & Company stockholders' equity +10,356.3 +9,557.3 +8,572.2 +Noncontrolling interests +9.6 +3.2 +2.7 +Total stockholders' equity +10,365.9 +9,560.5 +8,574.9 +Total Liabilities and Stockholders' Equity +$ +69,390.1 +$ +65,786.3 +$ +62,349.9 +See Condensed Notes to Interim Consolidated Financial Statements. +DEERE & COMPANY +STATEMENT OF CONSOLIDATED CASH FLOWS +For the Nine Months Ended July 29, 2018 and July 30, 2017 +(In millions of dollars) Unaudited +2018 +2017 +Cash Flows from Operating Activities +Net income +$ +1,586.2 +$ +1,648.5 +Adjustments to reconcile net income to net cash provided by (used for) operating activities: +Provision for credit losses +66.1 +76.8 +Provision for depreciation and amortization +1,444.8 +1,279.0 +Share-based compensation expense +62.8 +50.7 +Gain on sale of affiliates and investments +(25.1) +(375.1) +Undistributed earnings of unconsolidated affiliates +(9.8) +(9.3) +Provision (credit) for deferred income taxes +640.8 +(77.5) +Changes in assets and liabilities: +Trade, notes and financing receivables related to sales +(2,365.0) +(1,091.1) +Inventories +(1,538.8) +(1,348.0) +Accounts payable and accrued expenses +213.0 +316.2 +Accrued income taxes payable/receivable +175.7 +167.8 +Retirement benefits +(814.7) +173.1 +Other +(110.7) +(81.8) +Net cash provided by (used for) operating activities +(674.7) +729.3 +Cash Flows from Investing Activities +Collections of receivables (excluding receivables related to sales) +12,161.9 +11,334.4 +Proceeds from maturities and sales of marketable securities +55.8 +388.8 +Proceeds from sales of equipment on operating leases +1,115.6 +1,086.6 +Proceeds from sales of businesses and unconsolidated affiliates, net of cash sold +133.0 +113.9 +Cost of receivables acquired (excluding receivables related to sales) +(12,585.6) +(11,325.6) +Acquisitions of businesses, net of cash acquired +(5,170.9) +Purchases of marketable securities +(101.4) +(77.0) +Purchases of property and equipment +(570.6) +(373.7) +Cost of equipment on operating leases acquired +(1,427.7) +(1,395.3) +Other +(75.1) +(53.3) +Net cash used for investing activities +(6,465.0) +(301.2) +Cash Flows from Financing Activities +Increase in total short-term borrowings +1,183.4 +1,648.9 +Proceeds from long-term borrowings +5,739.1 +4,364.5 +Payments of long-term borrowings +(4,371.8) +(4,205.6) +Proceeds from issuance of common stock +208.7 +488.6 +Repurchases of common stock +(454.0) +(6.2) +Dividends paid +(582.6) +(571.3) +Other +(66.8) +(62.9) +Net cash provided by financing activities +1,656.0 +1,656.0 +Effect of Exchange Rate Changes on Cash and Cash Equivalents +72.1 +117.5 +Net Increase (Decrease) in Cash and Cash Equivalents +(5,411.6) +2,201.6 +Cash and Cash Equivalents at Beginning of Period +9,334.9 +4,335.8 +Cash and Cash Equivalents at End of Period +$ +3,923.3 +$ +6,537.4 +See Condensed Notes to Interim Consolidated Financial Statements. +Condensed Notes to Interim Consolidated Financial Statements (Unaudited) +(1) +On December 1, 2017, the Company acquired the stock and certain assets of substantially all of Wirtgen Group Holding GmbH's (Wirtgen) operations. The total cash purchase price, net of cash acquired of $197 million, was $5,130 million, a portion of which is held in escrow to secure certain indemnity obligations of Wirtgen. In addition to the cash purchase price, the Company assumed $1,717 million in liabilities, which represented substantially all of Wirtgen's liabilities. The preliminary fair values assigned to the assets and liabilities of the acquired entity in millions of dollars, which is based on information as of the acquisition date and available at July 29, 2018 follow: +Trade accounts and notes receivable +$ +457 +Financing receivables +43 +Financing receivables securitized +125 +Other receivables +100 +Inventories +1,538 +Property and equipment +750 +Goodwill +2,067 +Other intangible assets +1,458 +Deferred income taxes +96 +Other assets +221 +Total assets +$ +6,855 +Short-term borrowings +$ +285 +Short-term securitization borrowings +127 +Accounts payable and accrued expenses +726 +Deferred income taxes +501 +Long-term borrowings +50 +Retirement benefits and other liabilities +28 +Total liabilities +$ +1,717 +Noncontrolling interests +$ +8 +During the third quarter of 2018, measurement period adjustments decreased property and equipment by $7 million and increased goodwill by $7 million. The Company continues to review the fair value of the assets and liabilities acquired, which may be updated during the measurement period. +Wirtgen's results were included in the Company's consolidated financial statements beginning on the acquisition date. The results are incorporated with the Company's results using a 30-day lag period and are included in the construction and forestry segment. The net sales and revenues and operating profit included in the Company's results in the third quarter and first nine months of 2018 were $1,155 million and $2,282 million, and $88 million and $37 million, respectively. +(2) +On December 22, 2017, the U.S. government enacted new tax legislation (tax reform). As a result of tax reform, the Company recorded a provisional income tax expense in the first quarter and measurement period adjustments in the second and third quarters of fiscal year 2018. The provisional income tax expense primarily related to discrete items for the remeasurement of the Company's net deferred tax assets to the new corporate income tax rate and a one-time, deemed earnings repatriation tax. +The provisional income tax expense (benefit) and measurement period adjustments recorded in the third quarter and first nine months in millions of dollars follow: +Three Months Ended July 29, 2018 +Nine Months Ended July 29, 2018 +Equipment Operations +Financial Services +Total +Equipment Operations +Financial Services +Total +Net deferred tax asset remeasurement +$ +(58) +$ +(4) +$ +(62) +$ +795 +$ +(318) +$ +477 +Deemed earnings repatriation tax +179 +85 +264 +Total discrete tax expense (benefit) +$ +(58) +$ +(4) +$ +(62) +$ +974 +$ +(233) +$ +741 +The third quarter measurement period benefit on the net deferred tax assets primarily resulted from refining the net deferred tax asset position with the completion of the fiscal year 2017 U.S. income tax return and changing tax accounting methods that affected the timing of certain U.S. tax deductions. The provision for income taxes was also affected by other tax reform items, primarily the lower corporate income tax rate on current year income. +The Company continues to analyze the provisions of tax reform and related pronouncements, and the information necessary to refine the calculations. As a result, the effects of tax reform may change during the one-year measurement period. +(3) +Dividends declared and paid on a per share basis were as follows: +Three Months Ended +Nine Months Ended +July 29 +July 30 +July 29 +July 30 +2018 +2017 +2018 +2017 +Dividends declared +$ +.69 +$ +.60 +$ +1.89 +$ +1.80 +Dividends paid +$ +.60 +$ +.60 +$ +1.80 +$ +1.80 +(4) +The calculation of basic net income per share is based on the average number of shares outstanding. The calculation of diluted net income per share recognizes any dilutive effect of share-based compensation. +(5) +The consolidated financial statements represent the consolidation of all Deere & Company's subsidiaries. In the supplemental consolidating data in Note 6 to the financial statements, "Equipment Operations" include the Company's agriculture and turf operations and construction and forestry operations with "Financial Services" reflected on the equity basis. +(6) SUPPLEMENTAL CONSOLIDATING DATA +STATEMENT OF INCOME +For the Three Months Ended July 29, 2018 and July 30, 2017 +(In millions of dollars) Unaudited +EQUIPMENT OPERATIONS* +FINANCIAL SERVICES +2018 +2017 +2018 +2017 +Net Sales and Revenues +Net sales +$ +9,286.4 +$ +6,833.0 +Finance and interest income +30.9 +20.3 +$ +851.9 +$ +744.8 +Other income +231.2 +266.6 +66.8 +63.4 +Total +9,548.5 +7,119.9 +918.7 +808.2 +Costs and Expenses +Cost of sales +7,153.1 +5,249.0 +Research and development expenses +415.7 +336.8 +Selling, administrative and general expenses +768.9 +645.7 +145.6 +154.6 +Interest expense +51.4 +65.8 +249.8 +161.3 +Interest compensation to Financial Services +86.2 +65.4 +Other operating expenses +80.3 +67.2 +326.1 +292.4 +Total +8,555.6 +6,429.9 +721.5 +608.3 +Income of Consolidated Group before Income Taxes +992.9 +690.0 +197.2 +199.9 +Provision for income taxes +242.3 +184.2 +46.4 +69.0 +Income of Consolidated Group +750.6 +505.8 +150.8 +130.9 +Equity in Income of Unconsolidated Subsidiaries and Affiliates +Financial Services +151.2 +131.2 +.4 +.3 +Other +9.5 +5.3 +Total +160.7 +136.5 +.4 +.3 +Net Income +911.3 +642.3 +151.2 +131.2 +Less: Net income attributable to noncontrolling interests +1.0 +.5 +Net Income Attributable to Deere & Company +$ +910.3 +$ +641.8 +$ +151.2 +$ +131.2 +* +Deere & Company with Financial Services on the equity basis. +The supplemental consolidating data is presented for informational purposes. Transactions between the "Equipment Operations" and "Financial Services" have been eliminated to arrive at the consolidated financial statements. +SUPPLEMENTAL CONSOLIDATING DATA (Continued) +STATEMENT OF INCOME +For the Nine Months Ended July 29, 2018 and July 30, 2017 +(In millions of dollars) Unaudited +EQUIPMENT OPERATIONS* +FINANCIAL SERVICES +2018 +2017 +2018 +2017 +Net Sales and Revenues +Net sales +$ +25,007.4 +$ +18,790.7 +Finance and interest income +70.3 +60.3 +$ +2,441.3 +$ +2,148.6 +Other income +630.5 +864.2 +194.5 +182.5 +Total +25,708.2 +19,715.2 +2,635.8 +2,331.1 +Costs and Expenses +Cost of sales +19,191.9 +14,459.1 +Research and development expenses +1,187.7 +974.2 +Selling, administrative and general expenses +2,159.2 +1,835.2 +403.3 +419.2 +Interest expense +225.5 +199.6 +675.0 +479.4 +Interest compensation to Financial Services +228.5 +171.5 +Other operating expenses +219.0 +215.9 +962.1 +905.0 +Total +23,211.8 +17,855.5 +2,040.4 +1,803.6 +Income of Consolidated Group before Income Taxes +2,496.4 +1,859.7 +595.4 +527.5 +Provision (credit) for income taxes +1,607.0 +569.2 +(83.6) +179.5 +Income of Consolidated Group +889.4 +1,290.5 +679.0 +348.0 +Equity in Income of Unconsolidated Subsidiaries and Affiliates +Financial Services +680.6 +349.1 +1.6 +1.1 +Other +16.2 +8.9 +Total +696.8 +358.0 +1.6 +1.1 +Net Income +1,586.2 +1,648.5 +680.6 +349.1 +Less: Net income (loss) attributable to noncontrolling interests +2.6 +(.3) +Net Income Attributable to Deere & Company +$ +1,583.6 +$ +1,648.8 +$ +680.6 +$ +349.1 +* +Deere & Company with Financial Services on the equity basis. +The supplemental consolidating data is presented for informational purposes. Transactions between the "Equipment Operations" and "Financial Services" have been eliminated to arrive at the consolidated financial statements. +SUPPLEMENTAL CONSOLIDATING DATA (Continued) +CONDENSED BALANCE SHEET +(In millions of dollars) Unaudited +EQUIPMENT OPERATIONS* +FINANCIAL SERVICES +July 29 +October 29 +July 30 +July 29 +October 29 +July 30 +2018 +2017 +2017 +2018 +2017 +2017 +Assets +Cash and cash equivalents +$ +2,802.9 +$ +8,168.4 +$ +5,338.4 +$ +1,120.4 +$ +1,166.5 +$ +1,199.0 +Marketable securities +11.4 +20.2 +21.4 +476.8 +431.4 +404.7 +Receivables from unconsolidated subsidiaries and affiliates +1,794.4 +1,032.1 +2,570.9 +Trade accounts and notes receivable - net +1,586.2 +876.3 +758.8 +6,079.5 +4,134.1 +4,828.8 +Financing receivables - net +78.0 +25,135.0 +25,104.1 +23,722.1 +Financing receivables securitized - net +90.2 +4,571.5 +4,158.8 +4,923.1 +Other receivables +1,130.6 +1,045.6 +708.0 +176.1 +195.5 +147.1 +Equipment on operating leases - net +6,804.9 +6,593.7 +6,235.6 +Inventories +6,239.3 +3,904.1 +4,252.9 +Property and equipment - net +5,592.2 +5,017.3 +4,919.1 +46.3 +50.4 +49.4 +Investments in unconsolidated subsidiaries and affiliates +4,992.1 +4,812.3 +4,800.4 +15.1 +13.8 +13.8 +Goodwill +3,046.5 +1,033.3 +845.8 +Other intangible assets - net +1,580.8 +218.0 +92.0 +Retirement benefits +727.2 +538.1 +219.1 +13.7 +16.9 +17.9 +Deferred income taxes +1,983.9 +3,098.8 +3,720.6 +68.1 +79.8 +68.8 +Other assets +1,148.3 +973.9 +948.5 +530.4 +651.4 +644.7 +Total Assets +$ +32,804.0 +$ +30,738.4 +$ +29,195.9 +$ +45,037.8 +$ +42,596.4 +$ +42,255.0 +Liabilities and Stockholders' Equity +Liabilities +Short-term borrowings +$ +789.5 +$ +375.5 +$ +342.8 +$ +10,215.0 +$ +9,659.8 +$ +8,676.6 +Short-term securitization borrowings +90.2 +4,437.5 +4,118.7 +4,780.9 +Payables to unconsolidated subsidiaries and affiliates +110.8 +121.9 +77.8 +1,766.5 +996.2 +2,542.4 +Accounts payable and accrued expenses +9,046.9 +7,718.1 +7,213.5 +1,901.8 +1,827.1 +1,611.2 +Deferred income taxes +431.5 +115.6 +105.2 +500.1 +857.7 +806.5 +Long-term borrowings +5,525.7 +5,490.9 +4,523.6 +21,312.3 +20,400.4 +19,150.7 +Retirement benefits and other liabilities +6,429.5 +7,341.9 +8,344.1 +96.1 +92.9 +93.4 +Total liabilities +22,424.1 +21,163.9 +20,607.0 +40,229.3 +37,952.8 +37,661.7 +Redeemable noncontrolling interest +14.0 +14.0 +14.0 +Stockholders' Equity +Total Deere & Company stockholders' equity +10,356.3 +9,557.3 +8,572.2 +4,808.5 +4,643.6 +4,593.3 +Noncontrolling interests +9.6 +3.2 +2.7 +Total stockholders' equity +10,365.9 +9,560.5 +8,574.9 +4,808.5 +4,643.6 +4,593.3 +Total Liabilities and Stockholders' Equity +$ +32,804.0 +$ +30,738.4 +$ +29,195.9 +$ +45,037.8 +$ +42,596.4 +$ +42,255.0 +* +Deere & Company with Financial Services on the equity basis. +The supplemental consolidating data is presented for informational purposes. Transactions between the "Equipment Operations" and "Financial Services" have been eliminated to arrive at the consolidated financial statements. +SUPPLEMENTAL CONSOLIDATING DATA (Continued) +STATEMENT OF CASH FLOWS +For the Nine Months Ended July 29, 2018 and July 30, 2017 +(In millions of dollars) Unaudited +EQUIPMENT OPERATIONS* +FINANCIAL SERVICES +2018 +2017 +2018 +2017 +Cash Flows from Operating Activities +Net income +$ +1,586.2 +$ +1,648.5 +$ +680.6 +$ +349.1 +Adjustments to reconcile net income to net cash provided by operating activities: +Provision for credit losses +18.8 +1.5 +47.3 +75.3 +Provision for depreciation and amortization +740.8 +640.1 +800.6 +725.1 +Gain on sale of affiliates and investments +(25.1) +(375.1) +Undistributed earnings of unconsolidated subsidiaries and affiliates +(235.2) +(37.3) +(1.4) +(1.0) +Provision (credit) for deferred income taxes +986.0 +(145.1) +(345.2) +67.6 +Changes in assets and liabilities: +Trade receivables +(331.0) +(104.2) +Inventories +(975.1) +(829.4) +Accounts payable and accrued expenses +519.4 +471.8 +66.1 +28.9 +Accrued income taxes payable/receivable +230.9 +150.9 +(55.2) +16.9 +Retirement benefits +(821.5) +166.6 +6.8 +6.5 +Other +(87.8) +(50.9) +141.1 +116.0 +Net cash provided by operating activities +1,606.4 +1,537.4 +1,340.7 +1,384.4 +Cash Flows from Investing Activities +Collections of receivables (excluding trade and wholesale) +13,245.7 +12,275.9 +Proceeds from maturities and sales of marketable securities +9.0 +296.3 +46.8 +92.5 +Proceeds from sales of equipment on operating leases +1,115.6 +1,086.6 +Proceeds from sales of businesses and unconsolidated affiliates, net of cash sold +133.0 +113.9 +Cost of receivables acquired (excluding trade and wholesale) +(13,830.0) +(12,366.5) +Acquisitions of businesses, net of cash acquired +(5,170.9) +Purchases of marketable securities +(101.4) +(77.0) +Purchases of property and equipment +(569.1) +(372.5) +(1.5) +(1.2) +Cost of equipment on operating leases acquired +(2,189.6) +(2,096.2) +Increase in trade and wholesale receivables +(2,329.7) +(1,070.9) +Other +42.1 +(55.7) +(33.4) +(18.7) +Net cash used for investing activities +(5,555.9) +(18.0) +(4,077.5) +(2,175.5) +Cash Flows from Financing Activities +Increase in total short-term borrowings +119.0 +42.3 +1,064.4 +1,606.6 +Change in intercompany receivables/payables +(796.8) +634.9 +796.8 +(634.9) +Proceeds from long-term borrowings +159.4 +64.8 +5,579.7 +4,299.7 +Payments of long-term borrowings +(117.6) +(44.5) +(4,254.2) +(4,161.1) +Proceeds from issuance of common stock +208.7 +488.6 +Repurchases of common stock +(454.0) +(6.2) +Dividends paid +(582.6) +(571.3) +(453.7) +(320.2) +Other +(41.7) +(43.2) +(24.8) +.3 +Net cash provided by (used for) financing activities +(1,505.6) +565.4 +2,708.2 +790.4 +Effect of Exchange Rate Changes on Cash and Cash Equivalents +89.6 +113.1 +(17.5) +4.4 +Net Increase (Decrease) in Cash and Cash Equivalents +(5,365.5) +2,197.9 +(46.1) +3.7 +Cash and Cash Equivalents at Beginning of Period +8,168.4 +3,140.5 +1,166.5 +1,195.3 +Cash and Cash Equivalents at End of Period +$ +2,802.9 +$ +5,338.4 +$ +1,120.4 +$ +1,199.0 +* +Deere & Company with Financial Services on the equity basis. +The supplemental consolidating data is presented for informational purposes. Transactions between the "Equipment Operations" and "Financial Services" have been eliminated to arrive at the consolidated financial statements. +Deere & Company +Other Financial Information +For the Nine Months Ended +Equipment Operations* +Agriculture and Turf +Construction and Forestry* +July 29 +July 30 +July 29 +July 30 +July 29 +July 30 +Dollars in millions +2018 +2017** +2018 +2017** +2018 +2017** +Net Sales +$ +25,007 +$ +18,791 +$ +17,585 +$ +14,730 +$ +7,422 +$ +4,061 +Net Sales - excluding Wirtgen +$ +22,725 +$ +18,791 +$ +17,585 +$ +14,730 +$ +5,140 +$ +4,061 +Average Identifiable Assets +With Inventories at LIFO +$ +19,632 +$ +12,020 +$ +10,272 +$ +8,897 +$ +9,360 +$ +3,123 +With Inventories at LIFO - excluding Wirtgen +$ +13,605 +$ +12,020 +$ +10,272 +$ +8,897 +$ +3,333 +$ +3,123 +With Inventories at Standard Cost +$ +20,900 +$ +13,293 +$ +11,294 +$ +9,933 +$ +9,606 +$ +3,360 +With Inventories at Standard Cost - excluding Wirtgen +$ +14,872 +$ +13,293 +$ +11,294 +$ +9,933 +$ +3,578 +$ +3,360 +Operating Profit +$ +2,822 +$ +2,179 +$ +2,249 +$ +1,920 +$ +573 +$ +259 +Operating Profit - excluding Wirtgen +$ +2,785 +$ +2,179 +$ +2,249 +$ +1,920 +$ +536 +$ +259 +Percent of Net Sales - excluding Wirtgen +12.3 +% +11.6 +% +12.8 +% +13.0 +% +10.4 +% +6.4 +% +Operating Return on Assets - excluding Wirtgen +With Inventories at LIFO - excluding Wirtgen +20.5 +% +18.1 +% +21.9 +% +21.6 +% +16.1 +% +8.3 +% +With Inventories at Standard Cost - excluding Wirtgen +18.7 +% +16.4 +% +19.9 +% +19.3 +% +15.0 +% +7.7 +% +SVA Cost of Assets - excluding Wirtgen +$ +(1,339) +$ +(1,196) +$ +(1,016) +$ +(894) +$ +(323) +$ +(302) +SVA - excluding Wirtgen +$ +1,446 +$ +983 +$ +1,233 +$ +1,026 +$ +213 +$ +(43) +For the Nine Months Ended +Financial Services +July 29 +July 30 +Dollars in millions +2018*** +2017** +Net Income Attributable to Deere & Company +$ +681 +$ +349 +Net Income Attributable to Deere & Company - Tax Adjusted +$ +402 +$ +349 +Average Equity +$ +4,808 +$ +4,452 +Average Equity - Tax Adjusted +$ +4,758 +$ +4,452 +Return on Equity - Tax Adjusted +8.4 +% +7.8 +% +Operating Profit +$ +591 +$ +523 +Average Equity - Tax Adjusted +$ +4,758 +$ +4,452 +Cost of Equity +$ +(527) +$ +(505) +SVA +$ +64 +$ +18 +The Company evaluates its business results on the basis of accounting principles generally accepted in the United States. In addition, it uses a metric referred to as Shareholder Value Added (SVA), which management believes is an appropriate measure for the performance of its businesses. SVA is, in effect, the pretax profit left over after subtracting the cost of enterprise capital. The Company is aiming for a sustained creation of SVA and is using this metric for various performance goals. Certain compensation is also determined on the basis of performance using this measure. For purposes of determining SVA, each of the equipment segments is assessed a pretax cost of assets, which on an annual basis is approximately 12 percent of the segment's average identifiable operating assets during the applicable period with inventory at standard cost. Management believes that valuing inventories at standard cost more closely approximates the current cost of inventory and the Company's investment in the asset. The Financial Services segment is assessed an annual pretax cost of approximately 15 percent of the segment's average equity. The cost of assets or equity, as applicable, is deducted from the operating profit or added to the operating loss of each segment to determine the amount of SVA. * On December 1, 2017, the Company acquired the stock and certain assets of substantially all of Wirtgen Group Holding GmbH's operations (Wirtgen), the leading manufacturer worldwide of road construction equipment. Wirtgen is included in the construction and forestry segment. Wirtgen is excluded from the metrics above in order to provide comparability to the Company's performance in prior periods. ** During the first quarter of fiscal 2018, the Company adopted ASU No. 2017-07, Improving the Presentation of Net Periodic Pension Cost and Net Periodic Postretirement Benefit Cost. The ASU requires that employers report only the service cost component of the total defined benefit pension and postretirement benefit cost in Operating Profit. The ASU was adopted on a retrospective basis for the presentation of Operating Profit and on a prospective basis for the capitalization of only the service cost. Operating Profit amounts reported for fiscal 2017 have been restated accordingly. *** On December 22, 2017, the U.S. government enacted new tax legislation (tax reform). The primary provisions of tax reform expected to impact the Company in fiscal year 2018 are a reduction to the U.S. federal income tax rate from 35 percent to 21 percent and a transition from a worldwide corporate tax system to a territorial tax system. As the Financial Services segment SVA is based on average equity, the "Tax Adjusted" amounts remove the effects of the discrete income tax benefit and the lower corporate tax rate provided in tax reform for comparability to the prior period. +SOURCE Deere & Company +Related Links http://www.deere.co \ No newline at end of file diff --git a/input/test/Test4703.txt b/input/test/Test4703.txt new file mode 100644 index 0000000..73aae31 --- /dev/null +++ b/input/test/Test4703.txt @@ -0,0 +1,20 @@ +Search for: Expanded Polytetrafluoroethylene Market Global Share 2018 and Analysis: Saint-Gobain, KWO, Donaldson, GE Energy and Guarnitex +Global "Expanded Polytetrafluoroethylene Market" report is made by executing a superb research process to gather key information of this global Expanded Polytetrafluoroethylene market. The analysis is dependant on just two segments, especially, chief research and extensive secondary research. The preliminary study contains a realistic Expanded Polytetrafluoroethylene market inspection and segmentation of the industry. Additionally, it highlights essential players at the Expanded Polytetrafluoroethylene Market. On the flip side, the key research targets the transport station, place, and product category. +Expanded Polytetrafluoroethylene market research report highlights the increase in opportunities on the market which assist the consumer to organize upcoming expansions and improvements in the International Expanded Polytetrafluoroethylene expanded-polytetrafluoroethylene-market/#Request-Sample +Leading Market Players: +Guarnitex, Ningbo ChangQi, KWO, Zhejiang Jiari, GORE, Donaldson, Sumitomo, GE Energy and Saint-Gobain +Additionally, the most important product categories and sections Membrane and Sheet +Sub-segments Sealants, Advanced Dielectric Materials, Filtration & Separation and Fabrics of the global Expanded Polytetrafluoroethylene market are a part of this report. +Geographically, this Expanded Polytetrafluoroethylene report is split into crucial positions, size, production, consumption, revenue (Mn/Bn USD), and also market share and increase pace of Expanded Polytetrafluoroethylene market in these regions, in 2018 by 2023, covering North America, South America, Asia-Pacific, Europe and Middle East and Africa as well as its share and also CAGR for its forecast interval. +The global Expanded Polytetrafluoroethylene Expanded Polytetrafluoroethylene application services and products to get varied end-users. The new entrants from the Expanded Polytetrafluoroethylene expanded-polytetrafluoroethylene-market/#Inquiry-Before-Buying +High-Lights of this 2018-2023 Expanded Polytetrafluoroethylene Report: +1. Market segmentation; +2. An empirical assessment of the trajectory of this market; +3. Market stocks and approaches of Expanded Polytetrafluoroethylene top players; +4. Report and analysis of current industrial improvements; +5. Key questions answered in this record 2018-2023 Expanded Polytetrafluoroethylene Expanded Polytetrafluoroethylene Expanded Polytetrafluoroethylene industry trends; +11. Significant changes in Expanded Polytetrafluoroethylene market dynamics; +12. Expanded Polytetrafluoroethylene industry share investigation of the greatest market players; +13. Past, current, and potential Expanded Polytetrafluoroethylene market size of this market from the perspective of the volume and value; +The global Expanded Polytetrafluoroethylene Expanded Polytetrafluoroethylene market report aids the consumer by providing a comprehensive examination. +Expanded Polytetrafluoroethylene Market Global Share 2018 and Analysis to 202 \ No newline at end of file diff --git a/input/test/Test4704.txt b/input/test/Test4704.txt new file mode 100644 index 0000000..540d100 --- /dev/null +++ b/input/test/Test4704.txt @@ -0,0 +1,13 @@ +Canada's Trudeau Rules Out Early Election This Fall +VOA17 Aug 2018, 09:05 GMT+10 +OTTAWA - Canadian Prime Minister Justin Trudeau dismissed speculation on Thursday that he would call an early election this fall, a year ahead of schedule, saying his Liberal government remains focused on renegotiating NAFTA and strengthening the economy. +"It has never been in our plans and it is not in our plans. There will be no federal election this fall," Trudeau told a news conference as he visited the province of Quebec. +Trudeau's center-left Liberals are facing challenges on trade and immigration and are essentially tied in opinion polls with the right-leaning Conservative opposition. +Dramatic changes +A prominent Toronto Star columnist, Chantal Hebert, wrote on Monday that Canadians deserved a fall election because the political context has changed so dramatically since Trudeau was elected with a surprise majority three years ago. +Most notably, the Canada-U.S. relationship has soured since Republican President Donald Trump took office in 2017 and sparked the renegotiation of the North American Free Trade Agreement (NAFTA) between Canada, Mexico and the United States. Trump has since imposed tariffs on steel and aluminum imports from Canada and other countries. +The United States is Canada's largest trading partner, taking some 75 percent of its goods exports. +Under pressure at home +Trudeau is also under pressure at home, with a dramatic shift in the political leadership of key provinces away from his Liberal party, setting the stage for a heated battle over climate change and carbon pricing. +Trudeau shuffled his cabinet in July, stressing the need to diversify trade away from the United States while leaving key ministers in place. +The Canadian Broadcasting Corp's poll tracker, an aggregation of the latest federal opinion polls, in July showed the Liberals with 36.4 percent support, the Conservatives with 34.7 percent, and the left-leaning New Democrats with 19.1 percent support \ No newline at end of file diff --git a/input/test/Test4705.txt b/input/test/Test4705.txt new file mode 100644 index 0000000..dfdbf88 --- /dev/null +++ b/input/test/Test4705.txt @@ -0,0 +1,48 @@ +FG, Governors ready to decentralise Police Force – Osinbajo August 17, 2018 0 +Acting President Yemi Osinbajo on Thursday said the Federal and state governments remained committed to the decentralisation of policing in Nigeria. +According to a statement by the Special Assistant to the Acting President on Media and Publicity, Mr Laolu Akande, the objective of the decentralisation is to improve the level of policing and security in the country. +The statement was released on Thursday night, hours after the National Economic Council (NEC) backed the Federal Government's plan to decentralise the police. +Apart from backing the plan, the NEC set up a committee comprising state governors and the Inspector-General of Police, Ibrahim Idris, to ensure its actualisation. +Other issues discussed at the meeting include the remittance of tax by state governments, the development of Micro, Small, and Medium Enerprises (MSMEs) and an update on the Federation Accounts Allocation Committee. +Full statement from the office of the Acting President about the NEC meeting below: +STATE HOUSE PRESS RELEASE +SECURITY: FG, GOVERNORS READY TO DECENTRALISE POLICING IN NIGERIA +*There is relative calm in Benue, says Deputy Governor +Short of constitutional amendment, the Federal Government and State Governors have resolved to explore how the operations of the Nigeria Police can be decentralised in order to improve the level of policing and security in the country. +This is one of the highlights of the National Economic Council (NEC) meeting today where a Committee of state governors and the Inspector-General of Police has been set up to ensure the decentralisation. Members of the Committee include the Governors of Zamfara, Ondo, Plateau, Ebonyi, Katsina, Edo and Borno states, who will work with the IGP, Ibrahim Idris. +At the NEC meeting, the National Security Adviser, Maj. Gen. Babagana Monguno (retd.), assured that the Intelligence Community and Security Agencies will continue to sustain current efforts to mitigate the security challenges across the country. +Monguno had earlier briefed the Council on security matters. +Briefing State House correspondents, the Deputy Governor of Benue state, Mr. Benson Abounu, commended the efforts of the security agencies at mitigating the spate of insecurity in the state. +He especially thanked the security agencies for the thoroughness of Operation Whirl-Stroke, mounted by the Nigerian Army, in Benue State for their decisive operation which, according to him, has brought relative peace to the state. +Abounu, who spoke to reporters, said, "The security situation in Benue State has improved significantly. Now many Internally Displaced Persons have returned home, the State is relatively calm". +At the NEC meeting also, presentations were made on Value Added Tax (VAT) and Withholding Tax by States and MDAs by the Executive Chairman, Federal Inland Revenue Service (FIRS), Dr. Babatunde Fowler. +Dr. Fowler informed Council that the audit of the States MDAs has commenced with respective Governors and Finance Commissioners duly notified, adding that the total outstanding VAT and Withholding debt of States' MDAs stand at N41,047,661,213.66 for the period 2008 to 2016. +Below are highlights of NEC deliberations: +NEC (8TH IN 2018) 91ST NEC MEETING – THURSDAY, 16TH AUGUST, 2018 +A. SECURITY BRIEFING BY THE NATIONAL SECURITY ADVISER (NSA) The National Security Adviser (NSA), on behalf of the Security Chiefs in the country, briefed Council on the current security challenges across the country, particularly in the North West, North East, Middle Belt, South East and South-South. He informed Council on efforts being made by the Federal Government and urged the State Governments to support Federal Government's efforts in dealing with the challenges in their respective States, particularly those with local perspectives. The NSA assured that the Intelligence Community and Security Agencies will continue to sustain current efforts to mitigate the security challenges across the country. +Council Decision Cases of bandits should be prosecuted and adequately publicised by the States and Attorney-General encouraged to personally lead the prosecution. +Council recommended that a Committee of NEC with representatives from the geopolitical zones, including Zamfara, Ondo, Plateau, Ebonyi, Katsina, Edo and Borno States be set up to meet with the IG of Police, to determined how to ensure the decentralisation of the police operations as quickly as possible. +Council also thanked the NSA and the Service Chiefs for their efforts +B. PRESENTATION ON STRATEGIES FOR OPTIMISING THE CONTRIBUTION OF MSMES TO THE COUNTRY'S TAX REVENUE PROFILE BY THE EXECUTIVE CHAIRMAN OF THE FEDERAL INLAND REVENUE SERVICE (FIRS) +Highlights of the presentation, among others, are: The presentation centred on the contribution of MSMEs to GDP, National Export and to Tax collection for 2015 – 2018. · It also highlighted the challenges impeding the optimization of MSMEs contribution to Tax Revenue. · MSMEs are classified into: Micro Enterprises, Small Enterprises and Medium Enterprises. · National Bureau of Statistics, in partnership with the MSMEs, gave the number of MSMEs in Nigeria as 37,067,419. · When adequately harnessed, MSMEs can have much impact on the profile tax revenue for the country – especially considering their direct correlation with personal Income Tax, VAT and Withholding Taxes. +Challenges Impeding Optimization of MSMEs Contribution to Tax Revenue: among others · Poor record-keeping and information management. · Inability to distinguish personal capital from business money. · Low awareness of Nigerian Tax Laws. · Little or no business research leading to close of business. +FIRS Strategies and Rates – among others +Actions Adequate man-power has been deployed to promptly attend to all tax related challenges by MSMEs. +Respective organs of Government saddled with disbursement and utilization of tax revenue should endeavour to be transparent and accountability in order to motivate Voluntary Tax Compliance by the MSMEs. +Government at all levels should endeavour to provide infrastructural facilities and enabling business environment to allow MSMEs Business to thrive. +C. REPORT ON VALUE ADDED TAX (VAT) AND WITHHOLDING TAX (WHT) BY STATES OF THE FEDERATION, MDAS OF GOVERNMENT BY THE CHAIRMAN, FIRS +Highlights of the report among others are; It is a report to Council on critical issues on the Value Added Tax (VAT) and Withholding Tax (WHT), status report on States Tax Audit exercise, total remittances by the States' MDAs and contribution to non-import VAT. +Council is informed that the total outstanding debt of States' MDAs stands at N41,047,661,213.66 for the period 2008 to 2016. Process of bringing up-to-date status of VAT and WHT remittances by all States and MDAs by the FIRS is on. +For ease of VAT/WHT collection and automatic remittances of deductions to TSA, FIRS has deployed a Software Payment Platform (SPP) to facilitate States, MDAs computerisation and remittances. +The report informed Council that remittances from States (January to July 2018) stands at N40,299,839,092.79. +FIRS has duly notified the Governors and Finance Commissioners of the ongoing audit exercise and requests the cooperation and collaboration of the States for the success and timely conduct and completion of the exercise. +The report noted that the Honourable Minister of Finance has directed the Federal MDAs and States to verify the authenticity of Tax Clearance Certificates (TCC) online as presented by contractors before awarding contracts. +Federal and States MDAs are enjoined to send copies of Manual TCCs issues before August 22, 207 to FIRS for verification before awarding and making payments. +Action Points All States MDAs are encouraged to adopt the use of the Payment platform or a comparative alternative – Governors to ensure compliance. Action Points · All States MDAs are encouraged to adopt the use of the Payment platform or a comparative alternative – Governors to ensure compliance. · States Governors should direct their MDAs to cooperate with FIRS Auditors for timely completion of the States Audit exercise. +D. FAAC UPDATE: +REPORT ON EXCESS CRUDE ACCOUNT (ECA) +Honourable Minister of Finance also reported to the Council that the balance in the Excess Crude Account (ECA) as at August 14, 2018 stands at $2,250,434,918.00. +UPDATE ON STABILIZATION FUND ACCOUNT: +Honourable Minister of Finance reported to the Council that the current balance in the Stabilization Account as at August 14, 2018 stands at N21,591,091,564.37. +UPDATE ON NATURAL RESOURCES DEVELOPMENT FUND +Honourable Minister of Finance equally reported to the Council that the current balance in the Natural Resources Development Fund as at August 14, 2018 stands at N143,479,688,711.25. – Channels. 2018-08-1 \ No newline at end of file diff --git a/input/test/Test4706.txt b/input/test/Test4706.txt new file mode 100644 index 0000000..0ecd14b --- /dev/null +++ b/input/test/Test4706.txt @@ -0,0 +1,30 @@ +W elcome to a new feature for the 2018/19 Premier League season as we rank and rate the weekend's games according to interest and intrigue. +As the season progresses the significance of each game will become more important, but other factors such as styles, potential individual battles and entertainment value will be considered. +We shall endeavour to try and be as equitable and democratic as possible to ensure the Big Six do not win out every single week. +10th: Manchester City vs Huddersfield Huddersfield's point at the Etihad in May was a magnificent effort and spurred them onto securing their Premier League status at Chelsea, but City had already won the title. There is no such thing as a foregone conclusion in football, but this should be a stroll for City who start a run of six very friendly fixtures that offer the chance of seven wins from seven. +The one point of interest is how the champions cope with the loss of Kevin De Bruyne . The fact City failed to sign competition for 33-year-old Fernandinho does leave them in a slightly precarious position, but Pep Guardiola's system is so well choreographed that it can absorb the loss of an individual component. Even one of De Bruyne's class. +Man City could be without Kevin De Bruyne for a few months Credit: Reuters 9th: Burnley vs Watford (Sunday, 1.30pm) B urnley have a trip to Athens to look forward to after an extra-time victory in the Europa League on Thursday. Should they squeeze past Olympiacos, then Burnley will qualify for the group stages and face six Thursday-Sunday turnarounds before Christmas. Sean Dyche's side were reliable at Turf Moor last season, but six of their home wins were by a one-goal margin so they need to stay on the right side of fine margins. Three clean sheets on the spin in all competitions show Burnley have lost none of their parsimony, and this is likely to be another low-scoring game. +8th: Everton vs Southampton (Saturday, 3pm) T he fundamental problem with this game is that there is not a decent striker in sight. Two teams who look short of firepower, although Everton have added quality on the flanks in Richarlison and Bernard. Southampton have not really backed Mark Hughes in the transfer market because...why would you back Mark Hughes in the transfer market? At his best, Hughes can get a team to function as the sum of its parts, but it's been a long time since his teams have amounted to more. His face doesn't quite fit at Southampton either. +10 Premier League players who could leave their club before August 31 7th: Cardiff vs Newcastle (Saturday, 12.30pm) F ew people west of the River Severn give Cardiff hope of avoiding relegation, but they need 10 or so wins from this type of fixture if they are to prove people wrong. Neil Warnock's team were a tad unfortunate not to convert from one of a few goalmouth scrambles from set-pieces at Bournemouth, but were predictably dominated in other facets of the game. +There is plenty of angst and consternation around Newcastle, but they too were creditable in defeat against Tottenham last week. On that showing, they will comfortably avoid relegation. New No.9 Salomon Rondon started on the bench on the opening weekend, but Newcastle fans will be keen to see him in action from the start. +6th: West Ham vs Bournemouth (Saturday, 3pm) A 4-0 defeat at Anfield is easy enough for West Ham to brush aside , especially with new coach Manuel Pellegrini trying to ingrain a more expansive style of play. There were worrying aspects in that performance however, that suggest all has not been fixed by a summer of spending. Central midfield lacks mobility and ball-winning capability - Jack Wilshere and Mark Noble were paired at Liverpool - and looks ill-suited to shield the defence. This is a particular problem for Pellegrini, who likes his defence to hold a high line and push up to the edge of their box when defending crosses. A high line without midfield players putting pressure on the ball can be suicidal. +Bournemouth at home is a less chastening test, and will give us a more accurate impression of where West Ham stand. Two Augusts ago, this was their first league game at the London Stadium. Two years on, are they any better off? +West Ham struggled to cope with Liverpool's tempo Credit: Reuters 5th: Brighton vs Manchester United (Sunday, 4pm) A lifeless performance at the Amex Stadium, albeit in a meaningless league game, was a low point in Manchester United's season last term. Jose Mourinho and United lifted the gloom slightly with a Friday night victory over Leicester, but the performance contained familiar problems. Last season, despite Mourinho's reputation for instilling defensive application, United were far too passive without possession and allowed opponents too many high quality shots and comfortable possession in their defensive third. David De Gea was the principal reason why they conceded only 28 league goals. +W ithout Nemanja Matic and Ander Herrera, Leicester found it alarmingly easy to play through United and find Damarai Gray and James Maddison between the lines. The absence of Matic and Herrera did quicken United's attacking transitions though, and they moved the ball from back to front well in patches. +Much was expected of Brighton who began with a disappointing defeat at Watford, but they are far stronger at home. +Why does Jose Mourinho sound so miserable at Manchester United? 4th: Leicester vs Wolves (Saturday, 3pm) T wo sides who will be encouraged by their opening day showings but have only one point between them to show for it. Leicester were excellent in response to Man Utd's early penalty, moving the ball with confidence and repeatedly getting into promising positions. Ben Chillwell, Maddison and Gray played with authority and verve, while the return of Jamie Vardy should provide greater cutting edge. +Wolves looked a little anxious at times against Everton and failed to take full advantage of Phil Jagielka's contentious red card. In hindsight, perhaps keeping three centre-backs on the pitch was a mistake with the extra man. Ruben Neves scored another goal from distance however, and Joao Moutinho will benefit from 90 minutes under his belt. +3rd: Tottenham Hotspur vs Fulham (Saturday, 3pm) Fulham have another London derby to contend with as Spurs return to Wembley, where they could remain for some time according to this week's news. Mauricio Pochettino's side adapted well to playing at the national stadium last season, enjoying red-letter days and nights there against Liverpool, Manchester United, Arsenal, Borussia Dortmund and Real Madrid. +Tottenham's new stadium in pictures T hey frittered away points against less glamorous opponents at Wembley however, when they struggled for creativity against obdurate rearguards and the atmosphere was eerily quiet. Draws against Burnley, Swansea, West Ham and West Brom were rueful, why they also scraped 1-0 wins against Crystal Palace and Newcastle. +T hat will give Fulham hope of getting a result, although they are likely to be more expansive with Slavisa Jokanovic steadfast in his refusal to park the bus. Should Eric Dier and Moussa Sissoko start in central midfield again for Spurs, then Fulham could justifiably claim to have better quality in this department in Tom Cairney and Jean Michael-Seri. If Fulham can avoid self-inflicted errors in possession, this could be closer than many think. +2nd: Chelsea vs Arsenal (Saturday, 5.30pm) Arsenal feature highly for a second successive week, as Unai Emery's fiendishly difficult start continues (things look more straightforward in the eight games that follow this one). +Chelsea beat one of the weakest teams in the division on the opening weekend as they saw off Huddersfield, while Arsenal lost at home to Manchester City. Neither result is particularly revealing, or relevant when considering how both Saturday's game might pan out with both teams adapting to new head coaches. +Games between these sides evoke memories of Didier Drogba terrorising Philippe Senderos and a physically imposing Chelsea grinding down Arsenal's ball-hungry artisans. That stereotype has been out of date for a few years now, and the teams are actually quite well-matched, sharing many of the same qualities and flaws. +Arsenal have a surprisingly good recent record Credit: Reuters A rsenal had a fine record against Antonio Conte's Chelsea, losing only one of eight meetings in all competitions including a comprehensive FA Cup final victory. They were the Big Six opponent Arsenal felt most comfortable and confident against by some distance. Last season, Arsenal emerged from Stamford Bridge with a pair 0-0 draws as two 3-4-3 systems cancelled each other out in both the league and the first leg of a Carabao Cup semi-final. +T his game should be more open, if only because both teams are prepared to take risks in their pressing and build-up play. Arsenal conceded space on the flanks against City, which could prove problematic against Maurizio Sarri who likes his wingers to hug the touchline. Emery's team could look stronger this week with Stephan Lichtsteiner, Lucas Torreira and Alexandre Lacazette in line to replace youngsters Ainsley-Maitland Niles and Matteo Guendouzi as well as the ephemeral Henrikh Mkhitaryan. +Chelsea will fancy their chances of exposing the lack of pace and agility in Arsenal's back four, while Emery's side will look to prey on David Luiz and Marcos Alonso on the left-side of Chelsea's back-line. Arsenal now mark man for man at corners rather than zonal - keep an eye on that against Sarri, who reportedly has more than 30 training-ground corner routines up his sleeve. +1st: Crystal Palace vs Liverpool (Monday, 8pm) Regardless of the result at Stamford Bridge, Chelsea and Arsenal will be in the hunt for Champions League qualification at the end of the season. This is precisely the type of fixture that will tell us whether Liverpool can push Man City all the way. +Styles make fights, and there will certainly be contrasting approaches on Monday night. A team happy to sit back and concede possession, with pace on the counter-attack and strength at set-pieces is precisely the type of opponent Jurgen Klopp's side have found troublesome. +L iverpool showed they are capable of toppling City in head-to-head meetings, their task is to avoid dropping points carelessly against the rest to ensure those game count. Selhurst Park was the scene of that infamous end-of-season capitulation under Brendan Rogers, but Liverpool have won there in each of the last two seasons to lay a few ghosts to rest. Virgil Van Dijk's presence ensures they are quipped to deal with high balls into the box, while Naby Keita showed against West Ham that his circulation of the ball can help Liverpool break down deep defences. +Crystal Palace's win at Fulham was no less impressive, and few teams are as comfortable playing without possession and waiting for their moment - usually through Wilfried Zaha. +Newsletter promotion - football nerd - inarticl \ No newline at end of file diff --git a/input/test/Test4707.txt b/input/test/Test4707.txt new file mode 100644 index 0000000..653401c --- /dev/null +++ b/input/test/Test4707.txt @@ -0,0 +1,19 @@ +twitter TWEET All Blacks captain Kieran Read Kieran returns from spinal surgery to play the Wallabies on Saturday. +Returning All Blacks captain Kieran Read says his side needs to find their rhythm quickly against a hungry Wallabies side in Saturday's opening Bledisloe Cup and Rugby Championship game in Sydney. +Read, who missed New Zealand's June Test series against France after undergoing spinal surgery in December, made a solid return in the latter stages of Super Rugby but the No.8 will be under scrutiny at ANZ Stadium. +Key lock Brodie Retallick also faces a significant adjustment as he plays Test rugby for the first time in 11 months due to personal reasons and injury. +The duo, with 177 Test caps between them, will need to get into the groove quickly, and Read was confident they - and their teammates - were up to the task. +"Experience does count for a lot in terms of tight situations, so that's what we've got to use to our advantage," Read said on Friday. +"What we can't do is just rest on the likes of me or Brodie coming back in and think it's just going to happen for us. +"We've got to work hard right from the outset across the board and we've got to go out and try and find our rhythm as quickly as we can," he said. +Read was confident after making five appearances for the Crusaders since being cleared to play at the end of June. +"I am 100 per cent in terms of running out and playing the game," he said. +"Getting an injury like I had, a few doubts do float around, but I'm in a good space right now." +Read anticipated another robust breakdown battle with old rivals David Pocock and Michael Hooper. +"Those guys are world class players and we know we have to be right on our game to nullify what their strength is," Read said. +Read said the All Blacks also had to be wary of Israel Folau and Kurtley Beale, but noted they had developed other areas of their game in the 2-1 series loss to Ireland in June. +"They did show a lot of emphasis on working really hard as a forward pack as well as defending really strongly in the breakdown and putting pressure on in the maul," he said. +"We know that they are building a team that's hungry. We respect what they are building towards, it's going to be a hell of a game." +Read was looking forward to coming up against Crusaders teammate Pete Samu, who has been named as loose forward cover on the Wallabies bench. +"He's a Crusader for life, so a good friend, but obviously tomorrow night it will be slightly different," he said. +Australian Associated Pres \ No newline at end of file diff --git a/input/test/Test4708.txt b/input/test/Test4708.txt new file mode 100644 index 0000000..eb946e7 --- /dev/null +++ b/input/test/Test4708.txt @@ -0,0 +1,12 @@ +tweet +Jaipur: Twenty years ago, India scripted a success story on May 11 and May 13, 1998 when five nuclear tests were performed in Rajasthan's Pokhran under the guidance of former Prime Minister Atal Bihari Vajpayee, who had assumed power only a little while ago. +It was a completely secret exercise only known to a select few. +On May 11, 1998, Jaisalmer woke up to an ordinary day. However, there were a few bulldozers heading to a particular site to dig up well-like sites. Sand was filled into these wells. +Within a few minutes, they were ignited. It was followed by a huge thunder that brought loud cheer from a few scientists at the site who had kept a constant vigil on all the developments. +In Delhi, Vajpayee along with the then Home Minister Lal Krishna Advani, former Defence Minister George Fernandes, Finance Minister Yashwant Sinha and Principal Secretary to Prime Minister, Brijesh Mishra, were sitting with bated breath. +However, the moment, Dr A.P.J. Abdul Kalam, who happened to be the Scientific Advisor to Vajpayee, sent a message on the hotline, saying, "Buddha smiles again", all of them jumped with joy. +The former Prime Minister immediately called the scientists to congratulate them on their success. +The tests left the Western world shocked and surprised. +India gained a new identity after the tests. However, there were economic sanctions imposed by the US. +An unfazed Vajpayee, however, continued with the next round of nuclear tests two days later. +(IANS \ No newline at end of file diff --git a/input/test/Test4709.txt b/input/test/Test4709.txt new file mode 100644 index 0000000..1472921 --- /dev/null +++ b/input/test/Test4709.txt @@ -0,0 +1,8 @@ +Tweet +Himax Technologies (NASDAQ:HIMX) was downgraded by stock analysts at ValuEngine from a "hold" rating to a "sell" rating in a note issued to investors on Wednesday. +Several other equities research analysts also recently commented on HIMX. Zacks Investment Research raised Himax Technologies from a "strong sell" rating to a "hold" rating in a report on Wednesday, May 2nd. BidaskClub raised Himax Technologies from a "hold" rating to a "buy" rating in a report on Tuesday, June 5th. Lake Street Capital set a $13.00 target price on Himax Technologies and gave the company a "buy" rating in a report on Thursday, June 7th. Finally, Cowen set a $7.00 target price on Himax Technologies and gave the company a "hold" rating in a report on Thursday, August 9th. Three equities research analysts have rated the stock with a sell rating, eight have assigned a hold rating, four have issued a buy rating and one has issued a strong buy rating to the stock. The stock currently has a consensus rating of "Hold" and a consensus price target of $10.91. Get Himax Technologies alerts: +Shares of Himax Technologies stock opened at $5.87 on Wednesday. The firm has a market capitalization of $1.13 billion, a PE ratio of 36.63 and a beta of -0.15. Himax Technologies has a fifty-two week low of $5.80 and a fifty-two week high of $13.95. Himax Technologies (NASDAQ:HIMX) last announced its earnings results on Thursday, August 9th. The semiconductor company reported $0.01 EPS for the quarter, meeting the consensus estimate of $0.01. Himax Technologies had a return on equity of 6.12% and a net margin of 3.66%. The business had revenue of $181.40 million during the quarter, compared to the consensus estimate of $181.78 million. Himax Technologies's quarterly revenue was up 19.6% on a year-over-year basis. analysts forecast that Himax Technologies will post -0.01 EPS for the current year. +Hedge funds and other institutional investors have recently made changes to their positions in the company. Bloom Tree Partners LLC acquired a new position in Himax Technologies during the first quarter valued at $14,780,000. SG Capital Management LLC acquired a new position in Himax Technologies during the second quarter valued at $6,190,000. Pendal Group Ltd acquired a new position in Himax Technologies during the second quarter valued at $4,812,000. Point72 Asset Management L.P. acquired a new position in Himax Technologies during the second quarter valued at $3,886,000. Finally, Bank of America Corp DE raised its position in Himax Technologies by 611.1% during the second quarter. Bank of America Corp DE now owns 551,903 shares of the semiconductor company's stock valued at $4,117,000 after buying an additional 474,291 shares during the period. 24.84% of the stock is owned by institutional investors and hedge funds. +About Himax Technologies +Himax Technologies, Inc, a fabless semiconductor company, provides display imaging processing technologies worldwide. The company operates in two segments, Driver IC and Non-Driver Products. It offers display driver integrated circuits (ICs) and timing controllers used in televisions (TVs), laptops, monitors, mobile phones, tablets, digital cameras, car navigation, and other consumer electronics devices. +To view ValuEngine's full report, visit ValuEngine's official website . Receive News & Ratings for Himax Technologies Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Himax Technologies and related companies with MarketBeat.com's FREE daily email newsletter . Comment on this Pos \ No newline at end of file diff --git a/input/test/Test471.txt b/input/test/Test471.txt new file mode 100644 index 0000000..d9e98ff --- /dev/null +++ b/input/test/Test471.txt @@ -0,0 +1,5 @@ +print +ASUS are adding to their 2018 gaming lineup with the new slimmer Zephyrus S and the beefier Strix Scar II. +Picking up where this year's Zephyrus M left off, ASUS claim the new Zephyrus S laptop is the world's slimmest gaming laptop. At it's thinnest point, it's 14.95mm thick. However, under the hood, few corners have been cut. The Zephyrus M comes equipped with an Intel Core i7-8750H processor and either an NVIDIA GeForce GTX 1070 Max-Q or GTX 1060 GPU. +The display is just as cutting edge, with super-narrow bezels, a 144Hz refresh rate and a 3ms response time. +The ROG Active Aerodynamic Systems found in the ASUS products shown at this year's Computex have also made their way into the new laptop. Each fan in the Zephyrus S has more 17% more blades than the original Zephyrus, which increases thermal efficiency significantly. The new 17-inch version of the company's ROG Strix Scar II promises to make a bevy of similar improvements. ASUS have branded it as the world's most "most compact 17-inch gaming laptop' and say that it's the first machine in its class to be less than 400mm wide. Spec-wise, the Strix Scar II packs an Intel Core i7-8750H, NVIDIA GTX 1060 and 32GB of DDR4 RAM. ASUS ROG Zephyrus S and the ROG Strix SCAR II will be available in Australia from late October. Pricing and configurations will be announced at launch \ No newline at end of file diff --git a/input/test/Test4710.txt b/input/test/Test4710.txt new file mode 100644 index 0000000..0ddbaeb --- /dev/null +++ b/input/test/Test4710.txt @@ -0,0 +1,3 @@ +SCORM 2004 developer +Hello +I need to 20 HTML5 web pages which required Scorm 2004 integration. The LMS in use is the NTS Talent Suite, 12.2 from the vendor NetDimensions. The LMS is implemented in Java, using an Oracle database; WBTs should be developed in HTML5; older Flash-based contents also work on Desktop clients, but not on mobile ones. Therefore, HTML 5 is the preferred format for WBT files \ No newline at end of file diff --git a/input/test/Test4711.txt b/input/test/Test4711.txt new file mode 100644 index 0000000..cf7bcd7 --- /dev/null +++ b/input/test/Test4711.txt @@ -0,0 +1,49 @@ +'Queen of Soul' Aretha Franklin dies at 76 1 hour ago +'Cultural icon around the globe' +NEW YORK, Aug 16, (Agencies): Aretha Franklin, the undisputed "Queen of Soul" who sang with matchless style on such classics as "Think", "I Say a Little Prayer" and her signature song, "Respect", and stood as a cultural icon around the globe, has died at age 76 from pancreatic cancer. +Publicist Gwendolyn Quinn tells The Associated Press through a family statement that Franklin died Thursday at 9:50 am at her home in Detroit. The statement said "Franklin's official cause of death was due to advanced pancreatic cancer of the neuroendocrine type, which was confirmed by Franklin's oncologist, Dr Philip Phillips of Karmanos Cancer Institute" in Detroit. +The family added: "In one of the darkest moments of our lives, we are not able to find the appropriate words to express the pain in our heart. We have lost the matriarch and rock of our family. The love she had for her children, grandchildren, nieces, nephews, and cousins knew no bounds." +The statement continued: +"We have been deeply touched by the incredible outpouring of love and support we have received from close friends, supporters and fans all around the world. Thank you for your compassion and prayers. We have felt your love for Aretha and it brings us comfort to know that her legacy will live on. As we grieve, we ask that you respect our privacy during this difficult time." +Funeral arrangements will be announced in the coming days. +Franklin, who had battled undisclosed health issues in recent years, had in 2017 announced her retirement from touring. +A professional singer and accomplished pianist by her late teens, a superstar by her mid-20s, Franklin had long ago settled any arguments over who was the greatest popular vocalist of her time. Her gifts, natural and acquired, were a multi-octave mezzo-soprano, gospel passion and training worthy of a preacher's daughter, taste sophisticated and eccentric, and the courage to channel private pain into liberating song. +She recorded hundreds of tracks and had dozens of hits over the span of a half century, including 20 that reached No 1 on the R&B charts. But her reputation was defined by an extraordinary run of top 10 smashes in the late 1960s, from the morning-after bliss of "(You Make Me Feel Like) A Natural Woman," to the wised-up "Chain of Fools" to her unstoppable call for "Respect". +Her records sold millions of copies and the music industry couldn't honor her enough. Franklin won 18 Grammy awards. In 1987, she became the first woman inducted into the Rock and Roll Hall of Fame. +Clive Davis, the music mogul who brought her to Arista Records and helped revive her career in the 1980s, said he was "devastated" by her death. +"She was truly one of a kind. She was more than the Queen of Soul. She was a national treasure to be cherished by every generation throughout the world," he said in a statement. "Apart from our long professional relationship, Aretha was my friend. Her loss is deeply profound and my heart is full of sadness." +Fellow singers bowed to her eminence and political and civic leaders treated her as a peer. The Rev Martin Luther King Jr was a longtime friend, and she sang at the dedication of King's memorial, in 2011. She performed at the inaugurations of Presidents Bill Clinton and Jimmy Carter, and at the funeral for civil rights pioneer Rosa Parks. Clinton gave Franklin the National Medal of Arts. President George W. Bush awarded her the Presidential Medal of Freedom, the nation's highest civilian honor, in 2005. +Bill and Hillary Clinton issued a statement mourning the loss of their friend and "one of America's greatest treasures." +"For more than 50 years, she stirred our souls. She was elegant, graceful, and utterly uncompromising in her artistry. Aretha's first music school was the church and her performances were powered by what she learned there. I'll always be grateful for her kindness and support, including her performances at both my inaugural celebrations, and for the chance to be there for what sadly turned out to be her final performance last November at a benefit supporting the fight against HIV/AIDS." +Franklin's best-known appearance with a president was in January 2009, when she sang "My Country 'tis of Thee" at president Barack Obama's inauguration. She wore a gray felt hat with a huge, Swarovski rhinestone-bordered bow that became an Internet sensation and even had its own website. In 2015, she brought Obama and others to tears with a triumphant performance of "Natural Woman" at a Kennedy Center tribute to the song's co-writer, Carole King. +Franklin endured the exhausting grind of celebrity and personal troubles dating back to childhood. She was married from 1961 to 1969 to her manager, Ted White, and their battles are widely believed to have inspired her performances on several songs, including "(Sweet Sweet Baby) Since You've Been Gone", "Think" and her heartbreaking ballad of despair, "Ain't No Way". The mother of two sons by age 16 (she later had two more), she was often in turmoil as she struggled with her weight, family problems and financial predicaments. Her best known producer, Jerry Wexler, nicknamed her "Our Lady of Mysterious Sorrows". +Franklin married actor Glynn Turman in 1978 in Los Angeles but returned to her hometown of Detroit the following year after her father was shot by burglars and left semi-comatose until his death in 1984. She and Turman divorced that year. +Despite growing up in Detroit, and having Smokey Robinson as a childhood friend, Franklin never recorded for Motown Records; stints with Columbia and Arista were sandwiched around her prime years with Atlantic Records. But it was at Detroit's New Bethel Baptist Church, where her father was pastor, that Franklin learned the gospel fundamentals that would make her a soul institution. +Aretha Louise Franklin was born March 25, 1942, in Memphis, Tennessee. The Rev C.L. Franklin soon moved his family to Buffalo, New York, then to Detroit, where the Franklins settled after the marriage of Aretha's parents collapsed and her mother (and reputed sound-alike) Barbara returned to Buffalo. +C.L. Franklin was among the most prominent Baptist ministers of his time. He recorded dozens of albums of sermons and music and knew such gospel stars as Marion Williams and Clara Ward, who mentored Aretha and her sisters Carolyn and Erma. (Both sisters sang on Aretha's records, and Carolyn also wrote "Ain't No Way" and other songs for Aretha). Music was the family business and performers from Sam Cooke to Lou Rawls were guests at the Franklin house. In the living room, the shy young Aretha awed friends with her playing on the grand piano. +Franklin occasionally performed at New Bethel Baptist throughout her career; her 1987 gospel album "One Lord One Faith One Baptism" was recorded live at the church. +Her most acclaimed gospel recording came in 1972 with the Grammy-winning album "Amazing Grace", which was recorded live at New Temple Missionary Baptist Church in South Central Los Angeles and featured gospel legend James Cleveland, along with her own father (Mick Jagger was one of the celebrities in the audience). It became one of of the best-selling gospel albums ever. +The piano she began learning at age 8 became a jazzy component of much of her work, including arranging as well as songwriting. "If I'm writing and I'm producing and singing, too, you get more of me that way, rather than having four or five different people working on one song," Franklin told The Detroit News in 2003. +Franklin was in her early teens when she began touring with her father, and she released a gospel album in 1956 through J-V-B Records. Four years later, she signed with Columbia Records producer John Hammond, who called Franklin the most exciting singer he had heard since a vocalist he promoted decades earlier, Billie Holiday. Franklin knew Motown founder Berry Gordy Jr and considered joining his label, but decided it was just a local company at the time. +Franklin recorded several albums for Columbia Records over the next six years. She had a handful of minor hits, including "Rock-A-Bye Your Baby With a Dixie Melody" and "Runnin' Out of Fools", but never quite caught on as the label tried to fit into her a variety of styles, from jazz and show songs to such pop numbers as "Mockingbird". Franklin jumped to Atlantic Records when her contract ran out, in 1966. +"But the years at Columbia also taught her several important things," critic Russell Gersten later wrote. "She worked hard at controlling and modulating her phrasing, giving her a discipline that most other soul singers lacked. She also developed a versatility with mainstream music that gave her later albums a breadth that was lacking on Motown LPs from the same period. +"Most important, she learned what she didn't like: to do what she was told to do." +At Atlantic, Wexler teamed her with veteran R&B musicians from Fame Studios in Muscle Shoals, and the result was a tougher, soulful sound, with call-and-response vocals and Franklin's gospel-style piano, which anchored "I Say a Little Prayer", "Natural Woman" and others. +Of Franklin's dozens of hits, none was linked more firmly to her than the funky, horn-led march "Respect" and its spelled out demand for "R-E-S-P-E-C-T". +Writing in Rolling Stone magazine in 2004, Wexler said: "It was an appeal for dignity combined with a blatant lubricity. There are songs that are a call to action. There are love songs. There are sex songs. But it's hard to think of another song where all those elements are combined." +Franklin had decided she wanted to "embellish" the R&B song written by Otis Redding, whose version had been a modest hit in 1965, Wexler said. +"When she walked into the studio, it was already worked out in her head," the producer wrote. "Otis came up to my office right before 'Respect' was released, and I played him the tape. He said, 'She done took my song.' He said it benignly and ruefully. He knew the identity of the song was slipping away from him to her." +In a 2004 interview with the St Petersburg (Florida) Times, Franklin was asked whether she sensed in the '60s that she was helping change popular music. +"Somewhat, certainly with 'Respect', that was a battle cry for freedom and many people of many ethnicities took pride in that word," she answered. "It was meaningful to all of us." +In 1968, Franklin was pictured on the cover of Time magazine and had more than 10 Top 20 hits in 1967 and 1968. At a time of rebellion and division, Franklin's records were a musical union of the church and the secular, man and woman, black and white, North and South, East and West. They were produced and engineered by New Yorkers Wexler and Tom Dowd, arranged by Turkish-born Arif Mardin and backed by an interracial assembly of top session musicians based mostly in Alabama. +Her popularity faded during the 1970s despite such hits as the funky "Rock Steady" and such acclaimed albums as the intimate "Spirit in the Dark". But her career was revived in 1980 with a cameo appearance in the smash movie "The Blues Brothers" and her switch to Arista Records. Franklin collaborated with such pop and soul artists as Luther Vandross, Elton John, Whitney Houston and George Michael, with whom she recorded a No. 1 single, "I Knew You Were Waiting (for Me)". Her 1985 album "Who's Zoomin' Who" received some of her best reviews and included such hits as the title track and "Freeway of Love". +Critics consistently praised Franklin's singing but sometimes questioned her material; she covered songs by Stephen Sondheim, Bread, the Doobie Brothers. For Aretha, anything she performed was "soul". +In the moments after Franklin's death was announced on Thursday morning. Former president Bill Clinton and former senator Hillary Clinton, Paul McCartney, Lionel Richie, John Legend, and Carole King were just a few who paid tribute to the cultural icon. +"Hillary and I mourn the loss of our friend Aretha Franklin, one of America's greatest national treasures. For more than 50 years, she stirred our souls. She was elegant, graceful, and utterly uncompromising in her artistry. Aretha's first music school was the church and her performances were powered by what she learned there. I'll always be grateful for her kindness and support, including her performances at both my inaugural celebrations, and for the chance to be there for what sadly turned out to be her final performance last November at a benefit supporting the fight against HIV/AIDS. She will forever be the Queen of Soul and so much more to all who knew her personally and through her music. Our hearts go out to her family and her countless fans." – president Bill Clinton +"Her voice; her presence; her style. No one did it better. Truly the Queen of Soul. I will miss you!" – Lionel Richie +King, who wrote one of Franklin's biggest hits "(You Make Me Feel Like) A Natural Woman", noted the iconic singer's legacy. "So much love, respect and gratitude," King wrote. +Paul McCartney honored the singer, writing, "Let's all take a moment to give thanks for the beautiful life of Aretha Franklin, the Queen of our souls, who inspired us all for many many years. She will be missed but the memory of her greatness as a musician and a fine human being will live with us forever." +Legend called her, "the greatest vocalist I've ever known." +Barbra Streisand reminisced on a 2012 tribute celebration the two performed at together for their friend Marvin Hamlisch. "It's difficult to conceive of a world without her. Not only was she a uniquely brilliant singer, but her commitment to civil rights made an indelible impact on the world," Streisand wrote on Instagram. +Musician Michael McDonald, who duetted with Franklin, wrote, "She's one of those iconic artists that cause most people to remember where they were the very first time they heard her amazing voice. She has reached that highest level as an artist where her voice has become, in a collective and spiritual sense, our voice. In a time when art is increasingly considered a secondary human pursuit, she reminds us that it is the very thing that represents our humanity the best. Aretha Franklin is and will always be a national treasure." +Annie Lennox duetted with Franklin on "Sisters are Doin' It For Themselves" in 1985. She said Franklin's voice will "soar forever." "As the One and Only 'Queen of Soul' Aretha Franklin was simply peerless. She has reigned supreme, and will always be held in the highest firmament of stars as the most exceptional vocalist, performer and recording artist the world has ever been privileged to witness. Superlatives are often used to describe astonishing singers.. but in my view, even superlatives cannot be sufficient," Lennox wrote. Please follow and like us \ No newline at end of file diff --git a/input/test/Test4712.txt b/input/test/Test4712.txt new file mode 100644 index 0000000..acad6ba --- /dev/null +++ b/input/test/Test4712.txt @@ -0,0 +1,20 @@ +Advanced Micro Devices (NASDAQ: AMD) crushed the best of Wall Street's expectations during the second quarter, thanks to strong demand for its Ryzen PC CPUs and EPYC server CPUs. However, the doubts about whether it can sustain its terrific momentum once certain tailwinds fizzle out should raise doubts in investors' minds given the company's outlook. +AMD revenue is expected to grow less than 4% year over year during the current quarter. By comparison, AMD's top line jumped 26% annually during the same period last year. This slowdown isn't surprising, as cryptocurrency mining is now moving to dedicated chips rather than GPUs. In fact, AMD got just 6% of its revenue from sales of GPUs (graphics processing units) to cryptocurrency miners last quarter as compared to 10% during the first. That should worry shareholders as AMD was the biggest beneficiary of mining-driven demand. +Image Source: Getty Images. +Low GPU prices are knocking the wind out of AMD Investors were quick to praise AMD's latest results and the success of its new products, but they seem to be missing the fact that the company still gets a major portion of its revenue by selling GPUs. The company's computing and graphics business supplies nearly 62%, or $1.09 billion, of the top line, and it counts Ryzen CPUs and Radeon GPUs as its primary growth drivers. +The Ryzen CPUs, however, aren't playing that big a part in the grand scheme of things right now. They helped the chipmaker boost its CPU market share from 8% to 12% at the end of 2017, according to Mercury Research -- not a huge gain. +AMD reportedly sold an additional two million processors last year. Now, AMD's Ryzen CPUs are priced from $109 at the lowest to $999. The median pricing of AMD's CPUs was $234 in 2017, so the Ryzen CPUs possibly helped it bring in an additional $450 million of revenue (assuming the two million units were all Ryzen). By comparison, the company's computing and graphics revenue had increased over $1 billion last fiscal year. +With that in mind, it's likely that inflated GPU prices have been critical to the company's growth over the past year, as they probably did most of the heavy lifting to boost the computing and graphics business. A look at the following chart will make it clear why that was the case. +Data source: Digiworthy. Chart by author. +So cryptocurrency's impact on AMD was more than just the GPUs that it was selling to crypto miners, as the supply shortage caused by mining demand led to a massive price bump. This allowed AMD to generate strong GPU sales to video game enthusiasts as well, but as the chart and AMD's guidance show, that won't be the case going forward. +The GPU supply shortage is ending There are several reasons GPU prices have started normalizing of late. First, sliding cryptocurrency pricing means that the profitability of miners has taken a hit. As such, miners who bought GPUs at extremely high prices are now being forced to sell them at lower prices to recoup some of their investment. This is increasing end-market supply, as gaming enthusiasts can get their hands on a decent GPU at a low price. +Additionally, the emergence of specialized cryptocurrency mining chips has led miners to shift their allegiance elsewhere, as the dedicated chips are more efficient. Meanwhile, fresh GPU supply is expected to come into the market, as AMD's rival, NVIDIA , is expected to launch its next-generation graphics cards this fall. The company is said to be building a million units of its new GPUs so that it doesn't run out of supply post-launch. +Not surprisingly, DigiTimes estimates that GPU prices fell another 20% in July, and the downward pressure will continue as new supply hits the market. In turn, AMD's revenue growth is expected to fall sharply going forward, with analysts forecasting top-line growth of just 8.5% in the next fiscal year. +That'll also hit the company's bottom line in a big way, which is why it doesn't make sense to buy AMD at its current valuation. The stock is too expensive trading at over 40x forward earnings, and without cryptocurrency juicing the results, AMD might be in for a period of tepid growth until its next major catalyst takes hold. +10 stocks we like better than Advanced Micro Devices +When investing geniuses David and Tom Gardner have a stock tip, it can pay to listen. After all, the newsletter they have run for over a decade, Motley Fool Stock Advisor , has quadrupled the market.* +David and Tom just revealed what they believe are the 10 best stocks for investors to buy right now... and Advanced Micro Devices wasn't one of them! That's right -- they think these 10 stocks are even better buys. +Click here to learn about these picks! +*Stock Advisor returns as of August 6, 2018 +Harsh Chauhan has no position in any of the stocks mentioned. The Motley Fool owns shares of and recommends NVDA. The Motley Fool has a disclosure policy . +The views and opinions expressed herein are the views and opinions of the author and do not necessarily reflect those of Nasdaq, Inc \ No newline at end of file diff --git a/input/test/Test4713.txt b/input/test/Test4713.txt new file mode 100644 index 0000000..61601f0 --- /dev/null +++ b/input/test/Test4713.txt @@ -0,0 +1,29 @@ +by Rodney Muhumuza, The Associated Press Posted Aug 17, 2018 6:06 am ADT Last Updated Aug 17, 2018 at 7:00 am ADT +KAMPALA, Uganda – In his red beret and jumpsuit the Ugandan pop star Kyagulanyi Ssentamu, better known as Bobi Wine, leads cheering campaigners down a street, punching the air and waving the national flag. +That image has defined the unlikely new political phenomenon — and possibly now put him in danger as an opposition figure taking on one of Africa's longest-serving leaders. +Once considered a marijuana-loving crooner, the 36-year-old "ghetto child" is a new member of parliament who urges his countrymen to stand up against what he calls a failing government. His "Freedom" video opens with him singing behind bars: "We are fed up with those who oppress our lives." He has protested against an unpopular social media tax and a controversial change to the constitution removing presidential age limits. +Despite murmurs about his wild past and inexperience in politics, his approach appears to be working: All of the candidates he has backed in strongly contested legislative byelections this year have emerged victorious. +But after clashes this week led to a smashed window in President Yoweri Museveni's convoy and Ssentamu's own driver shot dead, some of the singer's supporters now wonder if they'll ever see him again. +The brash young lawmaker was charged Thursday in a military court with illegal possession of firearms for his alleged role in Monday's clashes in the northwestern town of Arua, where both he and Museveni were campaigning. As the president's convoy left a rally, authorities say, a group associated with Ssentamu and the candidate he supported, Kassiano Wadri, pelted it with stones. +Ssentamu quickly posted on Twitter a photo of his dead driver slumped in a car seat, blaming police "thinking they've shot at me." Then he was arrested, and he hasn't been seen in public since. +His lawyer, Medard Sseggona, told reporters after Thursday's closed-door hearing that his client had been so "brutalized he cannot walk, he cannot stand, he can only sit with difficulty … It is hard to say whether he understands this and that." +Army spokesman Brig. Richard Karemire on Friday didn't address the allegation but said the military will ensure the lawmaker receives medical attention "now that he is under its safe custody." +Critics have said Uganda's government might find it easier to get the verdict it wants in a military court, where independent observers often have limited access. Ssentamu's wife, Barbara, told reporters he has never owned a gun and does not know how to handle one, reinforcing widespread concerns about trumped-up charges. +The U.S. Embassy said in a statement Friday it was "disturbed by reports of brutal treatment" of legislators and others by security forces, urging the government "to show the world that Uganda respects its constitution and the human rights of all of its citizens." +The case against Ssentamu has riveted this East African country that has rarely seen a politician of such charisma and drive. Beaten and bruised, often literally, Uganda's opposition politicians have largely retreated as the 74-year-old Museveni pursues an even longer stay in power. +While Kizza Besigye, a four-time presidential challenger who has been jailed many times, appears to relax his protest movement, Ssentamu has been urging bold action. The young must take the place of the old in Uganda's leadership, he says. +His message resonates widely in a country where many educated young people cannot find employment, public hospitals often lack basic medicines and main roads are dangerously potholed. +Because traditional avenues of political agitation have largely been blocked by the government, the music and street spectacle of an entertainer with a political message offer hope to those who want change, said Mwambutsya Ndebesa, who teaches political history at Uganda's Makerere University. +"There is political frustration, there is political anger, and right now anyone can do. Even if it means following a comedian, we are going to follow a comedian," Ndebesa said. "Uganda is a political accident waiting to happen. A singer like Bobi Wine can put Uganda on fire." +Running against both the ruling party and the main opposition party under Besigye, Ssentamu won his parliament seat by a landslide last year after a campaign in which he presented himself as the voice of youth. +"It is good to imagine things, but it is better to work toward that imagination," he told the local broadcaster NBS afterward while speaking about his presidential ambitions. "But it does not take only me. It takes all of us." +Not long after taking his parliament seat, Ssentamu was among a small group of lawmakers roughed up by security forces inside the chamber for their failed efforts to block legislation that opened the door for Museveni to possibly rule for life. +"You are either uninformed or you are a liar, a characteristic you so liberally apply to me," the president said to Ssentamu in a scathing letter published in local newspapers in October amid public debate over the law. +Museveni, who took power by force in 1986, is now able to rule into the 2030s. While his government is a key U.S. security ally, notably in fighting Islamic extremists in Somalia, the security forces have long faced human rights groups' allegations of abuses. +The alleged harassment of Ssentamu, however, has only boosted his popularity and led to calls for a presidential run in 2021. +"Bobi Wine is now a phenomenon in the sense of the reaction of the state," said Asuman Bisiika, a Ugandan political analyst. "The only critical thing is how he responds to the brutality of the state. How does he respond after the physical impact of the state on his body? We are waiting." +A trial before a military court is likely to be drawn out over months and possibly years, impeding his political activities. His followers have expressed concern that this was the government's motive in locking him up. +In the poor suburb of Kamwokya in the capital, Kampala, where Ssentamu's musical journey started and where he is fondly recalled as "the ghetto president," some vow to fight until he is freed. On Thursday, protesters were quickly dispersed by police lobbing tear gas. +"For us, Bobi Wine is a good leader because he cares for the ordinary person and he is a truth teller," said John Bosco Ssegawa, standing in a street where tires had been burned. "And those people whose names I will not mention think he is wrong. No, they are wrong." +___ +Follow Africa news at https://twitter.com/AP_Afric \ No newline at end of file diff --git a/input/test/Test4714.txt b/input/test/Test4714.txt new file mode 100644 index 0000000..c243487 --- /dev/null +++ b/input/test/Test4714.txt @@ -0,0 +1,8 @@ +August 2018 +HPCL's branded petrol, 'poWer' has been recognized as 'India's Most Trusted Brand of 2018' in the category of 'Petrol' in 'The Brand Trust Report 2018'. +'The Brand Trust Report 2018' has been published by Mumbai based TRA Research after carrying out an elaborate primary research based on the proprietary 61-Attribute Trust Matrix developed in collaboration with Indian Statistical Institute. The research involved 18,000 hours of fieldwork and covered 2,488 consumer-influencers across 16 Indian cities. The study generated nearly 5 million data-points and 9,000 unique brands from which the top 1000 brands, grouped in 335 categories, have been listed in this year's 'The Brand Trust Report 2018'. +It may be mentioned here that no other petrol brand has made it to 'The Brand Trust Report 2018'. +Go Back +Attachments +Original document Permalink Disclaimer +Hindustan Petroleum Corporation Ltd. published this content on 17 August 2018 and is solely responsible for the information contained herein. Distributed by Public, unedited and unaltered, on 17 August 2018 10:15:04 UT \ No newline at end of file diff --git a/input/test/Test4715.txt b/input/test/Test4715.txt new file mode 100644 index 0000000..164c4c0 --- /dev/null +++ b/input/test/Test4715.txt @@ -0,0 +1 @@ +Hi, Dear Sir, We are an expert freelancer company. With a lot's of skills. We can do social media promotions for your business. Kind Regards, Adyans SEO & SMM LTD. $155 USD in 3 days (17 Reviews) SeoQueen786 Hello sir, We have read all the project summary and we very clear with your each and every requirements so please accomplish us with this opportunity to do work with you on this project. We assure you about our work More $100 USD in 30 days (9 Reviews) bapixyrs Dear Client, I am expert in getting websites on top page of Google and other major search engines. This will help to increase the traffic on your website and hence the sales of your product will increase. I use Whit More $72 USD in 3 days (0 Reviews \ No newline at end of file diff --git a/input/test/Test4716.txt b/input/test/Test4716.txt new file mode 100644 index 0000000..df95ef5 --- /dev/null +++ b/input/test/Test4716.txt @@ -0,0 +1,6 @@ + John. R. Edwardson on Aug 17th, 2018 // No Comments +Spark Therapeutics (NASDAQ: ONCE) has recently received a number of price target changes and ratings updates: 8/8/2018 – Spark Therapeutics had its price target lowered by analysts at Royal Bank of Canada to $64.00. They now have a "sector perform" rating on the stock. 8/8/2018 – Spark Therapeutics had its price target lowered by analysts at Barclays PLC from $85.00 to $77.00. They now have an "overweight" rating on the stock. 8/8/2018 – Spark Therapeutics had its price target lowered by analysts at UBS Group AG from $80.00 to $53.00. They now have a "neutral" rating on the stock. 8/8/2018 – Spark Therapeutics had its price target raised by analysts at Chardan Capital from $60.00 to $85.00. They now have a "neutral" rating on the stock. 8/8/2018 – Spark Therapeutics was downgraded by analysts at ValuEngine from a "buy" rating to a "hold" rating. 8/8/2018 – Spark Therapeutics had its price target lowered by analysts at SunTrust Banks, Inc. to $61.00. They now have a "buy" rating on the stock. 8/8/2018 – Spark Therapeutics was given a new $82.00 price target on by analysts at Raymond James. They now have a "buy" rating on the stock. 8/8/2018 – Spark Therapeutics had its price target lowered by analysts at Stifel Nicolaus from $76.00 to $68.00. They now have a "buy" rating on the stock. 8/8/2018 – Spark Therapeutics had its "buy" rating reaffirmed by analysts at Mizuho. They now have a $77.00 price target on the stock. They wrote, "We further think it is pre-mature to draw the conclusion that SPK-8011 is inferior to the competing product from BioMarin (BMRN, non-rated). We reduce our PT from $91 to $77 after removing the M&A premium of our valuation per revised valuation methodology and we maintain our revenue forecasts."" 8/7/2018 – Spark Therapeutics had its "underperform" rating reaffirmed by analysts at Credit Suisse Group AG. They now have a $98.00 price target on the stock. 8/7/2018 – Spark Therapeutics was downgraded by analysts at BMO Capital Markets from an "outperform"rating to a "market perform" rating. They now have a $60.00 price target on the stock. 8/7/2018 – Spark Therapeutics had its "market perform" rating reaffirmed by analysts at Leerink Swann. They now have a $55.00 price target on the stock, down previously from $74.00. 8/7/2018 – Spark Therapeutics was upgraded by analysts at Citigroup Inc from a "neutral" rating to a "buy" rating. 8/7/2018 – Spark Therapeutics had its "buy" rating reaffirmed by analysts at Cantor Fitzgerald. They now have a $103.00 price target on the stock. They wrote, ": We reiterate our Overweight rating and 12-month PT of $103 on 2Q18 financial results and program updates. During the call, Spark announced additional updates from the Phase 1/2 trial of SPK-8011 in hemophilia A. While the occurrence of two immune responses leading to inadequate FVIII activity level add challenges for the program, we believe the company is well equipped to address them as the program moves to late-stage development."" 7/24/2018 – Spark Therapeutics was downgraded by analysts at ValuEngine from a "strong-buy" rating to a "buy" rating. 7/19/2018 – Spark Therapeutics was downgraded by analysts at Royal Bank of Canada from an "outperform" rating to a "sector perform" rating. They now have a $100.00 price target on the stock. 7/16/2018 – Spark Therapeutics was given a new $103.00 price target on by analysts at Cantor Fitzgerald. They now have a "buy" rating on the stock. 7/9/2018 – Spark Therapeutics had its price target raised by analysts at Credit Suisse Group AG from $75.00 to $98.00. They now have an "outperform" rating on the stock. 6/28/2018 – Spark Therapeutics is now covered by analysts at B. Riley. They set a "neutral" rating and a $74.00 price target on the stock. 6/26/2018 – Spark Therapeutics was upgraded by analysts at ValuEngine from a "buy" rating to a "strong-buy" rating. 6/25/2018 – Spark Therapeutics had its price target raised by analysts at BMO Capital Markets from $78.00 to $98.00. They now have an "outperform" rating on the stock. 6/18/2018 – Spark Therapeutics was downgraded by analysts at ValuEngine from a "strong-buy" rating to a "buy" rating. +Shares of ONCE stock opened at $62.01 on Friday. The stock has a market capitalization of $2.19 billion, a price-to-earnings ratio of -8.13 and a beta of 2.39. Spark Therapeutics Inc has a 52 week low of $41.06 and a 52 week high of $96.59. Get Spark Therapeutics Inc alerts: +Spark Therapeutics (NASDAQ:ONCE) last announced its quarterly earnings data on Tuesday, August 7th. The biotechnology company reported ($0.77) EPS for the quarter, missing the consensus estimate of ($0.43) by ($0.34). The company had revenue of $25.19 million during the quarter, compared to the consensus estimate of $29.44 million. Spark Therapeutics had a negative return on equity of 17.33% and a negative net margin of 185.46%. equities analysts forecast that Spark Therapeutics Inc will post -2.15 EPS for the current year. Hedge funds have recently made changes to their positions in the business. Swiss National Bank raised its position in Spark Therapeutics by 6.4% in the first quarter. Swiss National Bank now owns 54,700 shares of the biotechnology company's stock worth $3,642,000 after acquiring an additional 3,300 shares during the period. Xact Kapitalforvaltning AB bought a new stake in Spark Therapeutics in the fourth quarter worth about $208,000. Pinnacle Associates Ltd. purchased a new position in shares of Spark Therapeutics in the first quarter worth about $15,611,000. Fox Run Management L.L.C. purchased a new position in shares of Spark Therapeutics in the second quarter worth about $533,000. Finally, NJ State Employees Deferred Compensation Plan purchased a new position in shares of Spark Therapeutics in the first quarter worth about $266,000. +Spark Therapeutics, Inc focuses on the development of gene therapy products for patients suffering from debilitating genetic diseases. Its products include LUXTURNA (voretigene neparvovec), which is in Phase III clinical trial for the treatment of genetic blinding conditions caused by mutations in the RPE65 gene; and SPK-CHM that is in Phase I/II clinical trial for the treatment of choroideremia. +Featured Story: Google Finance Receive News & Ratings for Spark Therapeutics Inc Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Spark Therapeutics Inc and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4717.txt b/input/test/Test4717.txt new file mode 100644 index 0000000..4ffb3e7 --- /dev/null +++ b/input/test/Test4717.txt @@ -0,0 +1,9 @@ +Atara Biotherapeutics Sees Unusually Large Options Volume (ATRA) Donna Armstrong | Aug 17th, 2018 +Atara Biotherapeutics Inc (NASDAQ:ATRA) was the target of some unusual options trading activity on Thursday. Investors acquired 2,075 call options on the company. This represents an increase of 1,404% compared to the average volume of 138 call options. +Shares of NASDAQ:ATRA opened at $35.05 on Friday. Atara Biotherapeutics has a 12 month low of $12.65 and a 12 month high of $54.45. The firm has a market cap of $1.73 billion, a P/E ratio of -8.76 and a beta of 2.55. Get Atara Biotherapeutics alerts: +Atara Biotherapeutics (NASDAQ:ATRA) last announced its quarterly earnings results on Wednesday, August 1st. The biotechnology company reported ($1.15) EPS for the quarter, missing the Thomson Reuters' consensus estimate of ($0.98) by ($0.17). analysts predict that Atara Biotherapeutics will post -4.58 earnings per share for the current fiscal year. +In other news, CEO Isaac E. Ciechanover sold 58,400 shares of the firm's stock in a transaction on Tuesday, July 10th. The shares were sold at an average price of $40.00, for a total value of $2,336,000.00. Following the sale, the chief executive officer now directly owns 812,613 shares in the company, valued at approximately $32,504,520. The sale was disclosed in a document filed with the Securities & Exchange Commission, which is available through the SEC website . Also, EVP Christopher Haqq sold 775 shares of the firm's stock in a transaction on Wednesday, August 15th. The shares were sold at an average price of $37.54, for a total transaction of $29,093.50. Following the completion of the sale, the executive vice president now owns 331,355 shares in the company, valued at $12,439,066.70. The disclosure for this sale can be found here . Insiders sold a total of 110,775 shares of company stock worth $4,539,812 over the last 90 days. Company insiders own 10.60% of the company's stock. +A number of large investors have recently made changes to their positions in ATRA. MetLife Investment Advisors LLC raised its position in Atara Biotherapeutics by 25.1% during the second quarter. MetLife Investment Advisors LLC now owns 18,837 shares of the biotechnology company's stock worth $692,000 after acquiring an additional 3,781 shares during the last quarter. Metropolitan Life Insurance Co. NY raised its position in Atara Biotherapeutics by 25.6% during the second quarter. Metropolitan Life Insurance Co. NY now owns 13,303 shares of the biotechnology company's stock worth $489,000 after acquiring an additional 2,715 shares during the last quarter. Her Majesty the Queen in Right of the Province of Alberta as represented by Alberta Investment Management Corp raised its position in Atara Biotherapeutics by 40.6% during the second quarter. Her Majesty the Queen in Right of the Province of Alberta as represented by Alberta Investment Management Corp now owns 45,030 shares of the biotechnology company's stock worth $1,655,000 after acquiring an additional 13,000 shares during the last quarter. Voya Investment Management LLC raised its position in Atara Biotherapeutics by 14.1% during the second quarter. Voya Investment Management LLC now owns 16,022 shares of the biotechnology company's stock worth $589,000 after acquiring an additional 1,979 shares during the last quarter. Finally, Dynamic Technology Lab Private Ltd acquired a new position in Atara Biotherapeutics during the second quarter worth about $363,000. Hedge funds and other institutional investors own 96.07% of the company's stock. +A number of equities research analysts have recently weighed in on the stock. BidaskClub lowered shares of Atara Biotherapeutics from a "hold" rating to a "sell" rating in a report on Friday, August 10th. Jefferies Financial Group restated a "buy" rating and issued a $45.00 price objective on shares of Atara Biotherapeutics in a report on Friday, August 3rd. Zacks Investment Research upgraded shares of Atara Biotherapeutics from a "sell" rating to a "hold" rating in a report on Tuesday, July 10th. Canaccord Genuity restated a "buy" rating and issued a $70.00 price objective on shares of Atara Biotherapeutics in a report on Tuesday, May 8th. Finally, ValuEngine upgraded shares of Atara Biotherapeutics from a "buy" rating to a "strong-buy" rating in a research note on Wednesday, May 2nd. Three research analysts have rated the stock with a sell rating, three have assigned a hold rating, five have given a buy rating and one has assigned a strong buy rating to the company. The company presently has an average rating of "Hold" and an average price target of $43.17. +About Atara Biotherapeutics +Atara Biotherapeutics, Inc, an off-the-shelf T-cell immunotherapy company, develops treatments for patients with cancer, autoimmune, and viral diseases in the United States. The company is developing tabelecleucel, an advanced T-cell immunotherapy that is Phase III clinical trials for the treatment of rituximab-refractory epstein-barr virus (EBV) associated post-transplant lymphoproliferative disorder, as well as other EBV associated hematologic and solid tumors, including nasopharyngeal carcinoma. Atara Biotherapeutics Atara Biotherapeutic \ No newline at end of file diff --git a/input/test/Test4718.txt b/input/test/Test4718.txt new file mode 100644 index 0000000..e789a0f --- /dev/null +++ b/input/test/Test4718.txt @@ -0,0 +1,3 @@ +If I am offered opening slot in Tests, will be ready for it: Rohit Sharma +Team India on Thursday sweated it out in the nets ahead of the third Test against England at Trent Bridge. India are 2-0 down at Trent Bridge and need to win the match to stay alive in the five-match series. The BCCI posted a video of pacers Ishant Sharma , Mohammed Shami and Umesh Yadav going about their routines. +India had suffered a crushing innings defeat in the second Test at Lord's in a match that had already been cut short by rains. On a pitch on which England pacers James Anderson, Chris Woakes and Stuart Broad wreaked havoc, India's decision to go with two spinners Ravichandran Ashwin and a rather ineffective Kuldeep Yadav was questioned. #TeamIndia 's pace battery sweating it out in the nets ahead of the 3rd Test against England. #ENGvIND pic.twitter.com/mubxGaVIT \ No newline at end of file diff --git a/input/test/Test4719.txt b/input/test/Test4719.txt new file mode 100644 index 0000000..f3a9a87 --- /dev/null +++ b/input/test/Test4719.txt @@ -0,0 +1,40 @@ +KUTUPALONG REFUGEE CAMP, Bangladesh (Reuters) - Mohib Bullah is not your typical human rights investigator. He chews betel and he lives in a rickety hut made of plastic and bamboo. Sometimes, he can be found standing in a line for rations at the Rohingya refugee camp where he lives in Bangladesh. +Yet Mohib Bullah is among a group of refugees who have achieved something that aid groups, foreign governments and journalists have not. They have painstakingly pieced together, name-by-name, the only record of Rohingya Muslims who were allegedly killed in a brutal crackdown by Myanmar's military. +The bloody assault in the western state of Rakhine drove more than 700,000 of the minority Rohingya people across the border into Bangladesh, and left thousands of dead behind. +Aid agency Médecins Sans Frontières, working in Cox's Bazar at the southern tip of Bangladesh, estimated in the first month of violence, beginning at the end of August 2017, that at least 6,700 Rohingya were killed. But the survey, in what is now the largest refugee camp in the world, was limited to the one month and didn't identify individuals. +The Rohingya list makers pressed on and their final tally put the number killed at more than 10,000. Their lists, which include the toll from a previous bout of violence in October 2016, catalogue victims by name, age, father's name, address in Myanmar, and how they were killed. +"When I became a refugee I felt I had to do something," says Mohib Bullah, 43, who believes that the lists will be historical evidence of atrocities that could otherwise be forgotten. +Myanmar government officials did not answer phone calls seeking comment on the Rohingya lists. Late last year, Myanmar's military said that 13 members of the security forces had been killed. It also said it recovered the bodies of 376 Rohingya militants between Aug. 25 and Sept. 5, which is the day the army says its offensive against the militants officially ended. +Rohingya regard themselves as native to Rakhine State. But a 1982 law restricts citizenship for the Rohingya and other minorities not considered members of one of Myanmar's "national races". Rohingya were excluded from Myanmar's last nationwide census in 2014, and many have had their identity documents stripped from them or nullified, blocking them from voting in the landmark 2015 elections. The government refuses even to use the word "Rohingya," instead calling them "Bengali" or "Muslim." +Now in Bangladesh and able to organise without being closely monitored by Myanmar's security forces, the Rohingya have armed themselves with lists of the dead and pictures and video of atrocities recorded on their mobile phones, in a struggle against attempts to erase their history in Myanmar. +The Rohingya accuse the Myanmar army of rapes and killings across northern Rakhine, where scores of villages were burnt to the ground and bulldozed after attacks on security forces by Rohingya insurgents. The United Nations has said Myanmar's military may have committed genocide. +Myanmar says what it calls a "clearance operation" in the state was a legitimate response to terrorist attacks. +"NAME BY NAME" +Clad in longyis, traditional Burmese wrap-arounds tied at the waist, and calling themselves the Arakan Rohingya Society for Peace & Human Rights, the list makers say they are all too aware of accusations by the Myanmar authorities and some foreigners that Rohingya refugees invent stories of tragedy to win global support. +But they insist that when listing the dead they err on the side of under-estimation. +Mohib Bullah, who was previously an aid worker, gives as an example the riverside village of Tula Toli in Maungdaw district, where - according to Rohingya who fled - more than 1,000 were killed. "We could only get 750 names, so we went with 750," he said. +"We went family by family, name by name," he added. "Most information came from the affected family, a few dozen cases came from a neighbour, and a few came from people from other villages when we couldn't find the relatives." +In their former lives, the Rohingya list makers were aid workers, teachers and religious scholars. Now after escaping to become refugees, they say they are best placed to chronicle the events that took place in northern Rakhine, which is out-of-bounds for foreign media, except on government-organised trips. +"Our people are uneducated and some people may be confused during the interviews and investigations," said Mohammed Rafee, a former administrator in the village of Kyauk Pan Du who has worked on the lists. But taken as a whole, he said, the information collected was "very reliable and credible." +For Reuters TV, see: https://www.reuters.tv/v/Ppji/2018/08/17/rohingya-refugees-own-list-tallies-10-000-dead +SPRAWLING PROJECT +Getting the full picture is difficult in the teeming dirt lanes of the refugee camps. Crowds of people gather to listen - and add their comments - amid booming calls to prayer from makeshift mosques and deafening downpours of rain. Even something as simple as a date can prompt an argument. +What began tentatively in the courtyard of a mosque after Friday prayers one day last November became a sprawling project that drew in dozens of people and lasted months. +The project has its flaws. The handwritten lists were compiled by volunteers, photocopied, and passed from person to person. The list makers asked questions in Rohingya about villages whose official names were Burmese, and then recorded the information in English. The result was a jumble of names: for example, there were about 30 different spellings for the village of Tula Toli. +Wrapped in newspaper pages and stored on a shelf in the backroom of a clinic, the lists that Reuters reviewed were labelled as beginning in October 2016, the date of a previous exodus of Rohingya from Rakhine. There were also a handful of entries dated 2015 and 2012. And while most of the dates were European-style, with the day first and then the month, some were American-style, the other way around. So it wasn't possible to be sure if an entry was, say, May 9 or September 5. +It is also unclear how many versions of the lists there are. During interviews with Reuters, Rohingya refugees sometimes produced crumpled, handwritten or photocopied papers from shirt pockets or folds of their longyis. +The list makers say they have given summaries of their findings, along with repatriation demands, to most foreign delegations, including those from the United Nations Fact-Finding Mission, who have visited the refugee camps. +A LEGACY FOR SURVIVORS +The list makers became more organised as weeks of labour rolled into months. They took over three huts and held meetings, bringing in a table, plastic chairs, a laptop and a large banner carrying the group's name. +The MSF survey was carried out to determine how many people might need medical care, so the number of people killed and injured mattered, and the identity of those killed was not the focus. It is nothing like the mini-genealogy with many individual details that was produced by the Rohingya. +Mohib Bullah and some of his friends say they drew up the lists as evidence of crimes against humanity they hope will eventually be used by the International Criminal Court, but others simply hope that the endeavour will return them to the homes they lost in Myanmar. +"If I stay here a long time my children will wear jeans. I want them to wear longyi. I do not want to lose my traditions. I do not want to lose my culture," said Mohammed Zubair, one of the list makers. "We made the documents to give to the U.N. We want justice so we can go back to Myanmar." +Matt Wells, a senior crisis advisor for Amnesty International, said he has seen refugees in some conflict-ridden African countries make similar lists of the dead and arrested but the Rohingya undertaking was more systematic. "I think that's explained by the fact that basically the entire displaced population is in one confined location," he said. +Wells said he believes the lists will have value for investigators into possible crimes against humanity. +"In villages where we've documented military attacks in detail, the lists we've seen line up with witness testimonies and other information," he said. +Spokespeople at the ICC's registry and prosecutors' offices, which are closed for summer recess, did not immediately provide comment in response to phone calls and emails from Reuters. +The U.S. State Department also documented alleged atrocities against Rohingya in an investigation that could be used to prosecute Myanmar's military for crimes against humanity, U.S. officials have told Reuters. For that and the MSF survey only a small number of the refugees were interviewed, according to a person who worked on the State Department survey and based on published MSF methodology. +MSF did not respond to requests for comment on the Rohingya lists. The U.S. State Department declined to share details of its survey and said it wouldn't speculate on how findings from any organisation might be used. +For Mohammed Suleman, a shopkeeper from Tula Toli, the Rohingya lists are a legacy for his five-year-old daughter. He collapsed, sobbing, as he described how she cries every day for her mother, who was killed along with four other daughters. +"One day she will grow up. She may be educated and want to know what happened and when. At that time I may also have died," he said. "If it is written in a document, and kept safely, she will know what happened to her family." +(Additional reporting by Shoon Naing and Poppy Elena McPherson in YANGON and Toby Sterling in AMSTERDAM; Editing by John Chalmers and Martin Howell \ No newline at end of file diff --git a/input/test/Test472.txt b/input/test/Test472.txt new file mode 100644 index 0000000..d92926a --- /dev/null +++ b/input/test/Test472.txt @@ -0,0 +1,22 @@ +SIGGRAPH 2018 Celebrates Generations in Vancouver 9 hrs ago +VANCOUVER, British Columbia--(BUSINESS WIRE)--Aug 16, 2018-- SIGGRAPH 2018, the world's leading annual interdisciplinary educational event showcasing the latest in computer graphics and interactive techniques, has concluded in Vancouver, BC, with over 16,500 attendees from around the world. The 45th SIGGRAPH conference took place 12–16 August at the Vancouver Convention Centre. +This press release features multimedia. View the full release here: https://www.businesswire.com/news/home/20180816005712/en/ +photo by John Fujii © 2018 ACM SIGGRAPH +SIGGRAPH 2018 attendees hailed from the United States and 87 other countries worldwide, including Canada, China, France, Germany, Japan, Mexico, South Korea, New Zealand, and the United Kingdom. Attendees came to Vancouver to experience and interact with the latest innovations in computer graphics and interactive techniques, including the newest applications in virtual, augmented, and mixed reality, AI, and robotics. At the heart of SIGGRAPH 2018 were opportunities for all to gain hands-on experiences with new technologies; to hear experts discuss the "how-to" behind their cutting-edge film, television, game, or multimedia productions; and, to experience the merging of traditional processes with experimental, never-before-seen technologies. +During the course of the conference, close to 700 papers, courses, lectures, installations, artworks, and experiences were shared, culled from nearly 2,300 submissions from around the world. In addition, almost 1,000 speakers participated. Select sessions and events were livestreamed, generating significant social media reach with over 60K views on the ACM SIGGRAPH YouTube channel and 50K views on the SIGGRAPH Conferences Facebook page thus far. +On the conclusion of this year's event, SIGGRAPH 2018 Conference Chair Roy C. Anthony said, "SIGGRAPH is a place where those of us in the digital arts and interactive technology arenas come to recharge our creative engines. This year's contributors delivered incredible content sure to inspire future generations working within these fields. People attend SIGGRAPH each year because they know they'll be offered a 'sneak peek' of the magic behind the curtain. SIGGRAPH is truly a global community — a network where artists, practitioners, educators, and scientists gather to infuse each other with new ideas, find stimulating sources of mentorship, and collaborate on new opportunities." +He adds, "The enthusiasm and energy demonstrated at SIGGRAPH is second to none. I saw thousands of people openly sharing new ideas and expressing their creative energy within every square foot of the Vancouver Convention Centre. This year, I leave energized, not only by the inspiration that SIGGRAPH always delivers, but to have also been able to give back to this wonderful community, which has inspired me to be inventive and to create, as well as helped me along the way in my career. These past 18 months as Conference Chair have been a true honor for me — an experience I will never forget." +The Exhibition played host to nearly 160 diverse companies on the show floor, each showcasing the latest in technologies, products, and services. Due to the remarkable increase in the amount of new technology that has debuted in the global computer graphics marketplace over this past year, nearly one quarter of this year's exhibitors presented at SIGGRAPH for the first time. Major announcements from 2018 exhibitors included the release of: NVIDIA's Quadro RTX 5000, 6000, and 8000 turing-powered GPUs; Khronos Group's VR/AR standard API, OpenXR; Vicon's Origin (VR suite); Chaos Group's V-Ray Cloud; AMD's Radeon Pro WX 8200; Sketchfab's MASSIVE; Lenovo's ThinkPad P1; and, StarVR's One VR headset. +"Tourism Vancouver, as well as our hospitality and tech industries, were incredibly proud to have provided the backdrop for the thousands of business and social connections that took place during another incredible SIGGRAPH conference. We look forward to welcoming SIGGRAPH back in future years," said Tourism Vancouver President and CEO Ty Speer. +Among this year's highlights were the keynote, a conversation on creativity by Senior Vice President, Executive Creative Director, and Head of Industrial Light & Magic Rob Bredow; two world premiere short films, Walt Disney Animation Studios's "Cycles" and Platige Image's "Miazmat"; a collection of 50 original artworks from Syd Mead, renowned futurist and visionary, on display in the Production Gallery; the return of SIGGRAPH's two-day Business Symposium; sneak peek Production Sessions on upcoming studio releases "Missing Link" (LAIKA Studios) and "Ralph Breaks the Internet: Wreck-It Ralph 2" (Walt Disney Animation Studios); and, a special session celebrating the 50-year history of the VR headset, featuring the "Father of Computer Graphics" Ivan E. Sutherland ( watch via the livestream ). +Attendees also enjoyed installations from around the world within the Experience Hall and the brand-new Immersive Pavilion , which featured a VR museum, Vrcade, Village, and the Computer Animation Festival VR Theater. For those who came to learn, opportunities were vast and covered the most cutting-edge technical research and applications in computer graphics and interactive techniques, including presentations on 128 technical papers . +SIGGRAPH 2018 Award Winners: Best Real-Time Graphics and Interactivity* " Democratizing MoCap: Real-Time Full-Performance Motion Capture with an iPhone X, Xsens, IKINEMA, and Unreal Engine " Cory Strassburger, Kite & Lightning *This award was determined by a six-member jury and the live audience. +Emerging Technologies Best in Show" Steerable Application-Adaptive Near-Eye Displays " Kishore Rathinavel, Praneeth Chakravarthula, and Turner Whitted, UNC Chapel Hill, NVIDIA Corporation; Kaan Aksit, Josef Spjut, Ben Boudaoud, and David Luebke, NVIDIA Corporation; and, Henry Fuchs, UNC Chapel Hill +Best in Show – "Hybrids" by Florian Brauch, Kim Tailhades, Matthieu Pujol, Yohan Thireau, and Romain Thirion of MoPA (France)Best Student Project – "Overrun" by Pierre Ropars, Antonin Derory, Diane Thirault, Jérémie Cottard, Matthieu Druaud, and Adrien Zumbihl of Supinfocom Rubika (France)Jury's Choice – "Bilby" by Liron Topaz, Pierre Perifel, and JP Sans of DreamWorks Animation (United States)Audience Choice** – "One Small Step" by Bobby Pontillas and Andrew Chesworth of TAIKO Studios (United States)* **Vote tallied on-site after three consecutive screenings. +Best Art Paper" Augmented Fauna and Glass Mutations: A Dialogue Between Material and Technique in Glassblowing and 3D Printing " Tobias Klein, City University of Hong Kong +For more information about SIGGRAPH 2018, including official photographs from the conference, visit our virtual media office . To view select recorded sessions, please visit the SIGGRAPH 2018 website . +The 46th annual conference, SIGGRAPH 2019, will be held in Los Angeles, 28 July–1 August, at the Los Angeles Convention Center. +About ACM, ACM SIGGRAPH and SIGGRAPH 2018 +ACM , the Association for Computing Machinery, is the world's largest educational and scientific computing society, uniting educators, researchers, and professionals to inspire dialogue, share resources, and address the field's challenges. ACM SIGGRAPH is a special interest group within ACM that serves as an interdisciplinary community for members in research, technology, and applications in computer graphics and interactive techniques. SIGGRAPH is the world's leading annual interdisciplinary educational experience showcasing the latest in computer graphics and interactive techniques. SIGGRAPH 2018 , marking the 45th annual conference hosted by ACM SIGGRAPH, took place from 12–16 August at the Vancouver Convention Centre in Vancouver, B.C. +View source version on businesswire.com : https://www.businesswire.com/news/home/20180816005712/en/ +CONTACT: SIGGRAPH 201 \ No newline at end of file diff --git a/input/test/Test4720.txt b/input/test/Test4720.txt new file mode 100644 index 0000000..142034a --- /dev/null +++ b/input/test/Test4720.txt @@ -0,0 +1,9 @@ +17.08.2018 War of the soil microbes +An international research team analysed the soil microbiome. Bacteria and fungi are constantly fighting for resources and fungi even produce antibiotics to gain an advantage. Microbes and fungi are in a constant state of war for resources in the soil, globally. The balance between them is also affected by human activity, regional differences and climate change. Quelle: Falk Hildebrand and Aleksandra Krolik in colaboration with Campbell Medical Illustration/EMBL +Soil is much more than dirt. It contains a slew of microorganisms, fungi and roots of a plethora of plants. All of which interact with each other and together, they make up the soil microbiome. Headed by the European Molecular Biology Laboratory (EMBL) in Heidelberg and the University of Tartu in Estonia, an international research team for the first time conducted a study of bacteria and fungi in soil. Their results, as reported in the journal "Nature" , show that bacteria and fungi are in constant competition for nutrients and produce an arsenal of antibiotics to gain an advantage over one another. Soil samples from tropical forests to the tundra +Over the course of five years, the researchers took 58.000 soil samples from 1450 sites all over the world, which included areas that were either unaffected or affected by human activities such as agriculture. Mohamad Bahram from the University of Tartu and Falk Hildebrand at EMBL, together with a large team of collaborators, analysed the enormous dataset. Of the 1450 sites sampled, 189 were selected for in-depth analysis, covering the world's most important biomes, from tropical forests to tundra, on all continents. War amongst soil microbes +The soil researchers analysed several million genes, but less than one percent were previously known. "The amount of unknown genes is overwhelming, but the ones we can interpret clearly point to a global war between bacteria and fungi in soil," says Peer Bork , EMBL group leader and corresponding author of the paper. +Moreover, the researchers found that bacterial diversity in the soil is lower with increasing presence of fungi. The team also found a strong link between the number of antibiotic resistance genes in bacteria and the amount of fungi, especially those with potential for antibiotics production such as Penicillium. Falk Hildebrand: "This pattern could well be explained by the fact that fungi produce antibiotics in warfare with bacteria, and only bacteria with adequate antibiotic resistance genes can survive this." Regional differences +The team also found regional differences in the distribution of bacteria and fungi. Bacteria prefer hot and wet locations. Fungi are usually more prevalent in colder and dryer climates like the tundra. They also tend to be more geographically restricted, with differences in populations between continents. This implies that the relative contributions of bacteria and fungi to nutrient cycling are different around the world, and that global climate change may affect their composition and function differently. Effects of human activity +When comparing data from the unspoiled soil sites with data from locations affected by humans, such as farmland or garden lawns, the ratios between bacteria, fungi and antibiotics were completely different. According to the scientists, this shift in the natural balance shows the effect of human activities on the soil microbiome, with unknown consequences so far. However, a better understanding of the interactions between fungi and bacteria in soil could help to reduce the usage of soil fertilizer in agriculture, and increase the number of beneficial microorganisms. +jm \ No newline at end of file diff --git a/input/test/Test4721.txt b/input/test/Test4721.txt new file mode 100644 index 0000000..f8cae23 --- /dev/null +++ b/input/test/Test4721.txt @@ -0,0 +1,21 @@ +Click to play Tap to play The video will start in 8 Cancel Play now Get Daily updates directly to your inbox Subscribe Thank you for subscribing! Could not subscribe, try again later Invalid Email +A popular Devon waterpark has hit out at a YouTuber who broke in and used the rides in the middle of the night, saying it 'could have ended in tragedy'. +YouTube sensation Ally Law and three of his friends apparently snuck into the Splashdown Quayquest Waterpark, Paignton last week and filmed themselves going on a number of the water slides in the early hours of the morning. +The video has already been viewed more than 659,000 times since it was uploaded on Tuesday. +But while it has gained laughs on social media Splashdown has hit back, saying that he could have suffered serious injuries as a result. Law and his friends broke into the venue at around 4am Read More Mystery surrounds Exeter's chicken nugget festival after cancellations around the country +Jackie Richmond, co-owner and group marketing director, said: "Following a break in overnight at Splashdown Quaywest we have conducted a review of security and check of all on-site facilities and contacted the Police, who had already been notified by a member of the public. The group simply jumped over the barriers to get in (Image: YouTube) +"Whilst the people who broke in and used the premises without permission, thought it would be a laugh they are very lucky to be in one piece. +"Water levels and pools can be drained overnight and this would not necessarily be evident. Dropping multiple feet into a concrete 'pool' or using a slide when dry, could have severe implications for the person falling, resulting in significant injury or worse. Splashdown Quaywest, in Paignton (Image: GoogleMaps) +"We have a lot of health and safety rules regarding the correct use of the flumes for very good reasons and their flouting of them, could have easily resulted in a tragedy. Read More Exeter restaurant reassures customers after bizarre flooding issue +"Sadly, they do not appear to understand that these places can be dangerous when closed." +Law told his YouTube followers he broke into the Splashdown, which is the UK's largest outdoor waterpark, with his friends just before 4am on Tuesday morning. They then stole a number of dinghies before jumping on to the rides (Image: YouTube) +"We're at this place, this mental place," he said. "This looks insane." +Watch the footage of the break in below. Video Loading Click to play Tap to play The video will start in 8 Cancel Play now +The group then jumped over the barriers with ease before apparently having the freedom of the waterpark. The quartet appeared to be having an amazing time - but management at Splashdown say they could have been seriously injured (Image: YouTube) +Not all of the rides had water flowing, but the group jumped on the ones that did. Read More +Upon locating the rides, they stole a number of rubber dinghies from the storage cupboard before stripping down to their swimming trunks and making their way down the slides. +"This reminds me of LA," Law joked. "Although LA was warm." The group used the slides until the early hours of the morning (Image: YouTube) +The quartet then filmed themselves going on various rides, staying at venue until sunrise. +They were eventually spotted by security and chased out of the park. The video has been viewed over 659,000 times already (Image: YouTube) +Law and his friends also broke into the other Splashdown location in Poole last week. The group were chased out of the waterpark by security (Image: YouTube) +The break-in was referred to Dorset Police who said in a statement: "We were called at 9.04am to be informed that a number of people had entered Splashdown at Tower Park at night, without permission, to film a video. Read Mor \ No newline at end of file diff --git a/input/test/Test4722.txt b/input/test/Test4722.txt new file mode 100644 index 0000000..19bf6f0 --- /dev/null +++ b/input/test/Test4722.txt @@ -0,0 +1,14 @@ +Control4 Corporation (NASDAQ: CTRL), a leading global provider of smart home and networking solutions, today announced that management will participate in the following investor conferences. +D.A. Davidson Vertical Technology Conference +New York Athletic Club, NY +September 5, 2018 +Presentation Time: 4:30 a.m. PT / 7:30 am ET +Deutsche Bank's Technology Conference +Bellagio, Las Vegas, NV +September 12, 2018 +Presentation Time: 1:10 p.m. PT / 4:10 p.m. ET +The presentations will be webcast live and archived on Control4's investor relations website at http://investor.control4.com/ . The replays of the presentations will be available on the website for at least 30 days. +About Control4 +Control4 [NASDAQ: CTRL] is a leading global provider of automation and networking systems for homes and businesses, offering personalized control of lighting, music, video, comfort, security, communications, and more into a unified smart home system that enhances the daily lives of its consumers. Control4 unlocks the potential of connected devices, making networks more robust, entertainment systems easier to use, homes more comfortable and energy efficient, and provides families more peace of mind. Today, every home and business needs automation horsepower and a high-performance network to manage the increasing number of connected devices. The Control4 platform interoperates with more than 12,000 third-party consumer electronics products, ensuring an ever-expanding ecosystem of devices will work together. Control4 is now available in approximately 100 countries. Leveraging a professional channel that includes over 5,700 custom integrators, retailers, and distributors authorized to sell Control4 products, Pakedge branded networking solutions and Triad branded speakers. Control4 is delivering intelligent solutions for consumers, major consumer electronics companies, hotels, and businesses around the world. +Source: Control4 +View source version on businesswire.com: https://www.businesswire.com/news/home/20180817005036/en \ No newline at end of file diff --git a/input/test/Test4723.txt b/input/test/Test4723.txt new file mode 100644 index 0000000..4f891c3 --- /dev/null +++ b/input/test/Test4723.txt @@ -0,0 +1,14 @@ +US threatens more sanctions, keeping alive Turkish crisis 2018-08-17T08:25:59Z 2018-08-17T10:51:19Z (AP Photo/Lefteris Pitarakis). A general view of Istanbul, Thursday, Aug. 16, 2018. Turkey's finance chief tried to reassure thousands of international investors on a conference call Thursday, in which he pledged to fix the economic troubles that have ... +By SUZAN FRASERAssociated Press +ANKARA, Turkey (AP) - Turkey and the United States exchanged new threats of sanctions Friday, keeping alive a diplomatic and financial crisis that is threatening the economic stability of the NATO country. +Turkey's lira fell once again after the trade minister, Ruhsar Pekcan, said Friday that her government would respond to any new trade duties, which U.S. President Donald Trump threatened in an overnight tweet. +Trump is taking issue with the continued detention in Turkey of American pastor Andrew Brunson, an evangelical pastor who faces 35 years in prison on charges of espionage and terror-related charges. +Trump wrote in a tweet late Thursday: "We will pay nothing for the release of an innocent man, but we are cutting back on Turkey!" +He also urged Brunson to serve as a "great patriot hostage" while he is jailed and criticized Turkey for "holding our wonderful Christian Pastor." +U.S. Treasury chief Steve Mnuchin earlier said the U.S. could put more sanctions on Turkey. +The United States has already imposed sanctions on two Turkish government ministers and doubled tariffs on Turkish steel and aluminum imports. Turkey retaliated with some $533 million of tariffs on some U.S. imports - including cars, tobacco and alcoholic drinks - and said it would boycott U.S. electronic goods. +"We have responded to (US sanctions) in accordance to World Trade Organization rules and will continue to do so," Pekcan told reporters on Friday. +Turkey's currency, which had recovered from record losses against the dollar earlier in the week, was down about 6 percent against the dollar on Friday, at 6.17. +Turkey's finance chief tried to reassure thousands of international investors on a conference call Thursday, in which he pledged to fix the economic troubles. He ruled out any move to limit money flows - which is a possibility that worries investors - or any assistance from the International Monetary Fund. +Investors are concerned that Turkey's has amassed high levels of foreign debt to fuel growth in recent years. And as the currency drops, that debt becomes so much more expensive to repay, leading to potential bankruptcies. +Also worrying investors has been President Recep Tayyip Erdogan's refusal to allow the central bank to raise interest rates to support the currency, as experts say it should. Erdogan has tightened his grip since consolidating power after general elections this year \ No newline at end of file diff --git a/input/test/Test4724.txt b/input/test/Test4724.txt new file mode 100644 index 0000000..51c0ae5 --- /dev/null +++ b/input/test/Test4724.txt @@ -0,0 +1,12 @@ +Copy and send link X Kinder Morgan Canada has secured approval from Canada's National Energy Board (NEB) to construct the first four segments of the C$7.4bn ($5.5bn) Trans Mountain pipeline expansion project. Image: Canadian energy regulator gave its approval for construction of four spreads of Trans Mountain pipeline expansion project. Photo: courtesy of Trans Mountain. +Subscribe to our email newsletter +The approval is for the four spreads to be laid from the Edmonton Terminal to the pipeline project's Darfield Pump Station, north of Kamloops in the British Columbia Interior. +NEB said that the condition compliance letter report it issued to Trans Mountain Pipeline covers several remaining pre-construction engineering conditions for the pipeline expansion project. The regulator said that Trans Mountain has now met all applicable pre-construction condition requirements for Spreads 1-4. +It said: "The NEB has also approved more than 96 per cent of the detailed route for those segments of the pipeline. +"Subject to other federal, provincial and municipal permits and regulations, the company can now begin construction in these segments of the pipeline, which includes clearing of the right of way." +According to the energy regulator, 72% of the entire detailed route of the pipeline route has been approved with hearings for the sixth and final segment of the Trans Mountain pipeline expansion project to commence in October. +The Trans Mountain pipeline expansion project has been proposed by Kinder Morgan to improve the capacity of the existing Trans Mountain Pipeline system by almost three times from the current 300,000 barrels of oil per day production. +Constructed in 1953, the original Trans Mountain Pipeline system was laid between Edmonton, Alberta and Burnaby, British Columbia. +Its expansion project will involve about 980km of new pipeline along with reactivation of 193km of existing pipeline. Kinder Morgan will construct new facilities to support the expanded pipeline which includes 12 new pump stations and 19 new tanks that are planned to be added to existing storage terminals. +Recently, the Canadian government agreed to acquire the Trans Mountain Pipeline system and the expansion project from Kinder Morgan for C$4.5bn ($3.5bn). +As per the terms of the agreement, the Canadian government will finance the resumption of the planning and construction work associated with the Trans Mountain pipeline expansion project. Relate \ No newline at end of file diff --git a/input/test/Test4725.txt b/input/test/Test4725.txt new file mode 100644 index 0000000..16efe83 --- /dev/null +++ b/input/test/Test4725.txt @@ -0,0 +1,19 @@ +By Erica E. Phillips +Anyone ordering a new heavy-duty truck this summer will have wait until sometime next year to get it, assuming strained manufacturing supply chains hold together. +An unprecedented run of orders for big rigs has pushed the backlog at truck factories to nine months, according to industry analysts, the largest since early 2006, when truckers stocked up to get vehicles in place before tougher environmental restrictions would take effect. Typically the backlog is about five months for the truck industry's manufacturers, analysts said. +"It is longer than it should be," said Magnus Koeck, vice president of marketing for Volvo AB's North America operation, where Class 8 truck orders this year soared to 25,000 from 11,000 during the first six months of 2017. "Of course we are not alone in this situation," he said. "Everyone is in the same boat." +North American freight-haulers ordered more than 300,000 Class 8 trucks in the first seven months of this year and are on track to order a record 450,000 of the heavy-duty vehicles for the full year, according to ACT Research. That would be the largest book since 2004, when orders reached 390,000, according to analysts. +In July, North American fleets ordered more than 52,000 trucks, an all-time monthly record. +Freight-hauling fleets are trying to keep up with swelling demand in a robust U.S. economy even as they say they face difficulty finding drivers. New trucks are one recruiting tool, and the new vehicles also get better fuel mileage -- an attractive feature for fleets as other costs are rising. +The orders are coming at a rapid pace as more U.S. companies, from construction equipment makers to retailers, say rising transportation costs and tight truck capacity are crimping their ability to grow and slicing into profit margins. Cass Information Systems Inc., which processes freight payments, says its monthly index of U.S. trucking costs rose more than 10% in July, the first double-digit year-over-year increase in the 13 years of the measure. +It may be months before trucking capacity scales up enough to meet the growing shipping demand. Many of the new trucks are aimed at replacing older vehicles, trucking companies say, and production still lags far behind orders. Manufacturers delivered 30,000 new vehicles in June, ACT said, but factories are still catching up after trouble earlier in the year getting the parts they needed to keep up with demand. +"There's basically a shortage of trucks right now because of supply-chain issues," said Don Ake, an analyst with research group FTR. Manufacturers "can't build trucks fast enough because their suppliers can't keep up." +Navistar International Corp., Daimler AG and Volvo, along with engine-maker Cummins Inc., have said they faced supply-chain problems earlier this year as the broader manufacturing sector coped with delays in supplier deliveries to factories. "It doesn't matter if it's one tiny screw or one tiny hose, if it's missing or late, you can't complete the truck," said Volvo's Mr. Koeck. +Any delays at one supplier can ripple across the business, companies say, because companies often build certain parts for several different truck manufacturers. And companies say the low national unemployment rate makes it tougher to fill vacant jobs. +"The challenge was finding the labor, I suppose the next challenge is keeping the labor," said Kenny Vieth, an analyst with ACT. +Manufacturers say their suppliers have hired the necessary staff and now are pushing through parts at a faster pace. Volvo Trucks North America delivered 15,658 vehicles through June, up 71% from its deliveries in the first half of 2017. +"With the strong demand and the corresponding increases in production levels, the entire industry has been faced with supply constraints and pressure on delivery timing," Jeff Allen, senior vice president of operations and specialty vehicles at Daimler Trucks North America, said in an emailed statement. "Recently we have begun seeing these constraints lifting and an overall improvement of the situation." +Still, Mr. Ake said maintaining the high pace of production across all factories will remain a challenge. "The situation is week to week," he said. +Michael Cancelliere, president of Navistar's truck and parts division, says the company has been meeting with customers and with suppliers to make sure they are getting the components they need to keep assembly lines moving. +"The system gets somewhat stressed when you're dealing with the capacity we're dealing with," Mr. Cancelliere said. "That's forced us to get better." +Write to Erica E. Phillips at erica.phillips@wsj.co \ No newline at end of file diff --git a/input/test/Test4726.txt b/input/test/Test4726.txt new file mode 100644 index 0000000..b25647c --- /dev/null +++ b/input/test/Test4726.txt @@ -0,0 +1 @@ +Releases New Report on the Global Egg White Peptide Market , 17 August 2018 -- Egg White Peptide Market - Global Industry Analysis, Size, Share, Growth, Trends and Forecast 2018 – 2028Egg white peptide is an advanced amino acid peptide bond formulation which is produced by the hydrolysis of chicken egg albumin with the help of an enzyme. This egg white peptide is heat resistant and delivers amino acids in the form of di-peptides and tri-peptides while maintaining the original amino acid balance of an egg white. Egg white peptide is a patented product of Kewpie Corporation. It is very small in size and requires no further digestion and can be absorbed quickly by the human body. Egg white has excellent heat stability and can be used in various food products which require high heat pasteurization. This product is still in its research phase and there are very few companies which offer this product. Egg white peptide has also been commercialized as egg albumin hydro lysate and hydrolyzed egg white. Request to view Sample Report: https://www.transparencymarketresearch.com/sample/sample.php?flag=B&rep_id=43265 There are many protein and amino acid ingredients available in the market, but it is expected that egg white peptide will bring a revolutionary change in near future. Certain tissues in our human body, such as the brain, kidney and lungs, have a direct need for di and tri-peptides. The human body actually prefers di and tri-peptides as the predominant source of absorbed protein. Egg white peptide directly serves the purpose as the amino acid in the product is already in the form of di and tri-peptides. These egg white peptides get absorbed in the blood very easily and are utilized for protein synthesis at a higher rate. Egg white peptide is expected to boost the sports nutrition market significantly as this product is scientifically proven to be a good stamina and endurance booster and heals post-workout muscle soreness and damage. Moreover, egg white peptides are manufactured under very controlled and sterile conditions and can be used in media preparation instead of albumin. This practice could help the media become free from contamination and lead to less wastage, because of which there is expected to be increasing demand for egg white peptide from research institutes and the biotechnology industry in near future. All the above factors combined are expected to bolster the demand for egg white peptides significantly during the forecast period. Some of the key players operating in the global egg white peptide market are Merck & Co., Inc., HiMedia Laboratories Pvt. Ltd., Kewpie Corporation, and Aqua Lab Technologies, among others. # # \ No newline at end of file diff --git a/input/test/Test4727.txt b/input/test/Test4727.txt new file mode 100644 index 0000000..9925155 --- /dev/null +++ b/input/test/Test4727.txt @@ -0,0 +1,29 @@ +by Kathy Gannon, The Associated Press Posted Aug 17, 2018 3:10 am ADT Last Updated Aug 17, 2018 at 5:20 am ADT +DHABEJI, Pakistan – Hafeez Nawaz was 20 years old when he left his religious school in southern Karachi to join the Islamic State group in Afghanistan. Three years later he was back in Pakistan to carry out a deadly mission: with explosives strapped to his body, he blew himself up in the middle of an election rally last month, killing 149 people and wounding 300 others. +The attack in southwestern Baluchistan province near the Afghan border just days before Pakistan's July 25 parliamentary elections has cast an unwelcome spotlight on Nawaz's tiny village of Dhabeji, where the presence of an IS cell in their midst has brought the full weight of Pakistan's security apparatus down on its residents. +"Now we are all under suspicion," said Nawaz's neighbour, who gave only his first name, Nadeem, for fear of the local police. "The security agencies now consider Dhabeji a security threat area." +Nawaz's trajectory from religiously devout student to jihadi and suicide bomber is an all too familiar one in Pakistan. +Since battlefield successes routed the Islamic State group from its strongholds in Syria and Iraq, hundreds of Pakistanis who travelled to join the extremists' so-called "caliphate" are unaccounted for and Pakistan's security personnel worry that they, like Nawaz, have gone underground waiting to strike. +Sitting in his office in a compound surrounded by high walls and heavily armed guards, Karachi's counterterrorism department chief, Pervez Ahmed Chandio, said IS is the newest and deadliest front in Pakistan's decades-old war on terror. +"It is one of the most dangerous threats facing Pakistan and we are ready to fight this war," he said. +It's the amorphous nature of IS that has counterterrorism officials like Chandio most worried. When one cell is disrupted another emerges, sometimes within weeks and often in an unrelated part of the country. +"It's what they don't know that is the most worrying for counterterrorism departments around the country," said Mohammad Amir Rana, executive director of the Islamabad-based Pakistan Institute of Peace Studies, which tracks militant movements in the region. "Its hideouts, its structure, its strategy are all unknown. They are an invisible enemy who is defeated in one area, only to resurface in another." +A U.N. Security Council report earlier this year warned of the changing face of IS, saying the extremist group was "entering a new phase, with more focus on less visible networks of individuals and cells acting with a degree of autonomy." +Hafeez Nawaz was just such a case. +Three years ago, he joined his older brother, Aziz, to study at Siddiquia Madrassa in Karachi's Shah Faisal Colony neighbourhood, an area where the level of sectarian violence at the time was so brutal that even police could not enter. A crackdown by paramilitary Rangers has since led to the arrest and killing of hundreds of militants and criminals. +Today, the religious school is among 94 madrassas under surveillance in Karachi and elsewhere in southern Sindh province, Chandio said. They have been identified as breeding grounds for radicalism, schools where jihadis have emerged and that perpetrators of attacks attended. Many are financed by oil-rich Saudi Arabia to promote the rigid Wahabi sect of Islam practiced in the kingdom, Chandio said. The origin of the money, whether from the Saudi government or Saudi philanthropists, is not clear but the teachings at these schools espouse a rigid interpretation of Islam and the superiority of Sunni Islam. +It was at Siddiquia Mosque that Nawaz's brother, Aziz, fell in with a crowd of would-be jihadis and was persuaded to travel to Afghanistan's Spinboldak region on the border with Pakistan in 2014 to join the Taliban. But his allegiance was short-lived as commanders squabbled and Aziz returned to Pakistan. Once back home, he inducted his younger brother, Hafeez, into the jihadi circle but this time, it was the Islamic State group that held sway, said Chandio, who was part of the counterterrorism squad that, using little more than body parts and grainy cellphone pictures, identified Hafeez Nawaz as the suicide bomber behind the July 13 election rally attack. +Chandio learned from the brothers' father that Nawaz and Aziz packed up their three sisters and their mother and moved them to Afghanistan in 2016 to live among an Islamic State affiliate there. Two of the sisters have since married IS operatives. Their youngest brother, Shakoor, who was sent by their father a year later to plead with them to return, remains in Afghanistan, as does Aziz. +Chandio suspects 19-year-old Shakoor is now an IS operative and could be the next suicide bomber. He said Shakoor fits the criteria: a young man in his late teens or early 20s, religiously devout and susceptible to radicalization. +Hafeez Nawaz was just 23 when he walked into the middle of the election rally in Baluchistan's Mustang area and detonated the suicide vest that sprayed shrapnel throughout the tent packed with local tribesmen. +Nawaz's father and his oldest brother, Haq Nawaz, are now in custody, caught trying to flee to Afghanistan, Chandio said. +Some analysts say the threat posed by the Islamic State group in Pakistan is, at least in part, the result of the country's bewildering attitude toward the toxic mix of militant groups that operate in the country. +Since 2004, the Pakistani military has killed or driven thousands of militants from their mountain redoubts in the tribal regions that border Afghanistan, suffering thousands of casualties in those battles. Yet Pakistan allows banned groups, some with a long history of sectarian violence, to re-emerge and operate under new names, and known militants to move about freely. +"This is a sad reality of Pakistan: if militant leaders are useful to the state's interests, then they're free to do as they wish," said Michael Kugelman, deputy director of the Asia Program at the Washington-based Wilson Center. "So long as terrorist leaders roam free, there's still a very big terrorism problem." +A case in point is the outlawed Lashkar-e-Taiba, a global terrorist organization that has been resurrected as Jamaat-ud-Dawa, a group known to have sent scores of fighters to Syria and Iraq to bolster the Islamic State group, according to Pakistani intelligence officials, who spoke on condition of anonymity to discuss the sensitive issue. +Hafiz Saeed, the co-founder of Lashkar-e-Taiba, who has a $10 million U.S.-imposed bounty on his head, lives unrestricted in Lahore, the capital of Pakistan's Punjab province, where 60 per cent of the country's 200 million people live. +Just last month the U.S. State Department declared another of the group's senior commanders, Abdul Rehman al-Dakhil, a global terrorist, who poses "a significant risk of committing acts of terrorism that threaten the security of U.S. nationals or the national security, foreign policy, or economy of the United States." +Dakhil, who also now lives freely in Lahore, was arrested in Iraq in 2004 and held in U.S. custody in Iraq and Afghanistan until 2014, when he was returned to Pakistan, where he spent a brief stint in prison before being released. +"ISIS is cut from the same basic ideological cloth as the other Islamist terror groups in Pakistan," said Kugelman, using an alternate acronym for the Islamic State group. "Marriages of convenience can never be ruled out, whether in terms of operational partnerships or cost-sharing. … We've seen a model of Afghanistan-focused ISIS members linking up with local facilitators in Pakistan to stage attacks." +____ +Associated Press writers Munir Ahmed and Zarar Khan in Islamabad, Riaz Khan in Peshawar, Pakistan, Adil Jawad in Karachi, Pakistan, Susannah George in Washington and Edie Lederer in New York contributed to this report \ No newline at end of file diff --git a/input/test/Test4728.txt b/input/test/Test4728.txt new file mode 100644 index 0000000..407d04d --- /dev/null +++ b/input/test/Test4728.txt @@ -0,0 +1 @@ +WarezSerbia » Ebooks » The Science of Natural Healing The Science of Natural Healing The Science of Natural Healing 24xDVDRip | MP4/AVC, ~818 kb/s | 426x320 | 24x30 mins | English: AAC, 96 kb/s (2 ch) | 4.56 GB Genre: eLearning Video / Health, Medicine In the 21st century, the Western paradigm for healthcare is changing. Notwithstanding the great strengths of medical science, many people now have concerns about key features of our health-care system-among them, the widespread use of medical drugs and a relative deemphasis on preventive care. But traditional Western medicine is not the only healing system rooted in science. Medical systems from other cultures, including those of India and China, have used natural treatments for centuries, some of which are now directly influencing our own health-care professions. These approaches not only emphasize healing with natural substances, but devote considerable attention to illness prevention and healthful living by considering the whole person rather than just targeting a condition.What is the most effective way to nurture your own optimal health? Are there sound alternatives to the drugs so common in our health-care system, which can carry unwanted consequences and side effects? What about the range of natural methods, such as herbal medications, micronutrients, and the use of food itself as medicine? Are these approaches valid? And, if so, can we integrate the best of Western medicine with the best natural treatments to enjoy prime health and longevity?In The Science of Natural Healing, board-certified cardiologist Dr. Mimi Guarneri, founder of the Scripps Center for Integrative Medicine, leads you in a compelling and practical exploration of holistic approaches to healthcare, introducing you to the many nature-based treatments and methods that are both clinically proven and readily available to you. In 24 incisive and revealing lectures, you look deeply into the science behind natural treatments and preventive healthcare, including how medical conditions ranging from high blood pressure to heart disease and diabetes can be treated naturally with remarkable effectiveness.You also discover, perhaps surprisingly, that a large number of ailments and illnesses that we usually accept as part of life are in fact directly linked to lifestyle factors-and that positive changes in lifestyle, diet, and physical activity can have a major effect in both preventing and treating illness.By probing the underlying causes for common medical conditions such as inflammation, high cholesterol, arthritis, and migraines, and the range of natural ways to treat them-including the use of improved nutrition, plant substances, supplements, and stress-reduction techniques-The Science of Natural Healing leaves you with a rich spectrum of choices and possibilities for your own healthcare, as well as practical tools for creating a truly healthful lifestyle. Healing the Whole Human Being As a guiding context for your study of natural healing, you learn about a new paradigm for healthcare, as embodied in the field of integrative holistic medicine. ("Holistic" simply means "whole.") Integrative holistic medicine takes a large view, focusing on the whole person-aiming to prevent and treat illness through a full-spectrum approach that looks deeply at the factors of your genetic makeup, environment, lifestyle, nutrition, physical activity, and psychology.Integrative holistic medicine is thoroughly grounded in traditional Western medical practice but also incorporates the use of proven natural substances and healing methods, looking for the underlying causes of illness and dedicated to caring for body, mind, and spirit.The Promise of Nature-Based Healthcare In this far-ranging inquiry, you delve into core subjects such as these: The power of food in healing: By studying fundamental principles of nutrition, food sensitivity, and the impact of foods on the genome, discover the remarkable ways in which you can both prevent and treat numerous illnesses by what you eat.Micronutrients and natural supplements: Investigate the healing properties of natural substances, including probiotics, selenium, and the hormone vitamin D, and their effectiveness in treating and preventing ulcerative colitis, diarrhea, and cancer.Clinically proven herbal medicines: Study the medicinal uses of aloe, ginger, and licorice for the GI tract, cranberry and saw palmetto for urogenital conditions, and herbal treatments for migraines.Natural treatments for common medical conditions: Apply the integrative treatment model and its many tools to specific conditions, including inflammation, cholesterol abnormalities, high blood pressure, and diabetes.The mind-body connection in healing: Review substantial research on the mind's effect on the body, including an in-depth study of stress, and learn about the use of guided imagery, yoga, meditation, and other mind-body modalities to treat physical illness.Natural approaches to mental and spiritual health: Explore eye-opening data ranging from the effects of micronutrients and herbs on depression to studies showing the correlation between spiritual practices and longevity. Learn practical techniques for deepening an affirmative mental outlook and feeling state. Teaching of Rare Scope and Vision Revealing both an extraordinary depth of knowledge and a passionate investigative spirit, Dr. Guarneri points you to numerous empowering avenues and alternatives for healthful living. You study the many benefits of the Mediterranean diet and how to choose specific foods for your own optimal health. You observe the critical importance of exercise in both illness prevention and treatment, and you learn a range of methods (including the use of your own breathing) to disarm stress and deepen the experience of well-being.Dr. Guarneri enlivens these lectures with unusual and often astonishing facts and stories, inviting you to challenge common assumptions and habitual thinking about health. You learn that75 to 90 percent of all visits to health-care providers result from stress-related disorders;plant substances such as garlic and wakame seaweed substantially reduce systolic blood pressure; anddebilitating conditions such as arthritis and migraines can be triggered by simple sensitivity to foods.In a penetrating exploration of the mind-body connection, Dr. Guarneri makes it clear that the health of the body is intimately related to the health of the mind and spirit.You review hard-nosed research demonstrating the role of healthy relationships in positive health outcomes.You learn why chronic anger increases the risk of heart attack by 230 percent.You track the medical consequences of depression and hopelessness, and studies linking positive emotions and strong social bonds to markedly lower incidence of illness.You'll also see the integrative paradigm in action in real-life case studies, including the profile of a woman with diabetes, high blood pressure, arthritis, and depression. Then, observe how an integrative treatment plan for her includes dietary changes, specific micronutrients, exercise, stress-reduction techniques, and renewed social connection.In presenting the case studies, Dr. Guarneri demonstrates, with great compassion and discernment, how the integrative physician can guide patients through the emotional challenges of difficult illness and recovery so that they retain their spirit and identity.Your Health: A New PossibilityNo matter what kind of life you're living, optimal health is one of the greatest assets you can have. In The Science of Natural Healing, Dr. Guarneri offers you the opportunity to take a highly proactive and informed role in your own healthcare-to make use of the best of nature-based medicine, to live a truly nurturing lifestyle, and to care for your own well-being in the most comprehensive and far-reaching way. In speaking deeply to a truly integrative approach to healing, these lectures can make a profound difference in your health now and in the future and help you live your life to the absolute fullest. Professor Mimi Guarneri M.D. 24 Lectures (30 minutes / lecture) : 1. Shifting the Health-Care Paradigm2. Understanding Holistic Integrative Medicine3. You Are More Than Your Genes4. Food Matters5. Not All Foods Are Created Equal6. Natural Approaches to Inflammation7. Food Sensitivity and the Elimination Diet8. Vitamins and Supplement \ No newline at end of file diff --git a/input/test/Test4729.txt b/input/test/Test4729.txt new file mode 100644 index 0000000..c825cef --- /dev/null +++ b/input/test/Test4729.txt @@ -0,0 +1,21 @@ +For women with advanced breast cancer who carry the BRCA1 and BRCA2 gene mutations, an experimental drug could improve survival, a new study suggests. +The BRCA mutations are linked with a greater risk for aggressive breast and ovarian cancer. The drug, talazoparib, works by blocking an enzyme called poly ADP ribose polymerase (PARP), thus preventing cancer cells from killing healthy ones. +In a phase 3 trial of 431 women, funded by the drug's maker, those who received talazoparib lived longer without their cancer progressing than women treated with standard chemotherapy by an average of three months, researchers found. +"For women with metastatic breast cancer and a BRCA mutation, PARP inhibitors may be considered for their treatment," said lead researcher Dr. Jennifer Litton, an associate professor of breast medical oncology at the University of Texas M.D. Anderson Cancer Center in Houston. +When it's functioning properly, BRCA actually helps repair damaged DNA and prevents tumors, but when BRCA1 and BRCA2 go awry, they encourage breast cancers. +PARP inhibitors such as talazoparib appear to interfere with the function of mutated BRCA in breast cells, causing them to die rather replicate. +In addition, several ongoing studies are looking at combinations with PARP inhibitors "to try to expand who may benefit or lengthen how long they may work," Litton said. +The trial results are preliminary, as talazoparib has not yet been approved by the U.S. Food and Drug Administration. +In January, the FDA approved the first PARP inhibitor, Lynparza, to treat BRCA-mutated breast cancer. +Similar drugs have already been used to treat advanced, BRCA-mutated ovarian cancer, according to the agency. +In the current trial, the women who were randomly selected to receive talazoparib had a higher response rate to treatment than women who received standard chemotherapy: 63 percent versus 27 percent, the researchers found. +The drug does have side effects. Among women receiving talazoparib, 55 percent had blood disorders, mostly anemia, compared with 38 percent of those receiving standard chemotherapy. +In addition, 32 percent of the women receiving talazoparib had other side effects, compared with 38 percent of those on standard chemotherapy. +Oncologist Dr. Marisa Weiss is the founder and chief medical officer of Breastcancer.org. "Smart medicines like this PARP inhibitor work better than traditional chemo in women with HER2-negative metastatic disease and a BRCA1/2 genetic mutation," she said. +This targeted form of treatment takes advantage of a weakness in the BRCA gene to further cripple the cancer cell's ability to repair itself, grow and spread, said Weiss, who was not involved with the study. +Normal cells are mostly spared. As a result, more cancer cells are killed with fewer side effects, Weiss said. +"Most importantly, patients themselves have reported a better experience with less hair loss and improved quality of life," she said. +Weiss advises women with advanced breast cancer to have genetic testing. +"In both my clinical practice and within the online support community, we advise women with metastatic breast cancer to get genetic testing upon diagnosis, in order to get the best care first," she said. +The trial was funded by drug maker Pfizer, and the results were published Aug. 15 in the New England Journal of Medicine . +More informatio \ No newline at end of file diff --git a/input/test/Test473.txt b/input/test/Test473.txt new file mode 100644 index 0000000..3fb32fc --- /dev/null +++ b/input/test/Test473.txt @@ -0,0 +1,8 @@ +by Guest Post +September 15, 2018, Hotel Radisson Slavyanskaya +Crypto Expo is a live communication platform, a dialogue of crypto-enthusiasts, business and start-ups. Those who have just come to this industry will be able to plunge into it deeper, and experts and leaders will share their experience. +For the second time, Finexpo will organize the largest exhibition-forum on blockchain, ICO and crypto-currencies in order to gather the participants of the crypto community together to consider the most actual and urgent issues. Within 8 hours, more than 40 speakers will perform at the conference, workshops and seminars. Experts will talk about the innovative applications of blockchain-technologies in various areas, the prospects of the blockchain and the crypto industry, legislative aspects, the launch of the ICO, the attraction of investments in business and other interesting topics. +In the expo zone, Russian and foreign companies will present novelties for mining, besides this they will present ICO-projects, Exchange of the crypto values, blockchain-platforms, software developers. Hurry up and get your ticket! Advertisement advertisement +To learn the details of the business program and to join the Crypto Expo, visit https://cryptoexpo.moscow/?utm_btcmanager +The entrance to the exhibition area is free. +Telegram-chat \ No newline at end of file diff --git a/input/test/Test4730.txt b/input/test/Test4730.txt new file mode 100644 index 0000000..1a3e1b1 --- /dev/null +++ b/input/test/Test4730.txt @@ -0,0 +1,12 @@ +Jaipur, Aug 17 (IANS) Twenty years ago, India scripted a success story on May 11 and May 13, 1998 when five nuclear tests were performed in Rajasthan's Pokhran under the guidance of former Prime Minister Atal Bihari Vajpayee, who had assumed power only a little while ago. +It was a completely secret exercise only known to a select few. +On May 11, 1998, Jaisalmer woke up to an ordinary day. However, there were a few bulldozers heading to a particular site to dig up well-like sites. Sand was filled into these wells. +Within a few minutes, they were ignited. It was followed by a huge thunder that brought loud cheer from a few scientists at the site who had kept a constant vigil on all the developments. +In Delhi, Vajpayee along with the then Home Minister Lal Krishna Advani, former Defence Minister George Fernandes, Finance Minister Yashwant Sinha and Principal Secretary to Prime Minister, Brijesh Mishra, were sitting with bated breath. +However, the moment, Dr A.P.J. Abdul Kalam, who happened to be the Scientific Advisor to Vajpayee, sent a message on the hotline, saying, "Buddha smiles again", all of them jumped with joy. +The former Prime Minister immediately called the scientists to congratulate them on their success. +The tests left the Western world shocked and surprised. +India gained a new identity after the tests. However, there were economic sanctions imposed by the US. +An unfazed Vajpayee, however, continued with the next round of nuclear tests two days later. +--IANS +arc/in/vsc (This story has not been edited by economictimes.com and is auto–generated from a syndicated feed we subscribe to.) 0 Comment \ No newline at end of file diff --git a/input/test/Test4731.txt b/input/test/Test4731.txt new file mode 100644 index 0000000..7ab9ee2 --- /dev/null +++ b/input/test/Test4731.txt @@ -0,0 +1 @@ +Releases New Report on the Global Egg White Peptide Market Amy James 17th-Aug-2018 0 Egg white peptide is an advanced amino acid peptide bond formulation which is produced by the hydrolysis of chicken egg albumin with the help of an enzyme. This egg white peptide is heat resistant and delivers amino acids in the form of di-peptides and tri-peptides while maintaining the original amino acid balance of an egg white. Egg white peptide is a patented product of Kewpie Corporation. It is very small in size and requires no further digestion and can be absorbed quickly by the human body. Egg white has excellent heat stability and can be used in various food products which require high heat pasteurization. This product is still in its research phase and there are very few companies which offer this product. Egg white peptide has also been commercialized as egg albumin hydro lysate and hydrolyzed egg white. Request to view Sample Report: https://www.transparencymarketresearch.com/sample/sample.php?flag=B&rep_id=43265 There are many protein and amino acid ingredients available in the market, but it is expected that egg white peptide will bring a revolutionary change in near future. Certain tissues in our human body, such as the brain, kidney and lungs, have a direct need for di and tri-peptides. The human body actually prefers di and tri-peptides as the predominant source of absorbed protein. Egg white peptide directly serves the purpose as the amino acid in the product is already in the form of di and tri-peptides. These egg white peptides get absorbed in the blood very easily and are utilized for protein synthesis at a higher rate. Egg white peptide is expected to boost the sports nutrition market significantly as this product is scientifically proven to be a good stamina and endurance booster and heals post-workout muscle soreness and damage. Moreover, egg white peptides are manufactured under very controlled and sterile conditions and can be used in media preparation instead of albumin. This practice could help the media become free from contamination and lead to less wastage, because of which there is expected to be increasing demand for egg white peptide from research institutes and the biotechnology industry in near future. All the above factors combined are expected to bolster the demand for egg white peptides significantly during the forecast period. Some of the key players operating in the global egg white peptide market are Merck & Co., Inc., HiMedia Laboratories Pvt. Ltd., Kewpie Corporation, and Aqua Lab Technologies, among others \ No newline at end of file diff --git a/input/test/Test4732.txt b/input/test/Test4732.txt new file mode 100644 index 0000000..b72d04a --- /dev/null +++ b/input/test/Test4732.txt @@ -0,0 +1,31 @@ +August 17, 2018 15:36 15:36 IST more-in India lost the first two Tests; by 31 runs at Edgbaston and innings and 159 runs at the Lord's. +Shaken by abject surrender in the first two Tests, a desperate India are expected to ring in a slew of changes as they aim at redemption against a rampaging England in a do-or-die third Test, starting tomorrow. +For Indian team, the Trent Bridge Test will be their last chance to save the series after being outplayed in the first two Test matches — by 31 runs Edgbaston and innings and 159 runs at the Lord's. +Down 0-2 with only five and half days of competitive cricket in all, skipper Virat Kohli and coach Ravi Shastri will be aiming to get the team combination right having bungled at the Lord's. +As a result, India will play their 38th combination in as many matches that skipper Kohli had led. +Pant's imminent debut +The most awaited change will be 20-year-old Rishabh Pant's imminent Test debut replacing a horribly out-of-form Dinesh Karthik, who might well have played his last international game in the longest format. +With scores of 0, 20, 1 & 0 in four innings coupled with shoddy glovework meant that Karthik was seen giving catching practice to Pant, who also spend considerable time batting at the nets. +Being hailed as Mahendra Singh Dhoni's successor, Pant's entry into the squad happened after three half-centuries in the two first-class matches against England Lions. +Despite a triple hundred and a healthy first-class average of 54 plus, it will still be baptism by fire for the Roorkee-born youngster. He will be facing Messrs Jimmy Anderson, Stuart Broad, Chris Woakes and Sam Curran, ready to make life miserable for him just like they have done with his illustrious seniors. +If Pant's Test debut has generated a lot of interest, there is a prayer on every fan's lips that skipper Kohli gets fit enough to wield the willow. +India picking up pieces +It is the impact of the last defeat in swing-friendly conditions across just over six sessions that is still hurting the Indian camp. Throughout the week, they have been left picking up the pieces, mostly in terms of re-evaluating fitness of their key players. +In that aspect at least, there is some good news. Jasprit Bumrah is fit again; Ravichandran Ashwin and Hardik Pandya have recovered completely from their hand injuries suffered while batting at Lords, and skipper Kohli has more or less recovered from his back problems. +Never has an injury invoked so much interest since Sachin Tendulkar's tennis elbow. Kohli's condition seemed to have improved a lot and as he had maintained, he will be out there at the toss alongside Joe Root. +Team combination +This is where the hard part begins for India. Having admitted their mistake in picking two spinners at Lord's, it is about time skipper Kohli and coach Shastri hit upon the optimal team combination. +Nevertheless, there are bound to be changes in the playing eleven for some vital members of the squad are now seemingly bereft of confidence. +Murali Vijay, for example, has scored only 128 runs in 10 overseas Test innings against South Africa and England. An average of 12.8 is tough to ignore, but for a batsman of his calibre, the team management could still afford another chance given that India need to win this game. +At the same time however, it brings Shikhar Dhawan back into contention. He averages 17.75 against South Africa and England in two Tests this year, and his overall average in England is 20.12 (four Tests). In these two instances, he has scored at a strike-rate of 68.93 and 57.29, respectively, which could once again go in his favour. +Thus, there is every chance that India could opt for their third different opening pairing — of Dhawan and KL Rahul — in as many Tests, the middle order will be untouched. Especially with Kohli regaining fitness, Karun Nair still isn't seen to be active during practice sessions. It was the case in Birmingham and London, as well as in Nottingham, and playing an extra specialist batsman is not in the management's immediate plans as yet. +Best possible combination +If it so transpires, Umesh Yadav will once again be unlucky to miss out, for the team management will be eager to get their best possible combination out on the field. +The pitch at Trent Bridge bore a different look than 2014, when these two teams met here. India scored 457 and 391/9 decl in two innings on a flat surface, as England had scored 496 whilst batting once and the match petered out to a draw. +The forecast for this third Test is of decent cloud cover through the first four days, and if the Indian team takes into consideration, they would surely opt for just the lone spinner. +Meanwhile, England have a big selection headache on their hands. Ben Stokes' re-assimilation in the squad has gone off smoothly, and after spending the past week away, he went through rigorous batting and bowling sessions on Thursday. +He got a decent reception from a sizeable fan gathering ahead of the game, but how the crowd reacts to his presence in the game on Saturday could be a worry for the team management. +Teams: +India: Virat Kohli (c), Shikhar Dhawan, Murali Vijay, KL Rahul, Cheteshwar Pujara, Ajinkya Rahane, Dinesh Karthik (wk), Rishabh Pant, Karun Nair, Hardik Pandya, R Ashwin, Ravindra Jadeja, Kuldeep Yadav, Ishant Sharma, Umesh Yadav, Shardul Thakur, Mohammed Shami, Jasprit Bumrah. +England: Joe Root (c), Alastair Cook, Keaton Jennings, Jonny Bairstow, Jos Buttler, Oliver Pope, Moeen Ali, Adil Rashid, Jamie Porter, Sam Curran, James Anderson, Stuart Broad, Chris Woakes, Ben Stokes. +Match starts at: 3.30 pm IST \ No newline at end of file diff --git a/input/test/Test4733.txt b/input/test/Test4733.txt new file mode 100644 index 0000000..a205a31 --- /dev/null +++ b/input/test/Test4733.txt @@ -0,0 +1,7 @@ +Email +CROWN HEIGHTS, Brooklyn — At least four people are injured after a fire erupted at a Brooklyn building Friday morning. +Authorities received a call shortly before 6 a.m. about the blaze at the cellar of a mixed occupancy building at 291 Buffalo Avenue in Crown Heights. +The building appears to have businesses on the ground floor and residential apartments on the floors above, according to Google Maps. +At least four people suffered life-threatening injuries. +AIR11 is over the scene: +This is a developing story; check back for updates and get the PIX11 News app to stay informed all day \ No newline at end of file diff --git a/input/test/Test4734.txt b/input/test/Test4734.txt new file mode 100644 index 0000000..cb9ce20 --- /dev/null +++ b/input/test/Test4734.txt @@ -0,0 +1,15 @@ +NEWS AGENCIES News No Comment on Ex-Banker arrested on his wedding day over ₦1m theft +A 37-year-old former marketing officer with Addosser Micro-Finance Bank Plc, Aliu Mustapha, who was arrested on his wedding day, was, yesterday, arraigned before an Igbosere Magistrate's Court in Lagos on allegation of stealing ₦1 million. +The defendant, a resident of Oremeji Street, Lagos, is facing a one-count charge of stealing preferred against him by the Police. +The prosecutor, Sergeant Samuel Mishozunnu, told the court that the defendant committed the alleged offence during office hours. +He said the defendant committed the offence between May and June 2017, while he was a staff of Addosser Micro-Finance Bank Plc, at 32, Lewis Street, Lagos Island. +Mishozunnu said the defendant collected ₦1 million from the micro-finance bank's customers, but refused to remit it to their accounts. +Crime +The prosecutor said one of the customers had given him N840,000 and another N160,000, after which he absconded and was later apprehended during his wedding, last weekend. +Mishozunnu said: "Mustapha was arrested last week Saturday, August 11, during his wedding after the Police got information that he was getting married, waited for him to exchange his marital vows before he was apprehended." +According to the prosecutor, the offence is punishable under Section 287(7) of the Criminal Law of Lagos State, 2015. +However, the defendant pleaded not guilty to the charge. +The defendant's counsel, Mr. M. A. Rufai, urged the court to grant the defendant bail in the most liberal terms. +Magistrate Y. O. Aro-Lambo granted him bail in the sum of N200,000, with two sureties in like sum. +He said one of the sureties must be a community leader, adding that they must show evidence of tax payment to the Lagos State Government and have their addresses verified. +The case was adjourned till September 11 for trial. \ No newline at end of file diff --git a/input/test/Test4735.txt b/input/test/Test4735.txt new file mode 100644 index 0000000..60427b3 --- /dev/null +++ b/input/test/Test4735.txt @@ -0,0 +1,17 @@ +APNS_MAX_NOTIFICATION_SIZE +Simple example of use: class OrderShippedPush ( PushNotification ): message = _ ( 'Order no. {{item.pk}} has been shipped.' ) # ... somewhere in a view OrderShippedPush ( item = order , receivers = [ user ], context = {}) . send () Unsubscriber +This section refers to all notifications except WebSockets, which by default are not prone to unsubscriptions (however this can be changed by setting check_subscription to True). +Each category for each type must be explicitly declared in config (with label). If it is not there, exception will be raised on attempt to send such notification. This requirement is to prevent situation, that notification of given type is send to user who would not wish to receive it, but cannot unsubscribe from it (since it is not present in the config). +Since categories can be changed with configuration, labels should be specified for them, since they can't be hardcoded in client's app. +There is one special category: "system". This category should not be declared in configuration, and notification with such category will always pass. +Sample configuration: UNIVERSAL_NOTIFICATIONS_CATEGORIES = { "push" : { "default" : _ ( "This is a label for default category you'll send to FE" ), "chat" : _ ( 'Category for chat messages' ), "promotions" : _ ( 'Promotions' ,) }, "email" : { "default" : _ ( "This is a label for default category you'll send to FE" ), "chat" : _ ( 'Category for chat messages' ), "newsletter" : _ ( 'Newsletter' ,) }, "sms" : { "default" : _ ( "This is a label for default category you'll send to FE" ), "chat" : _ ( 'Category for chat messages' ), "newsletter" : _ ( 'Newsletter' ,) }, "test" : { "default" : _ ( "This is a label for default category you'll send to FE" ), }, }, +If you want to allow different types of users to have different categories of notifications, you can do it with configuration: # not required. If defined, specific types of users will only get notifications from allowed categories. # requires a bit more configuration - helper function to check if notification category is allowed for user UNIVERSAL_NOTIFICATIONS_USER_CATEGORIES_MAPPING = { "for_admin" : { "push" : [ "default" , "chat" , "promotions" ], "email" : [ "default" , "chat" , "newsletter" ], "sms" : [ "default" , "chat" , "newsletter" ] }, "for_user" : { "push" : [ "default" , "chat" , "promotions" ], "email" : [ "default" , "newsletter" ], # chat skipped "sms" : [ "default" , "chat" , "newsletter" ] } }, # path to the file we will import user definitions for UNIVERSAL_NOTIFICATIONS_USER_CATEGORIES_MAPPING UNIVERSAL_NOTIFICATIONS_USER_DEFINITIONS_FILE = 'tests.user_conf' # from file: tests/user_conf.py def for_admin ( user ): return user . is_superuser def for_user ( user ): return not user . is_superuser +In the example above, functions "for_admin" & "for_user" should be defined in file tests/user_conf.py. Each function takes user as a parameter, and should return either True or False. +If given notification type is not present for given user, user will neither be able to receive it nor unsubscribe it. Unsubscriber API +The current subscriptions can be obtained with a API described below. Please note, that API does not provide label for "unsubscribe_from_all", since is always present and can be hardcoded in FE module. Categories however may vary, that's why labels for them must be returned from BE. # GET /subscriptions return { "unsubscribe_from_all" : bool , # False by default "each_type_for_given_user" : { "each_category_for_given_type_for_given_user" : bool , # True(default) if subscribed, False if unsubscribed "unsubscribe_from_all" : bool # False by default } "labels" : { "each_type_for_given_user" : { "each_category_for_given_type_for_given_user" : string , } } } +Unsubscriptions may be edited using following API: # PUT /subscriptions data = { "unsubscribe_from_all" : bool , # False by default "each_type_for_given_user" : { "each_category_for_given_type_for_given_user" : bool , # True(default) if subscribed, False if unsubscribed "unsubscribe_from_all" : bool # False by default } } +Please note, that if any type/category for type is ommited, it is reseted to default value. FakeEmailSend view +universal_notifications.backends.emails.views.FakeEmailSend is a view that helps testing email templates. To start using it, add url(r'^emails/', include('universal_notifications.backends.emails.urls')) to your urls.py, and specify receiver email address using UNIVERSAL_NOTIFICATIONS_FAKE_EMAIL_TO . +After that you can make a request to the new url with template parameter, for instance: http://localhost:8000/emails/?template=reset_password , which will send an email using emails/email_reset_password.html as the template. Notification history +By default all notifications that have been sent are stored in the NotificationHistory object in the database, but this behavior can be changed, and therefore the database will not be used to store notification history (but you will still receive notification history in your app log, on the info level). +To disable using database, set UNIVERSAL_NOTIFICATIONS_HISTORY_USE_DATABASE to False (default: True ), and to disable any history tracking, set UNIVERSAL_NOTIFICATIONS_HISTORY to False (default: True ). Project detail \ No newline at end of file diff --git a/input/test/Test4736.txt b/input/test/Test4736.txt new file mode 100644 index 0000000..c4bc83e --- /dev/null +++ b/input/test/Test4736.txt @@ -0,0 +1,3 @@ +PropertyWala.com Residential Plot / Land for sale in City Square Resortomes, Dundigal, Hyderabad 10 - 20 lacs Open Residential Plot for Sale at Shamirpet Shamirpet, Dundigal, Hyderabad (Andhra Pradesh) Possession: Immediate/Ready to move Description Plot Situated near Shamirpet Police Station. Behind Petrol Bunk of Indian Oil Corp. Its gated community of EME1 Society. Conta +When you contact, don't forget to mention that you found this ad on PropertyWala.com. Location Price Trends Dundigal, Hyderabad Residential Plots / Lands for sale in Dundigal, Hyderabad This property is priced approximately same as the average for an Residential Plots / Lands for sale in Dundigal, Hyderabad (Rs.10366/SqYards) * Disclaimer: Data may be approximate. Listing Details Raj Bhavan Road area, Hyderabad Scan QR code to get the contact info on your mobile Pictures * These pictures are of the project and might not represent the property Project Floor Plans * These floor plans are of the project and might not represent the property Similar Properties Need more info? Contact now! Report a problem with this listing Is this property no longer available or has incorrect information? Report it! Disclaimer: All information is provided by advertisers and should be verified independently before entering into any transaction. PropertyWala.com is only an advertising platform to help connect buyers and sellers and is not a party to any transactions, nor shall be responsible or liable to resolve any disputes between them. Services Testimonials Why PropertyWala.com? +PropertyWala.com, voted India's Best Real Estate Portal, offers innovative and user friendly property advertising services. People looking to advertise their properties for sale or rent can post comprehensive details of their properties including videos, photographs, layout plans, and the exact location on map. This offers people looking to buy or rent a property an unmatched perspective of the desired property, just short of an actual site visit, from the comfort of their home or office. Whether you are looking to buy/rent a property or sell/rent out your property , you can avail PropertyWala.com services free of cost . © 2007-2017 PropertyWala.com. All Rights Reserve \ No newline at end of file diff --git a/input/test/Test4737.txt b/input/test/Test4737.txt new file mode 100644 index 0000000..0a605ff --- /dev/null +++ b/input/test/Test4737.txt @@ -0,0 +1,35 @@ +In 1898 when school teacher and former congressional aide James M. Cox paid $28,000 for the Dayton Evening Herald, he became part of a long heritage of Dayton entrepreneurs who would leave their mark on our community and the nation. +For his money - most of it borrowed - he received a broken-down press, a list of subscribers that was half-fiction and a host of competitors eager to stomp his fledgling business out of existence. +But 120 years later, his newspaper survives as a daily part of Dayton life. And it became the cornerstone of a multi-billion-dollar international corporation that Cox's family still operates. +PHOTOS: Historic Dayton Daily News front pages from major local, national and global events The 1920 presidential election pitted two Ohioans - Ohio Gov. James Cox and U.S. Sen. Warren Harding - in an election that Harding won easily. Both were also newspapermen. Cox started his newspaper career in Dayton when he founded the Dayton Daily News. (Dayton Daily News Archive) Cox renamed his new acquisition the Dayton Daily News on Aug. 22, 1898, and launched a company that focused on three essential components of his journalistic mission: +• Advocate relentlessly for Dayton and its residents +• Shed light on the actions of powerful interests – whether government or private industry — and how they impact this community +• Give our customers our best every day +This mission of service differentiated the Dayton Daily News and allowed it to thrive. +As the region grew – with aviation, paper manufacturing, agriculture, information technology, automotive and national defense as the foundation of the local economy – the Dayton Daily News covered the journey. +READ MORE: The Dayton Daily News turns 120: The story of its founding and connection to the community +In the newsroom, generations of journalists have worked by rules that are as valid in the digital era as when newsprint was brought into the city by canal barge: Get out there. Go see for yourself. If you don't know the answer, ask. Knock on the door. Ask the question again. Keep digging. Get it right. +Our advertising team has been driven by the same instincts: How do we help our clients grow by giving them access to the best audiences and information? How do we help them win by finding answers to their key business questions? +The story of the Dayton Daily News is also a mirror of the highs and lows of the Dayton region. Both stories have the same threads - early doubtful prospects, persistence, innovation, fantastic growth, challenges, adaptation, evolution, and constant, constant, constant effort. +On June 11, 1910 the newly constructed Dayton Daily News buiding at Fourth and Ludlow streets was opened to the public. During the celebration President William Howard Taft pushed a telegraph key at the White House which sent an electrical current that started the press. DAYTON METRO LIBRARY Paging through past issues of the Dayton Daily News — available at libraries around the region, online and at a special collection managed by the Wright State University Libraries – gives a detailed, daily recollection of how our paper and our community have been intertwined. +READ MORE: How the Dayton Daily News covered 7 major local and national news events of the past 120 years +In 1998 the Dayton Daily News won the Pulitzer Prize for national reporting for digging deep into problems with the way the Department of Defense provided health care to active duty service men and women and their families. The Pentagon stepped up in the wake of coverage and pledged to make improvements to the more than 600 hospitals and clinics it managed. +But the pages have also been filled with an uncountable number of small acts - chronicling Daytonians working, fighting, succeeding and grieving. +During the Vietnam War the paper ran "Letters to GIs" around the holidays - a list of dozens of mailing addresses to service men and women. The list was printed to encourage readers to write to these men and women at the holidays so they knew their service in the military was appreciated. "Take one or more of the names and addresses from today's listing and send a card, a letter, a small package. It could do as much for you as it does for those who serve." +August 15, 1945: The front page of the Dayton Daily News covering the celebration in Dayton at the end of World War II. VIEW THE FULL-SIZE PAGE: https://www.daytondailynews.com/rw/Pub/p9/DaytonDailyNews/2018/08/14/Images/1945_08_15.jpg The papers during World War II were produced with a dozen stories or more on the front pages every day. But the day war in the Pacific ended, the front page was filled instead with photos of euphoric Daytonians hugging. "Peace - Dayton Style" +Wars began and ended on our pages. +Floods came. Lives were lost. Healing began. +NCR started, grew, flourished, declined and left. +GM plants dotted the region. Strikes occurred. New lines were added. Gleaming cars rolled off busy production lines. Plants closed. And then - in some cases - reopened. +Desegregation. The 1960s. Suburbs boomed. The city evolved. +The Reds won. Pete Rose lost. +The Bengals made - and lost - two of the greatest Super Bowls in history. +Major institutions developed: Wright-Patterson Air Force Base, Wright State, the Schuster Center for the Performing Arts. +The University of Dayton men's basketball team shocked the world - several times. +An Ohioan walked on the moon. +9/11 brought us to tears. +This summer we launched a team of journalists dedicated to getting to the bottom of three of the most persistent issues cited as holding our community back: the opioid epidemic, the quality of education provided by Dayton Public Schools and the need to ensure Dayton has the jobs of the future. This group is looking for answers, and a fantastic board of community contributors is giving them feedback all the way. +The stories of it all have been told in the pages of the Dayton Daily News, and it is work we are still proud to do. We tell these stories today in many different ways: in video, in podcasts, and across devices that fit in your hand and project on walls. But it does not matter whether the content is immersive or printed on paper - it's the story that matters. +That's why everyday thousands of people engage with our digital content. I hear from readers more often now with questions about our epaper than about our printed edition, which shows again how the governor's product can evolve and adapt to stand the test of time. There is a Quote: from the governor on the walls that our employees pass by every day that says: We must never turn back the hands of the clock. We must go forward and not backward. +We break news when it happens, all day, online. Our staffs work in partnership with those of WHIO-TV and WHIO Radio so closely it is nearly impossible to tell where one starts and another stops. Then we print and deliver the most impactful investigations and articles of the day to doorsteps the next morning. It is an exciting, hard job that we love. +I am proud that The Dayton Daily News is still telling the stories of this community every day. It has been produced by Daytonians, for its readers for 120 years. And because of our steadfast commitment to serve, evolve and adapt, the Dayton Daily News will be here for many more \ No newline at end of file diff --git a/input/test/Test4738.txt b/input/test/Test4738.txt new file mode 100644 index 0000000..dd310a5 --- /dev/null +++ b/input/test/Test4738.txt @@ -0,0 +1,42 @@ +Project description gevent +gevent is a coroutine -based Python networking library that uses greenlet to provide a high-level synchronous API on top of the libev or libuv event loop. +Features include: Fast event loop based on libev or libuv . Lightweight execution units based on greenlets. API that re-uses concepts from the Python standard library (for examples there are events and queues ). Cooperative DNS queries performed through a threadpool, dnspython, or c-ares. Monkey patching utility to get 3rd party modules to become cooperative TCP/UDP/HTTP servers Subprocess support (through gevent.subprocess ) Thread pools +gevent is inspired by eventlet but features a more consistent API, simpler implementation and better performance. Read why others use gevent and check out the list of the open source projects based on gevent . +gevent was written by Denis Bilenko . +Since version 1.1, gevent is maintained by Jason Madden for NextThought with help from the contributors and is licensed under the MIT license. +See what's new in the latest major release. +Check out the detailed changelog for this version. +Read the documentation online at http://www.gevent.org . +Post feedback and issues on the bug tracker , mailing list , blog and twitter (@gevent) . Installation and Requirements Supported Platforms +gevent 1.3 runs on Python 2.7 and Python 3. Releases 3.4, 3.5 and 3.6 of Python 3 are supported. (Users of older versions of Python 2 need to install gevent 1.0.x (2.5), 1.1.x (2.6) or 1.2.x (<=2.7.8); gevent 1.2 can be installed on Python 3.3.) gevent requires the greenlet library and will install the cffi library by default on Windows. +gevent 1.3 also runs on PyPy 5.5 and above, although 5.9 or above is strongly recommended. On PyPy, there are no external dependencies. +gevent is tested on Windows, OS X, and Linux, and should run on most other Unix-like operating systems (e.g., FreeBSD, Solaris, etc.) +Note +On Windows using the libev backend, gevent is limited to a maximum of 1024 open sockets due to limitations in libev . This limitation should not exist with the default libuv backend. Installation +Note +This section is about installing released versions of gevent as distributed on the Python Package Index +gevent and greenlet can both be installed with pip , e.g., pip install gevent . Installation using buildout is also supported. +On Windows, OS X, and Linux, both gevent and greenlet are distributed as binary wheels . +Tip +You need Pip 8.0 or later, or buildout 2.10.0 to install the binary wheels. +Tip +On Linux, you'll need to install gevent from source if you wish to use the libuv loop implementation. This is because the manylinux1 specification for the distributed wheels does not support libuv. The cffi library must be installed at build time. Installing From Source +If you are unable to use the binary wheels (for platforms where no pre-built wheels are available or if wheel installation is disabled, e.g., for libuv support on Linux), here are some things you need to know. You can install gevent from source with pip install --no-binary gevent gevent . You'll need a working C compiler that can build Python extensions. On some platforms, you may need to install Python development packages. Installing from source requires setuptools . This is installed automatically in virtual environments and by buildout. However, gevent uses PEP 496 environment markers in setup.py . Consequently, you'll need a version of setuptools newer than 25 (mid 2016) to install gevent from source; a version that's too old will produce a ValueError . Older versions of pipenv may also have issues installing gevent for this reason . To build the libuv backend (which is required on Windows and optional elsewhere), or the CFFI-based libev backend, you must install cffi before attempting to install gevent on CPython (on PyPy this step is not necessary). Common Installation Issues +The following are some common installation problems and solutions for those compiling gevent from source. Some Linux distributions are now mounting their temporary directories with the noexec option. This can cause a standard pip install gevent to fail with an error like cannot run C compiled programs . One fix is to mount the temporary directory without that option. Another may be to use the --build option to pip install to specify another directory. See issue #570 and issue #612 for examples. Also check for conflicts with environment variables like CFLAGS . For example, see Library Updates . Users of a recent SmartOS release may need to customize the CPPFLAGS (the environment variable containing the default options for the C preprocessor) if they are using the libev shipped with gevent. See Operating Systems for more information. If you see ValueError: ("Expected ',' or end-of-list in", "cffi >= 1.11.5 ; sys_platform == 'win32' and platform_python_implementation == 'CPython'", 'at', " ; sys_platform == 'win32' and platform_python_implementation == 'CPython'") , the version of setuptools is too old. Install a more recent version of setuptools. Extra Dependencies +gevent has no runtime dependencies outside the standard library, greenlet and (on some platforms) cffi . However, there are a number of additional libraries that extend gevent's functionality and will be used if they are available. +The psutil library is needed to monitor memory usage. +zope.event is highly recommended for configurable event support; it can be installed with the events extra, e.g., pip install gevent[events] . +dnspython is required for the new pure-Python resolver, and on Python 2, so is idna . They can be installed with the dnspython extra. Development +To install the latest development version: pip install setuptools cffi 'cython>=0.28' git+git://github.com/gevent/gevent.git#egg=gevent +Note +You will not be able to run gevent's test suite using that method. +To hack on gevent (using a virtualenv): $ git clone https://github.com/gevent/gevent.git $ cd gevent $ virtualenv env $ source env/bin/activate (env) $ pip install -r dev-requirements.txt +Note +The notes above about installing from source apply here as well. The dev-requirements.txt file takes care of the library prerequisites (CFFI, Cython), but having a working C compiler that can create Python extensions is up to you. Running Tests +There are a few different ways to run the tests. To simply run the tests on one version of Python during development, begin with the above instructions to install gevent in a virtual environment and then run: (env) $ cd src/greentest (env) $ python ./testrunner.py +Before submitting a pull request, it's a good idea to run the tests across all supported versions of Python, and to check the code quality using prospector. This is what is done on Travis CI. Locally it can be done using tox: pip install tox tox +The testrunner accepts a --coverage argument to enable code coverage metrics through the coverage.py package. That would go something like this: cd src/greentest python testrunner.py --coverage coverage combine coverage html -i Continuous integration +A test suite is run for every push and pull request submitted. Travis CI is used to test on Linux, and AppVeyor runs the builds on Windows. +Builds on Travis CI automatically submit updates to coveralls.io to monitor test coverage. +Note +On Debian, you will probably need libpythonX.Y-testsuite installed to run all the tests. Project detail \ No newline at end of file diff --git a/input/test/Test4739.txt b/input/test/Test4739.txt new file mode 100644 index 0000000..f382750 --- /dev/null +++ b/input/test/Test4739.txt @@ -0,0 +1,25 @@ +API Integration AVAYA IP Office 500v2 +Integration IP Office 500v2 +I need incoming / outgoing calls in Avaya IP Office (data) to be sent in real time to my database. +Also, I want to include the in the API the path to the recording file of the call -- if possible. +1- Once the phone rings, you call a RESTful POST / GET Web Serice API to pass: +INCIDENT_ID -- I suppose that Avaya generates an ID for each call. +COUNTRY_CODE +CALL_TIME (The exact time of receiving the call) +PBX_ID (Hardcoded Value) +DOMAIN-URL/[INCIDENT_ID}/{COUNTRY_CODE}/{CALLER_ID}/{CALLED_DID}/{EXTENSION}/{CALL_TIME}/{PBX_ID} +2- Once the phone is Picked Up, you pass: +INCIDENT_ID +EXTENSION --- that picked up the call +CALL_TIME (The exact time of receiving the call) +PICKUP_TIME +3- Once the phone is Dropped you pass: +CALL_TYPE ( IN / OUT) +CALL_DURATION (in seconds) --- I suppose you pass 0 in case the call was missed. +RECORDING_FILE_PATH. (In case the recording is set up.) +PBX_ID (Hardcoded Value) +We need to discuss the options of: +The call is answered by the Auto Reply msg. +The call is forwarded. +The call reaches a DID that has a rule to Auto forward to a mobile phone number. (Usually after working hours / holidays) +Pls, let me know if you have any question or any suggestion to enhance the flow or any point that you think I missed. ( 2 reviews ) dubai, United Arab Emirates Project ID: #17591217 Offer to work on this job now! Bidding closes in 6 days Open - 6 days left Your bid for this job USD Set your budget and timeframe Outline your proposal Get paid for your work It's free to sign up and bid on jobs 6 freelancers are bidding on average $683 for this job $600 USD in 10 days (56 Reviews) Dear Hiring Manager, I read your job description and I am confident that I can exceed your expectations. I am a professional programmer on Call Center, Call Control XML, Java, JSON, VoIP Here is few recent work More $555 USD in 10 days (2 Reviews) $1111 USD in 15 days (1 Review) $555 USD in 10 days (2 Reviews) Hello, How are you doing? I have good experience with AVADA theme and you can check below website for reference:- [login to view URL] [login to view URL] [login to view URL] http://www.1stcl More $722 USD in 10 days (0 Reviews) itsparx Hi, Thank you for giving me a chance to bid on your project. i am a serious bidder here and i have already worked on a similar project before and can deliver as u have mentioned I have got Rich experience in Jooml More $555 USD in 10 days (0 Reviews) Offer to work on this job now! Bidding closes in 6 days Open - 6 days left Your bid for this job US \ No newline at end of file diff --git a/input/test/Test474.txt b/input/test/Test474.txt new file mode 100644 index 0000000..cd554b4 --- /dev/null +++ b/input/test/Test474.txt @@ -0,0 +1,8 @@ +Android Messages Gets Dark Mode, Revamped Interface, and Smart Reply Feature Android Messages Gets Dark Mode, Revamped Interface, and Smart Reply Feature Jagmeet Singh , 17 August 2018 Android Messages transforms the background from completely white to black after enabling the dark mode. Highlights Android Messages has received an update to version 3.5 The updated app brings a dark mode It also comes with a revamped interface that has Material Theme elements +Android Messages has received a new update that brings a dark mode. The latest Android Messages update (version 3.5) also includes a revamped interface that has Google's Material Theme elements as well as Google Sans font. The fresh interface matches the design of Samsung's proprietary Messaging app that has an all-white background. Google has also brought its machine learning-based Smart Reply feature that initially arrived on Inbox by Gmail in 2015. The Android Messages app did receive the same Smart Reply feature in January this year, but that was limited to Project Fi users . +Among other new features, the updated Android Messages app has included the dark mode that lets you completely transform the background from white to black and fonts from black to white. The feature is majorly useful if you often use Android Messages at night or under low-light conditions as it removes limits the emission of unwanted light from the screen. However, as Android Police notes , the app shows inverted colours in conversations once the dark mode is enabled, whereas messages that you sent to a recipient always come in a light blue bubble along with a darker blue font. Android Messages with dark mode +You can enable the dark mode on the updated Messages app by tapping the three-dot menu key from the top-right corner for the screen and then selecting the Enable dark mode option. By following the same process, you can switch back to the normal mode as well. +Apart from the dark mode, the updated Android Messages app brings Material Theme-based interface that adds a completely white background and Google Sans font. The revamped interface also replaces the original '+' FAB with a larger button that by default shows the 'Start chat' text. The text gets replaced with the new message icon once you scroll down. Old vs New interface +The updated Android Messages app also brings a Smart Reply feature that you can enable by going to the app settings. The feature uses your recent messages to show you relevant suggestions. However, Google assures users that it doesn't store the messages to offer suggestions. +As we mentioned, the Smart Reply feature was initially a part of Gmail, though Google brought it to Android Messages earlier this year, but only for the Project Fi users. +The updated Android Messages app is rolling out for all compatible devices through Google Play . Meanwhile, you can download its APK file from APK Mirror to get the latest experience ahead of its formal rollout for your handset \ No newline at end of file diff --git a/input/test/Test4740.txt b/input/test/Test4740.txt new file mode 100644 index 0000000..7cefc3e --- /dev/null +++ b/input/test/Test4740.txt @@ -0,0 +1,9 @@ + Lisa Pomrenke on Aug 17th, 2018 // No Comments +Needham & Company LLC restated their buy rating on shares of Alnylam Pharmaceuticals (NASDAQ:ALNY) in a research report sent to investors on Monday morning. The brokerage currently has a $152.00 target price on the biopharmaceutical company's stock. +"Alnylam and the FDA announced Friday the approval of Onpattro for the treatment of polyneuropathy caused by hATTR. Mgmt guided for drug to be available today. WAC price is $450,000/yr and mgmt estimates average net price $345,000/yr. Because the label is focused on polyneuropathy, we assume penetration of the PN (only polyneuropathy symptoms) and Mixed (both cardiomyopathy and polyneuropathy symptoms) subsets, but not the cardiomyopathy subset of the hATTR patient population. Nevertheless, given the impressive efficacy seen in the Phase 3 APOLLO trial, we expect the drug to be an attractive and competitive option for PN +Mixed patients. Reiterate BUY. Our enthusiasm for the stock is still primarily driven by the RNAi platform, which we expect to produce several more differentiated drugs going forward."," Needham & Company LLC's analyst wrote. Get Alnylam Pharmaceuticals alerts: +Other analysts also recently issued research reports about the stock. Piper Jaffray Companies dropped their target price on shares of Alnylam Pharmaceuticals from $182.00 to $160.00 and set an overweight rating for the company in a research report on Wednesday, June 27th. BMO Capital Markets lowered their price objective on shares of Alnylam Pharmaceuticals from $127.00 to $125.00 and set an outperform rating for the company in a research report on Monday. Cowen lowered their price objective on shares of Alnylam Pharmaceuticals from $157.00 to $147.00 and set an outperform rating for the company in a research report on Monday. BidaskClub raised shares of Alnylam Pharmaceuticals from a strong sell rating to a sell rating in a research report on Friday, July 13th. Finally, ValuEngine downgraded shares of Alnylam Pharmaceuticals from a strong-buy rating to a buy rating in a research report on Tuesday, August 7th. Four equities research analysts have rated the stock with a sell rating, two have given a hold rating and seventeen have assigned a buy rating to the stock. Alnylam Pharmaceuticals has an average rating of Buy and an average target price of $142.00. ALNY opened at $92.95 on Monday. The company has a market cap of $9.80 billion, a P/E ratio of -17.14 and a beta of 2.31. Alnylam Pharmaceuticals has a 1 year low of $70.76 and a 1 year high of $153.99. The company has a debt-to-equity ratio of 0.02, a current ratio of 13.22 and a quick ratio of 13.22. +Alnylam Pharmaceuticals (NASDAQ:ALNY) last posted its earnings results on Thursday, August 2nd. The biopharmaceutical company reported ($1.63) earnings per share (EPS) for the quarter, topping the Zacks' consensus estimate of ($1.74) by $0.11. The firm had revenue of $29.91 million during the quarter, compared to the consensus estimate of $16.96 million. Alnylam Pharmaceuticals had a negative net margin of 533.52% and a negative return on equity of 38.09%. The company's revenue was up 87.8% on a year-over-year basis. During the same quarter in the prior year, the company earned ($1.07) EPS. analysts expect that Alnylam Pharmaceuticals will post -6.99 earnings per share for the current year. +In other news, CEO John Maraganore sold 50,000 shares of the stock in a transaction that occurred on Wednesday, July 25th. The stock was sold at an average price of $105.39, for a total transaction of $5,269,500.00. Following the completion of the transaction, the chief executive officer now directly owns 201,297 shares in the company, valued at approximately $21,214,690.83. The transaction was disclosed in a document filed with the SEC, which is accessible through this link . Also, SVP Laurie Keating sold 1,563 shares of the stock in a transaction that occurred on Wednesday, June 20th. The shares were sold at an average price of $105.04, for a total value of $164,177.52. Following the transaction, the senior vice president now owns 16,063 shares of the company's stock, valued at $1,687,257.52. The disclosure for this sale can be found here . 3.70% of the stock is owned by company insiders. +Several institutional investors have recently added to or reduced their stakes in the company. FMR LLC boosted its stake in shares of Alnylam Pharmaceuticals by 0.4% during the 2nd quarter. FMR LLC now owns 15,078,361 shares of the biopharmaceutical company's stock valued at $1,485,068,000 after buying an additional 52,653 shares during the last quarter. BlackRock Inc. boosted its stake in shares of Alnylam Pharmaceuticals by 0.9% during the 1st quarter. BlackRock Inc. now owns 7,178,062 shares of the biopharmaceutical company's stock valued at $854,909,000 after buying an additional 62,999 shares during the last quarter. Baillie Gifford & Co. boosted its stake in shares of Alnylam Pharmaceuticals by 10.4% during the 2nd quarter. Baillie Gifford & Co. now owns 4,231,881 shares of the biopharmaceutical company's stock valued at $416,798,000 after buying an additional 397,668 shares during the last quarter. Point72 Asset Management L.P. boosted its stake in shares of Alnylam Pharmaceuticals by 49.4% during the 2nd quarter. Point72 Asset Management L.P. now owns 1,356,408 shares of the biopharmaceutical company's stock valued at $133,593,000 after buying an additional 448,362 shares during the last quarter. Finally, BB Biotech AG boosted its stake in shares of Alnylam Pharmaceuticals by 12.8% during the 2nd quarter. BB Biotech AG now owns 1,140,538 shares of the biopharmaceutical company's stock valued at $112,332,000 after buying an additional 129,200 shares during the last quarter. Institutional investors own 91.30% of the company's stock. +Alnylam Pharmaceuticals Company Profile +Alnylam Pharmaceuticals, Inc, a biopharmaceutical company, discovers, develops, and commercializes novel therapeutics based on RNA interference (RNAi). Its pipeline of investigational RNAi therapeutics focuses on genetic medicines, cardio-metabolic diseases, and hepatic infectious diseases. The company's clinical development programs include Patisiran, which is in Phase III clinical trial for the treatment of hereditary transthyretin-mediated amyloidosis; Givosiran that is in Phase III trial to treat acute hepatic porphyrias; Fitusiran, an investigational RNAi therapeutic that is in Phase II open-label extension and Phase III clinical trial for the treatment of hemophilia and rare bleeding disorders; and Inclisiran, which is in III clinical trial for hypercholesterolemia \ No newline at end of file diff --git a/input/test/Test4741.txt b/input/test/Test4741.txt new file mode 100644 index 0000000..88792e2 --- /dev/null +++ b/input/test/Test4741.txt @@ -0,0 +1,6 @@ +HDFC Securities' research report on KNR Constructions +KNRC continues to outperform its growth guidance and delivered strong 1QFY19 revenue at Rs 5.6bn which was 18.4% above estimates. EBITDA at Rs 1.1bn was 35.7% above our estimates, with EBITDA margins expanding to 19.7% (+215bps YoY, +42bps QoQ). We estimate sustainable margins to be around 16-17% and have revised our estimates to reflect the same. APAT beat stood at 57.5%. Order book is Rs 59.5bn with Rs 2bn addition in Arunachal Pradesh project scope. KNRC is focusing on completing financial closure of its 5 HAM projects (EPC value – Rs 39.8bn) that were won in 4QFY18. KNR has announced FC for 3 and 4th HAM FC is expected in Aug-18. KNR continues to maintain a lean WC capital cycle with NWC days at 30, especially demonstrating strong control on receivables (28days) as compared to 50-75 days for other listed peers. +Outlook +We continue to maintain BUY with and increased SOTP of Rs 392/sh. +For all recommendations report, click here +Disclaimer: The views and investment tips expressed by investment experts/broking houses/rating agencies on moneycontrol.com are their own, and not that of the website or its management. Moneycontrol.com advises users to check with certified experts before taking any investment decisions \ No newline at end of file diff --git a/input/test/Test4742.txt b/input/test/Test4742.txt new file mode 100644 index 0000000..86da957 --- /dev/null +++ b/input/test/Test4742.txt @@ -0,0 +1,14 @@ +Rinicare raises money to support the commercialisation of its digital healthcare portfolio +Rinicare Limited , a leading intelligent healthcare company has announced the completion of its financing round by welcoming new investors Catapult Ventures and NPIF - Mercia Equity Finance , which is managed by Mercia Fund Managers and part of the Northern Powerhouse Investment Fund. +The funding will be used to support the commercialisation of Rinicare's digital healthcare portfolio, which is designed to provide solutions that improve outcomes and reduce costs in a number of settings such as emergency, primary and community care as well as progress its AI-powered predictive algorithm for intensive care. +Healthcare providers around the world face the challenge of maintaining sustainable healthcare systems in light of an ageing population and continuously increasing costs. Rinicare's approach to addressing these challenges is based on a collaborative effort with clinicians and end users to design advanced wireless communications, innovative prediction algorithms and enhanced software technology solutions that demonstrably improve outcomes and reduce healthcare costs. +The company markets its wireless physiological signs technology (PRIME) and its falls prevention system (SAFE) globally in a number of healthcare solutions, which are tailored to individual needs. +In addition to its expanding marketed solutions, Rinicare is developing its AI predictive system, Stability, which is initially focused at intensive care and addresses a global market for predictive healthcare analytics. This fast emerging area of healthcare is estimated to grow at a compound annual growth rate of over 25%, reaching an estimated global market value of $24.6billion by 2022. +Stuart Hendry, CEO of Rinicare, commented: 'We are very pleased to welcome such high-quality investors in this financing round. We will be using proceeds to support the ongoing commercialisation of our PRIME and SAFE based healthcare solutions in the UK and abroad as well as continuing with the development of world-leading Stability AI intensive care programme that has already captured data from several thousand intensive care patients.' +Dr Vijay Barathan, Life Science Partner, Catapult Ventures said: 'We are excited to work with Rinicare as they commercialise their intelligent health product portfolio in the UK and international healthcare markets. Each product represents an innovative solution and significant market opportunity.' +Dr Mark Wyatt, Investment Director at Mercia, said: 'I am looking forward to working with the Rinicare team, and I am excited to see their technologies drive efficiency gains and patient benefits into the healthcare system.' +Sue Barnard, Senior Relationship Manager at British Business Bank, said: 'The healthcare market is evolving rapidly, and is expected to grow significantly over the next few years. The North is home to many innovative businesses in this space, such as Rinicare, and NPIF is pleased to support those looking to enter the next phase of growth.' +The Northern Powerhouse Investment Fund project is supported financially by the European Union using funding from the European Regional Development Fund (ERDF) as part of the European Structural and Investment Funds Growth Programme 2014-2020 and the European Investment Bank. +Attachments +Original document Permalink Disclaimer +Mercia Technologies plc published this content on 17 August 2018 and is solely responsible for the information contained herein. Distributed by Public, unedited and unaltered, on 17 August 2018 10:25:03 UT \ No newline at end of file diff --git a/input/test/Test4743.txt b/input/test/Test4743.txt new file mode 100644 index 0000000..03cd059 --- /dev/null +++ b/input/test/Test4743.txt @@ -0,0 +1,20 @@ +ExpreS2ion Biotech Holding AB and its affiliate ExpreS2ion Biotechnologies ApS ('ExpreS2ion') announce that a scientific article on the production of a malaria vaccine candidate using the Company's ExpreS2 platform was published today in the journal npj Vaccines, a part of Nature Partner Journals Series . The article ' Production, quality control, stability, and potency of cGMP-produced Plasmodium falciparum RH5.1 protein vaccine expressed in Drosophila S2 cells ', adds further documentation to the successful use of ExpreS2 as a GMP certified production platform for a product that are currently in a Phase 1/2a clinical trial. +The article describes the production of the University of Oxford's leading blood-stage malaria vaccine candidate RH5.1 in accordance with GMP using the ExpreS2 platform. The product met all criteria for sterility, purity and identity and the vaccine formulation was judged suitable for use in humans. RH5.1 is currently evaluated in a phase 1/2a clinical trial. +' This publication adds to the evidence that our ExpreS2 system is an excellent platform for vaccine development and GMP production for clinical trials. We are excited to work with the University of Oxford and their promising RH5.1 malaria vaccine candidate and will of course inform the market when results from this study becomes public ', says ExpreS2ion's CEO Dr. Steen Klysner . +Summary of the npj Vaccines article +A leading malaria blood-stage vaccine candidate (PfRH5) called 'RH5.1' was produced as a soluble product under GMP using the ExpreS2 platform. The QC testing showed that the master cell bank and the RH5.1 product met all specified acceptance criteria including those for sterility, purity and identity. The vaccine formulation was judged suitable for use in humans and is currently in a Phase 1/2a clinical trial. The data support the future use of the ExpreS2 platform for GMP-compliant biomanufacturing of other novel vaccines. +The article can be accessed via the following link: https://doi.org/10.1038/s41541-018-0071-7 +Malaria +Malaria is a major global health problem with 3.2 billion people living at risk of malaria infection. In 2015, malaria was thought to have caused 429,000 deaths, most of which (70%) occurred in children under five years old (WHO, 2016, http://www.who.int/malaria/media/world-malaria-report-2016/en/ ). +In a malaria market assessment study by the Boston Consulting Group sponsored by the Malaria Vaccine Initiative, the malaria vaccine demand was estimated to be translated into a global market value of up to $400M per year. +Certified Adviser +Sedermera Fondkommission is appointed as Certified Adviser for ExpreS2ion. +For further information about ExpreS2ion Biotech Holding AB, please contact: +Dr. Steen Klysner, CEO +Telephone: +45 2062 9908 +E-mail: sk@expres2ionbio.com +About ExpreS2ion +ExpreS2ion Biotechnologies ApS is a fully owned Danish subsidiary of ExpreS2ion Biotech Holding AB with company register number 559033-3729. The subsidiary has developed a unique proprietary platform technology, ExpreS2, that can be used for fast and efficient preclinical and clinical development as well as robust production of complex proteins for new vaccines and diagnostics. Since the Company was founded in 2010, it has produced more than 250 proteins and 35 virus-like particles (VLPs) in collaboration with leading research institutions and companies, demonstrating superior efficiency and success rates. In addition, ExpreS2ion develops novel VLP based vaccines through the joint venture AdaptVac ApS which was founded in 2017. +Attachments +Original document Permalink Disclaimer +ExpreS2ion Biotech Holding AB published this content on 17 August 2018 and is solely responsible for the information contained herein. Distributed by Public, unedited and unaltered, on 17 August 2018 10:10:02 UT \ No newline at end of file diff --git a/input/test/Test4744.txt b/input/test/Test4744.txt new file mode 100644 index 0000000..2d43526 --- /dev/null +++ b/input/test/Test4744.txt @@ -0,0 +1 @@ +Indoor Positioning and Indoor Navigation (IPIN) Market – Opportunities, Challenges, Strategies , 17 August 2018 -- Indoor Positioning and Indoor Navigation (IPIN) Market – Opportunities, Challenges, StrategiesGlobal Indoor Positioning and Indoor Navigation (IPIN) Market An indoor positioning and indoor navigation (IPIN) system is a network of devices used to locate people and objects inside a building wirelessly. Whereas navigation is concerned with finding places in large office buildings, museums, university buildings and malls, indoor positioning and indoor navigation (IPIN) solutions improve accuracy of Wi-Fi based navigation and positioning. Earlier GPS devices were used intensively, as these devices were robust for outdoor environments. However, GPS signals are unavailable in indoor environments. Advanced indoor positioning and indoor navigation devices and solutions ensure better connectivity, access and indoor navigation. Get Brochure For More Information@ https://www.transparencymarketresearch.com/sample/sample.php?flag=B&rep_id=12350 In addition, these devices and solutions will enhance customer privacy and is expected to bring in advancement in existing maps and navigation solutions and software. Increasing use of IPIN devices and solutions in various applications such as commercial buildings, healthcare, hospitality, oil & gas, mining and other related applications is driving the growth of indoor positioning and indoor navigation market. Global Indoor Positioning and Indoor Navigation (IPIN) Market: Segmentation The indoor positioning and indoor navigation (IPIN) market can be segmented by six major criteria: devices, software, system types, applications and end users. The indoor positioning and indoor navigation (IPIN) market can be segmented on the basis of types of devices used into three major categories, namely network devices, proximity devices and mobile devices. On the basis of system types, the indoor positioning and indoor navigation (IPIN) market can be segmented into two major categories, namely indoor location based analytics and indoor navigations & maps. The system type segment includes three major categories such as independent positioning system, network based positioning system and hybrid positioning system. On the basis of application the indoor positioning and indoor navigation (IPIN) market can be segmented into eleven major categories, namely commercial buildings & offices, healthcare, hospitality, government, security, aviation, oil & gas, mining, education, manufacturing and others (distribution, transport & logistics). The indoor positioning and indoor navigation (IPIN) market can be segmented on the basis of end-users into three major categories namely government, industrial and commercial sector. The market can also be segmented on the basis of major geographies into North America, Europe, Asia Pacific and Rest of the World (Latin America, Africa and Middle East) Global Indoor Positioning and Indoor Navigation (IPIN) Market: Drivers and Restraints The indoor positioning and indoor navigation (IPIN) market across the globe is expected to show a substantial CAGR from 2013 to 2019. There is a significant increase in the IPIN market because of technological advancement and cost reduction. The key drivers of this market include increasing customer awareness. IPIN technology is replacing GPS technology and government initiatives, which are the biggest revenue generators for indoor positioning and indoor navigation (IPIN) market. The key restraint to this market is indoor environment and capex issues. Some of the key players in the Indoor positioning and indoor navigation (IPIN) market are Apple Incorporation, Cisco Systems Inc., Broadcom, Ericsson, Microsoft, Google Inc., Nokia Corporation, Qualcomm-Atheros, Motorola Solution Inc., Samsung Electronics Co. Ltd., Stmicroelectronics, Siemens, Spirent Communications PLC, Aisle, Nowon Technologies Pvt Ltd. and Insiteo among others. Download ToC Of Research Report@ https://www.transparencymarketresearch.com/sample/sample.php?flag=T&rep_id=12350 # # \ No newline at end of file diff --git a/input/test/Test4745.txt b/input/test/Test4745.txt new file mode 100644 index 0000000..8662971 --- /dev/null +++ b/input/test/Test4745.txt @@ -0,0 +1,2 @@ +Cable TV announces Asian Games 2018 programme line-up Friday 17 August 2018 | 12:55 CET | News Cable TV, the official broadcaster of the 18th Asian Games 2018 Jakata-Palembang in Hong Kong, has announced its broadcasting coverage of the event. This quadrennial mega Asia sports event will be telecast by free-to-air Cantonese channel, Fantastic TV and the English channel Hong Kong International Business Channel. The programme of Asian Games 2018 on Cable TV will be a cross-platform special broadcast, spanning pay TV, free TV, the Internet and mobile networks. Thank you for visiting Telecompaper +We hope you've enjoyed your free articles. Sign up below to get access to the rest of this article and all the telecom news you need. Register free and gain access to even more articles from Telecompaper. Register here Subscribe and get unlimited access to Telecompaper's full coverage, with a customised choice of news, commentary, research and alerts \ No newline at end of file diff --git a/input/test/Test4746.txt b/input/test/Test4746.txt new file mode 100644 index 0000000..a7246d6 --- /dev/null +++ b/input/test/Test4746.txt @@ -0,0 +1,21 @@ +Post Send +I have returned in one piece from the GBTA Convention in San Diego, and come bearing updates on the future of corporate travel. +After talking with more than a dozen executives, signs of progress are there. Travel management companies want to play nice with global distribution systems. Hotels are ramping up their variety of experiences for travelers. Services that used to be outlawed like Uber and Airbnb have gone legit. +Still, I am hesitant to say that a wildly innovative future is ahead. Most likely, as usual, things that were announced this week will appear slowly over time or not at all. Things seem to be getting more complex when technology should be solving more problems than it causes. You can find my analysis below. +I also took a look at new research from GBTA itself, which doesn't seem to be taking the threat of global economic instability seriously when it comes to expected growth for the sector. But hey, the warning signs have been there for years, so who knows. We'll all find out soon enough. +Check out these stories, and much more from across the industry, below. +If you have any feedback about the newsletter or news tips, feel free to reach out via email at or tweet me @sheivach . +— Andrew Sheivachman, Business Travel Editor Airlines, Hotels, and Innovation +Why Everyone Is Starting to Play Nice in Corporate Travel: After years of inaction, the big travel management companies are finally figuring out how to create a better booking experience for travelers. The dream of the personalized and automated future of corporate travel, though, may never come to pass. +Torrid Growth Projected for Business Travel Despite Tariffs and Trade Wars: It looks like 2018 could be the year that business travel growth truly peaks. With the specter of trade wars, Brexit, and financial instability on the horizon, the sector's financial outlook may change in a hurry. +Jin Jiang Is Buying Radisson Hotel Group: The great HNA hospitality unraveling continues. More interesting though, is what does this mean for Jin Jiang's other hospitality investments, including its 12 percent stake in AccorHotels? +U.S. Sanctions May Ban Inbound Flights on Russian Carrier Aeroflot: Political tension between the U.S. and Russia mounts, and this time, Russia's state-run carrier Aeroflot may feel the pinch. +Marriott and Starwood Clean House Ahead of Combining Loyalty Programs: Marriott and Starwood are ready to pull the trigger on integrating their loyalty programs — but will their hotel and loyalty members ever be ready for the change? +Customers Cram Carry-Ons as U.S. Airlines Look the Other Way: Don't look for airlines to impose weight limits on carry-on bags anytime soon, even though jet fuel prices are climbing and heavier loads eat up fuel. The Future of Travel +How Cvent Searches for the Event Technology Tipping Point: Cvent wants to be opportunistic about adding emerging technologies like augmented reality to its broad stable of products for event professionals. For the time being, the focus is on making its products easier to use and reducing the fragmentation that can make life more complicated for its customers. +Luxury General Managers on How Five-Star Expectations Have Changed: What better way to discover how luxury travel has evolved than to chat with veterans of the five-star hospitality space? +Why Travelers Don't Trust Airlines on Personalization: Some sophisticated travelers like it when airlines embrace sophisticated personalization strategies, particularly when it means an airline will make a reasonably priced offer for something the customer values, such as an upgrade or a change to an earlier flight. But more casual travelers might find it intrusive. +SUBSCRIBE +Skift Business Travel Editor Andrew Sheivachman [ ] curates the Skift Corporate Travel Innovation Report. Skift emails the newsletter every Thursday. +Subscribe to Skift's Free Corporate Travel Innovation Report See full article +Interested in more stories like this? Subscribe to Skift's Corporate Travel Innovation Report to stay up-to-date on the future of corporate travel. Photo Credit: A panel at GBTA Convention 2018 in San Diego. Now, travel management companies want to play nice with global distribution systems. Skift Up Nex \ No newline at end of file diff --git a/input/test/Test4747.txt b/input/test/Test4747.txt new file mode 100644 index 0000000..d109cb5 --- /dev/null +++ b/input/test/Test4747.txt @@ -0,0 +1,11 @@ +Project description Funtime - Funguana's Time-series database library for your trading bot +Funtime is a mongodb based time series library. It was created because we ran into the problem of inputting data that may have its schema change and querying it quickly. +We found arctic to be a good library, yet it lacked straightforward pythonic querying methods. We added a layer on top for our own purposes. +Both funtime and arctic use mongodb as the main database What makes Funtime better? +The single thing that makes funtime better for timeseries information is that it has more clear querying methods. It should be noted that it still has arctic as the foundation. Meaning the speed of it is extremely fast. This works a lot like tickstore, yet it's easier to get your hands on and use than tickstore +It is a layer on time of arctic. We added the following: An easy way to add and filter data with a given timestamp/datetime Easy conversions to both a pandas and dask dataframe A choice to get information by a filtration type. This allows the user to be highly flexible with how they want to get information Window - A window query is a query that gets information two dates. They must be valid. Before - Gets every record before a certain time After - Gets every record after a certain time How does it work? +All forms of time data is stored as a epoch timestamp. This is to make querying easier and faster than if we were to use a full datetime object. We do conversions within the library from datetime objects into epoch timestamps. +This increases the insert time, yet reduces the querying time. Numbers are easier to filter than date objects. The biggetst tradeoff is in ease of use. Example: from funtime import Store , Converter import mimesis # this is used to seed data for our test import time # Create a library and access the store you want store = Store () . create_lib ( "hello.World" ) . get_store () # store the data with a timestamp store [ 'hello.World' ] . store ({ "type" : "price" , "currency" : "ETH_USD" , "timestamp" : time . time (), "candlestick" : { "open" : 1234 , "close" : 1234.41 , "other" : "etc" } }) # Query general information. It returns a generator runs = store [ 'hello.World' ] . query ({ "type" : "price" }) # Check for results for r in runs : print ( r ) # Even get information with complex time queries runs2 = store [ 'hello.World' ] . query_time ( time_type = "before" , start = time . time (), query_type = "price" ) # Check for results for r in runs : print ( r ) Using the Pandas/Dask converter +As a data scientist, you may want to handle your data in dataframe format. With funtime , you can get your timestamp information in both pandas.DataFrame and dask.DataFrame format. You would use the Converter import. from funtime import Store , Converter runs = store [ 'hello.World' ] . query ({ "type" : "price" }) # if you want a pandas object df = Converter . to_dataframe ( runs ) # If you want to do parallel processing within dask ddf = Converter . to_dataframe ( runs , "dask" ) How to install +Make sure to install mongodb at the very beginning. The instructions are different for different operating systems. Then run: pip install funtime +Or you can use pipenv for it: pipenv install funtim \ No newline at end of file diff --git a/input/test/Test4748.txt b/input/test/Test4748.txt new file mode 100644 index 0000000..7b87a3b --- /dev/null +++ b/input/test/Test4748.txt @@ -0,0 +1 @@ +Physicists reveal oldest galaxies Astronomy - Aug 17 Some of the faintest satellite galaxies orbiting our own Milky Way galaxy are amongst the very first that formed in our Universe, physicists have found. Physics - Aug 16 To tame chaos in powerful semiconductor lasers, which causes instabilities, scientists have introduced another kind of chaos. Medicine - Aug 15 Death rates from stroke declining across Europe New research, published in the European Heart Journal has shown deaths from conditions that affect the blood supply to the brain, such as stroke, are declining overall in Europe but that in some countries the decline is levelling off or death rates are even increasing. Environment - Aug 16 Coral bleaching across Australia's Great Barrier Reef has been occurring since the late 18 th century, new research shows. Mathematics - Aug 15 Universities must seek a deeper understanding of the drivers of inequality in job roles and academic ranks if they are to achieve change. Categor \ No newline at end of file diff --git a/input/test/Test4749.txt b/input/test/Test4749.txt new file mode 100644 index 0000000..52044fc --- /dev/null +++ b/input/test/Test4749.txt @@ -0,0 +1,3 @@ +by Arshmeet Hora | Aug 17, 2018 | Blockchain The commercial, state-backed Bank of China (BOC) have ventured into exploring blockchain technology applications, for payment system development. BOC have entered into a partnership with financial services corporation China UnionPay (CUP) for the same. This comes as a response to market demands and regulatory requirement for the ease the cross-border mobile payments between two parties. According to an announcement on August 15 , the two parties will jointly investigate big data and distributed ledger technology deployment in order to improve mobile banking products. The CUP plans to build a unified port for mobile integrated financial services, enabling the cardholders to use a QR code to spend, transfer and trade on a cloud flash payment app. Subsequently, BOC will launch a promotional program of the payment system to provide customers with a "safer, more convenient and more efficient mobile payment service experience." A grant of $20 million has been awarded to the Hong Kong University of Science and Technology Business School to research and improve the security capabilities of electronic payment systems. The university along with other parties will explore blockchain technology applications to enhance the electronic payment security system. Last week, a number of measures to speed up the promotion of blockchain applications in the country were proposed by the Chinese Ministry of Industry and Information Technology (MIIT). It aimed to provide a "healthy and orderly development of the industry." The MIIT intends to provide a gradual extension of blockchain applications from the financial sector to other industries, such as electronic deposit services, supply chain management, Internet of Things (IoT), and others. +Arshmeet Hora +The idea of expressing one's views and reviews through words is beyond intriguing. What started as a creative let out has now become a passion and a profession for Arshmeet K Hora. In her own words " with every word, every article that I write, my passion towards this medium has grown stronger." Arshmeet covers latest crypto news and updates as well as what happening new revolving around Blockchain Technology. Advertisement Get Latest Bitcoin and Crypto News Like us on Faceboo \ No newline at end of file diff --git a/input/test/Test475.txt b/input/test/Test475.txt new file mode 100644 index 0000000..db4fe1c --- /dev/null +++ b/input/test/Test475.txt @@ -0,0 +1,8 @@ +US Navy Explosive Ordnance Disposal Expert Exchange Begins in Colombia +Navy News Service +Release Date: 8/16/2018 8:24:00 AM +From Southern Partnership Station 2018 Public Affairs +CARTAGENA, Colombia (NNS) -- A U.S. Navy team of explosive ordnance disposal (EOD) technicians arrived in Colombia, Aug. 6, to participate in subject matter expert exchanges (SMEEs) and partner-capacity building engagements with Colombian military forces as part of Southern Partnership Station (SPS) 2018. +Members from Platoon 231, EOD Mobile Unit 2 will participate in classroom and practical field application with the Infantería de Marina Colombiana (Colombian marines) and the Ejército Nacional de Colombia (Colombian National army) at the Colombian marine training base located in the town of Coveñ +The SMEE in Coveñ +ther governmental agencies. NEW \ No newline at end of file diff --git a/input/test/Test4750.txt b/input/test/Test4750.txt new file mode 100644 index 0000000..1796c44 --- /dev/null +++ b/input/test/Test4750.txt @@ -0,0 +1,13 @@ +How do you moderate the situation that Daniel is chasing the much more experienced Lucas? +For me the way to look at it is very simple: We need to have two fast, aggressive, hard-charging drivers and we need to have cars that deliver them race wins. If we do have that, we have the chance of taking some titles. If we don't, we don't. And then sometimes we might have the occasion that the two guys are at the front at the same time and unfortunately in motorsport only one can win. I much prefer to have a situation like this than not to be competitive at all. From my perspective, it's a luxury to have two drivers and a team that are so passionate to win. Daniel stepped up very well and probably a little more than Lucas expected. Now they are pushing each other and that is exactly what we want and need. +How do you rate Formula E - considering it is still kind of a start-up? +I was not an instant believer that the championship would flourish to the same level it has. Mainly because I have seen a lot of championships come and go in their first couple of years. Formula E has been able to get that momentum much more than I, plus 95 percent of the motorsport community expected. Now, Formula E has to ensure that it stays clear with its DNA - and that is city street racing, taking the racing to the fans, close and hard competition, focus and the efficiency of electric drivetrains. At the same time, the series needs to evolve with the technology that is available and make sure that it stays the exciting Formula E that we have today. I don't think Formula E should compete with Formula 1. It should make its own road and follow it. +What do you expect from the future now with more big players like BMW, Mercedes and Porsche joining? +It's not that the competition is low at the moment, but I think it will get much more intense. Right now, you have quite a consistent grid in Formula E and you can roughly work out which circuit is going to be strong for which team. When the other manufacturers step in we might have a bigger fluctuation through the course of the season with guys at the front in one race and at the back in the next one. I can only see it strengthening the competitive element of the series. It will be harder to get a consistent season together for everyone which is great news for the fans and a tough story for the teams. But that makes victories even sweeter. +Season 5 starts in the middle of December. What is your schedule in terms of preparations? +Our new Audi e-tron FE05 has been running since the first group test with the other manufacturers in March. Since then, we have done a couple of private tests with Lucas and Daniel. From our perspective, we know where we are relative to ourselves and relative to what our goals were - which is following in line. However, the good and the bad thing is that we don't know where anybody else is. So, it will be exciting to see all the teams at the only official Formula E test in Valencia in the middle of October. I believe that the new car is a big step forward - visually as everyone can see, but also in terms of battery, performance or regeneration. Daniel and Lucas enjoy driving it a little bit more than the generation one car. +The all-new Audi e-tron is just about to get on the road. How do you like it? +At Audi, motorsport has always been a leader prior to the technology coming to the road. That was the same with all our racing programs in the past. e-tron technology has been succesful on track at Le Mans with us since 2012, is now in Formula E and will be on the road for the customers later this year. This again shows the way we at Audi are developing road cars through pushing the boundaries in racing. Personally, I have already put my name down for an Audi e-tron and I hope I will get it as soon as possible. +Attachments +Original document Permalink Disclaimer +Audi AG published this content on 17 August 2018 and is solely responsible for the information contained herein. Distributed by Public, unedited and unaltered, on 17 August 2018 10:10:02 UT \ No newline at end of file diff --git a/input/test/Test4751.txt b/input/test/Test4751.txt new file mode 100644 index 0000000..83b1ead --- /dev/null +++ b/input/test/Test4751.txt @@ -0,0 +1,8 @@ +Taylor Wimpey North Yorkshire raises more than £1,100 for Dogs Trust, Sadberge and Butterwick Hospice, Bishop Auckland Menu Taylor Wimpey North Yorkshire raises more than £1,100 for Dogs Trust, Sadberge and Butterwick Hospice, Bishop Auckland Alison Briggs of Forces Support with Karen, sales executive at Millfields 0 comments TAYLOR Wimpey North Yorkshire raised more than £1,100 for Dogs Trust in Sadberge and Butterwick Hospice in Bishop Auckland recently when it auctioned off furniture, paintings and decorations from its Millfields show homes in support of the admirable work the charities do across the region. +As well as the cash boost, Taylor Wimpey North Yorkshire donated a van full of furnishings to Forces Support in Darlington . +"Our Millfields show homes have recently been given a facelift and, as part of this, we auctioned off a lot of furniture, including tables, chairs and lamps, to our staff," said Debbie Whittingham, sales and marketing director for Taylor Wimpey North Yorkshire. +"We wanted to give the money and items to worthy causes to support their commitment to helping others." +Millfields, on McMullen Road in Darlington, currently has a range of two and three-bedroom properties available and recently-renovated show homes for prospective buyers and visitors to view. +"As part of our strong community engagement programme we try to give back to the causes and organisations that offer so much support to so many as often as we can," said Debbie. +"This idea was something a little different and we hope it has gone some way to helping the charities." +For more information on the homes available at Millfields, please visit taylorwimpey.co.uk \ No newline at end of file diff --git a/input/test/Test4752.txt b/input/test/Test4752.txt new file mode 100644 index 0000000..b638f02 --- /dev/null +++ b/input/test/Test4752.txt @@ -0,0 +1,8 @@ +Taylor Wimpey North Yorkshire raises more than £1,100 for Dogs Trust, Sadberge and Butterwick Hospice, Bishop Auckland Menu Taylor Wimpey North Yorkshire raises more than £1,100 for Dogs Trust, Sadberge and Butterwick Hospice, Bishop Auckland Alison Briggs of Forces Support with Karen, sales executive at Millfields 0 comment TAYLOR Wimpey North Yorkshire raised more than £1,100 for Dogs Trust in Sadberge and Butterwick Hospice in Bishop Auckland recently when it auctioned off furniture, paintings and decorations from its Millfields show homes in support of the admirable work the charities do across the region. +As well as the cash boost, Taylor Wimpey North Yorkshire donated a van full of furnishings to Forces Support in Darlington. +"Our Millfields show homes have recently been given a facelift and, as part of this, we auctioned off a lot of furniture, including tables, chairs and lamps, to our staff," said Debbie Whittingham, sales and marketing director for Taylor Wimpey North Yorkshire. +"We wanted to give the money and items to worthy causes to support their commitment to helping others." +Millfields, on McMullen Road in Darlington, currently has a range of two and three-bedroom properties available and recently-renovated show homes for prospective buyers and visitors to view. +"As part of our strong community engagement programme we try to give back to the causes and organisations that offer so much support to so many as often as we can," said Debbie. +"This idea was something a little different and we hope it has gone some way to helping the charities." +For more information on the homes available at Millfields, please visit taylorwimpey.co.uk \ No newline at end of file diff --git a/input/test/Test4753.txt b/input/test/Test4753.txt new file mode 100644 index 0000000..347cd9d --- /dev/null +++ b/input/test/Test4753.txt @@ -0,0 +1,74 @@ +It's a Cardiff institution that is also Wales' longest running alternative club. +For several generations of music fans that have passed through its doors since it opened in August 1992, Metros has been a staple of nightlife in the Welsh capital +And for those who have taken to its dancefloor, it's certain they would have been led there thanks to resident DJ Hywel Ricketts. +This Friday, Hywel, 44, celebrates 25 years as resident DJ at the nightclub, situated on Bakers Row, in the city centre. Hywel in the DJ booth in the '90s Hywel at Metros in 2005 +The club has had several incarnations throughout the decades including the Metropolitan, Monroes and one of Cardiff's first gay clubs The Tunnel Club. +Metros has firmly established itself as a city landmark, especially among the students who flock to the city every year. It's also cultivated something of a cult reputation as surely the only club in the UK where you're served free toast in the early hours of the morning. +While people move on, and musical fads and fashions have come and gone, the one constant has been Hywel, who started DJing at the club aged 19. +"After 25 years everything tends to fade into one big blur," says the DJ, who you can see doing his bit to get the dancefloor jumping on Wednesdays (Cheapskates) and Fridays (Havoc). +"I walked in the day it opened and gave the DJ at the time lots of hassle to give me a chance and let me play." Hywel (and friend) at Metros in 2001 Hywel at Metros in 1996 +Although Hywel, who started out with his own mobile disco in his hometown of Penarth aged 14, recalls his very first taste of Djing at Metros didn't leave the best first impression. +"I remember it was a Thursday night and I bugged the DJ so much he said 'right you have a go then' and he went to the loo. +"The mobile disco set up I had was completely different to what was in the DJ booth. I'd never used cross faders in my life. The club was packed. There was 400 people there. I pressed play on Jesus Jones - Info Freako, there was silence. I was a rabbit in the headlights. The crowd was jeering. Luckily I quickly worked out what to do and the song kicked in. +"The next few months I did what you would call an old-fashioned apprenticeship and I had my first proper night here 25 years ago this week." The changing face of Metros nightclub in Cardiff 'The Metropolitan at Bakers Row' +He adds: "This was the era when great alternative clubs in the city like Subways, Bogiez, and The Square Club were open. +"It was a great scene. I was young and enthusiastic and all I ever wanted to do was play music. From that point on I fell in love with it. I fell in love with the music, and the people. When you look out from the DJ booth, and back then it was records, tape deck and CDs, nowadays it's a computer, you see a nightclub full of people laughing, singing, and jumping up and down. It's a buzz and I still get that same buzz today as I did way back in the early '90s." +Hywel reckons that what has kept the club going for so long is the team effort of the staff – although he admitted that to some the club is 'Marmite'. Read More Brilliant footage from legendary Cardiff club night unearthed +"It's not just the music, it's a team effort - from the door man, to the bar staff to the managers, it's a big familly," he says. "Without them, there would be no club. Metros is not like any other club, it's got a massively unique quality it. Although it is like Marmite. You either love it to bits or it's the worst club ever. Luckily for us most people love it to bits. +"We keep ourselves to ourselves," he continued. "We don't get involved with any of the nightclub politics that can go on. We let them get on with it and we focus on what we do – which is great music. +"It's a gathering of like-minded people and I feel lucky and honoured to be a part of it. The changing face of Metros nightclub in Cardiff +Throughout the decades Hywel has seen trends come and go as music fads have spun in and out of fashion. He's seen epochal moments like grunge, Britpop and Cool Cymru come and go, and is constantly aware that he has to keep things fresh to adapt with the times. +"I'm always listening to music," he said. "I wake up in the morning and I'm listening to playlists. +"The only difference between when I started out and now is the way is the way we consume music. +"I listen to stuff like Spotify playlists, but I'm flicking through radio stations, and I still get the promos from record companies. +"But I also listen to people who request new releases and seek their recommendations. If people come in and keep asking for a particular track, you know it's about to break. +"You've got to keep it fresh. You can't keep living on past glories. You've got to keep it updated and keep looking to the future." Clubbers leaving Metros in the early hours of the morning Archive pics from Metros nightclub in Cardiff Archive pics from Metros nightclub in Cardiff Read More This is where the dance floor of one of Cardiff's best-loved nightclubs is now +In 25 years he's seen some sights – many he says for legal reasons he can't repeat on the record. +"We've had streakers, Snow Patrol playing down here was a particularly memorable night and there was the time I had to rescue Kelly Jones from being mobbed. +"I remember it was a Saturday in the '90s, a night called Total Sound. Stereophonics had just been signed and one of the bar staff knew them all. +"They'd just played a local show and I don't think Kelly realised how big they had quickly become. He came down to the club and he was mobbed. I literally had to pick him up and throw him into the DJ booth until security was there so he had a bit of breathing room." Archive pics from Metros nightclub in Cardiff Archive pics from Metros nightclub in Cardiff +He's also, rather bizarrely, responsible for Boyzone turning up late for a matinee performance in the city. +"At the time there was a gentleman who half owned Metros who owned a restaurant. I went along and Boyzone were there having some food. I got introduced to them and was invited to their afterparty at (much-missed Cardiff club) The Emporium. They shut at 2am, so I opened up Metros for them and we rolled on until 8am in the morning. Boyzone were doing a matinee show in the city that afternoon and turned up on stage half hour late because they were so hungover." +While the DJ, who is also an active scout leader in Cardiff - a side of his life he readily admits is the perfect counterbalance to working in a nightclub - confesses there's been many highlights in his 25 year tenure at Metros, he talks with searing honesty about how the excesses of the city's nightlife scene drove him to the edge of destruction. Archive pics from Metros nightclub in Cardiff Archive pics from Metros nightclub in Cardiff Archive pics from Metros nightclub in Cardiff Archive pics from Metros nightclub in Cardiff +He reveals it was the birth of his son Edward, 10 years ago, which saved him. +"He's the greatest thing that has happened to me. Without him if I'd carried on the way I was I'd probably be dead by now. +"I enjoyed all aspects of working in a nightclub in the '90s. It was constant partying. I'd go out on a Friday and not come home until Tuesday. You're young, you feel invincible. Edward put my whole world into perspective and I immediately curtailed the excesses. +"Now my job is to put a roof over heads, food on the table and give him smiles, giggles and tickles. He's the perfect counterbalance to working in a nightclub." Read More World-renowned DJs and partying until the sun comes up - the colourful history of Wales' longest-running club night +The thousands who have passed through Metros doors through the decades have Hywel to thank for one of the most unorthodox promotional ruses ever dreamt up by any club – one that has passed into the annals of legend. +You speak to anyone who has graced the club's dancefloor and they will inevitably grin and bark out the word 'toast!' It can surely be the only club in the UK where you're served free toast at 3am in the morning. Archive pics from Metros nightclub in Cardiff +And there appears to be quite the story behind its inception that fittingly enough begins at a Scouts fete sometime in the late '70s. +"It was the 5th Penarth Scouts summer fete," recalls Hywel. "There was a spin the wheel game. I didn't have any money so my friend's dad let me have a spin for free. I didn't win anything but he gave me a bar of soap. It seems silly looking back now but I just thought 'wow, I got something for free, amazing'. +"We were looking for ideas in the club and I remembered that time and I thought I wanted a promotion where we give something away that you don't have to sign up to, that doesn't have any catch or any gimmick. You've had a great night, so here you go have a piece of toast. Read More Incredible images of U2 and Depeche Mode at a tiny Cardiff club have been discovered +"It started in the mid-90s and it just caught. It's still going on. Every night of the week that we are open there's free toast. +"It usually happens towards the end of the night around 2am-3am when the club is winding down," he adds. "It comes in handy for some people who need a bit of food, but it's just giving something back for free. +"Sometimes you get through three or four loaves. One night we had a guy turned up with a tin of baked beans. Luckily we had a microwave so we we cooked his baked beans for him. He was the happiest man I had seen in a long while." Metros - 2018 Read More These amazing pictures from '80s alternative clubs, pubs and bars in Cardiff have recently been unearthed +It's that quirkiness, that independently minded approach that defines Metros. It might not be everybody's cup of tea but for those who love it, they absolutely revere it. +"It's a place of love," says Hywel. "People genuinely love coming down here. The regulars will come three times a week. People always talk with a smile about the place. It's an institution that has its weathered so many music storms and has maintained its popularity. +"If you were a student in Cardiff at some point you would have popped into Metros. If you like alternative music you would have popped into Metros and had a beer. I sometimes wonder how many solicitors, doctors, and barristers have walked through those doors as an undergraduate fresh to Cardiff." Hywel in the doorway of Metros Hywel Ricketts (Image: Richard Swingler) +You can never predict what the future may bring, but Hywel says he would still love to be DJing at Metros in another 25 years' time. +"I would love to. There's no reason not to be. The only reason is if your numbers dropped. If you're still pulling people in you've still got a job. If all of a sudden nobody likes what you're doing and there's nobody coming in, it's time for a change. That's why you've always got to keep up with what's going on now, but I'd still love to be doing this in another 25 years' time." +Find out more about Metros at: www.facebook.com/metroswales +Hywel's 25 All Time Metros Floor Fillers +01. Rage Against The Machine - Killing in the Name of +02. System of a Down - Chop Suey +03. Limp Bizkit - Rolling +04. Nirvana - Smells Like Teen Spirt +05. Stone Roses - I am the Resurrection +06. Red Hot Chili Peppers – Suck My Kiss +07. Killers - Mr Brightside +09. Oasis – Don't Look back In Anger +10. Weezer - Buddy Holly +11. Arctic Monkeys- I Bet You Look Good on the Dancefloor +12. Jane's Addiction - Been Caught Stealing +13. Nine Inch Nails - Head Like a Hole +14. Green Day - Basket Case +15. Blink 182 - All The Small Things +16. Smash Mouth - All Star +17. Outkast - Hey Ya +18. House of Pain - Jump Around +19. Arrested Development - People Everyday +20. Pop Will Eat Itself - Def Con One +21. Primal Scream Loaded +23. Pixies - Here Comes Your Man +24. Faith No More & Boo Yaa Tribe - Another Body Murdered +25. Bloodhound Gang - Bad Touch Like us on Faceboo \ No newline at end of file diff --git a/input/test/Test4754.txt b/input/test/Test4754.txt new file mode 100644 index 0000000..d884f7c --- /dev/null +++ b/input/test/Test4754.txt @@ -0,0 +1,13 @@ +High marks for innovation and social responsibility helped make Weyerhaeuser Co. the highest ranked among real-estate and construction-related companies in the Management Top 250. +The Seattle company scored in the top 1% of all companies analyzed for innovation, which measures things such as research-and-development spending and statistics on patents. +For social responsibility, which measures companies' environmental, social and corporate-governance policies, Weyerhaeuser scored in the top 7% of companies. +Overall, Weyerhaeuser was ranked No. 17 in the Management Top 250. Five real-estate or construction-related companies made the ranking of the most effectively managed major companies. +The Management Top 250 uses the ideals and teachings of the late business guru Peter Drucker to analyze and compare U.S. companies. Mr. Drucker influenced generations of business leaders with his writings, including a regular column in The Wall Street Journal. +The ranking, compiled by the Drucker Institute and first published in December, examines how well a business does in five areas: innovation, social responsibility, customer satisfaction, financial strength, and employee engagement and development. +See more analysis and the full list of the 2017 Management Top 250 at wsj.com/managementtop250. Plus, read about how technology, telecommunications, financial, energy, utilities, automotive, consumer products, consumer and business services, transportation and logistics, and industrial goods companies rank. +The full methodology is available at on.wsj.com/top-250-methodology. +Dave Pettit ( +@pettitd +) +Write to Dave Pettit at dave.pettit@wsj.com + 16, 2018 12:27 ET (16:2 \ No newline at end of file diff --git a/input/test/Test4755.txt b/input/test/Test4755.txt new file mode 100644 index 0000000..5539487 --- /dev/null +++ b/input/test/Test4755.txt @@ -0,0 +1 @@ +The report 'Leukapheresis Market by Product (Apheresis Machine , Leukocyte Filter , Column, Disposables), Leukopak (Mobilized, Non-Mobilized, Human Primary Cells), Application ( Research , Therapeutic), End User (Hospitals, Research Institute ) - Global Forecast to 2023', The leukapheresis products market is expected to reach US \ No newline at end of file diff --git a/input/test/Test4756.txt b/input/test/Test4756.txt new file mode 100644 index 0000000..6c2ee72 --- /dev/null +++ b/input/test/Test4756.txt @@ -0,0 +1,6 @@ +HDFC Securities' research report on State Bank of India +Though SBIN reported a 3rd consecutive quarterly loss, the improvement in business metrics was heartening. NII (+9% QoQ) was ahead of estimates as NIMs saw a sharp uptick (2.80%, up 30bps). Asset quality actually improved (G/NNPAs down ~5/11% QoQ) as stress accretion eased (slippages at ~3% ann. vs. ~7% QoQ) and 2 NCLT resolutions materialized. Despite the humongous base of 44%+, sequential SA growth of 3% indicates strong liability franchise. The 3% sequential dip in loan book was seasonal. The string of losses is only optically worrisome, coming as it does at the probably end of the stress cycle. Management has beefed up coverage and is has chosen not to avail any dispensation on bond provisioning. +Outlook +The stage is now set for an uptick in loan growth and lower stress accretion. Resolution in NCLT accounts (~Rs 630bn exposure) can make our FY19-20E credit cost (avg ~200bps) assumptions look conservative. Maintain BUY with SOTP of Rs 340 (1.3x Mar-20E core ABV of Rs 170 + Rs 119 subs value). +For all recommendations report, click here +Disclaimer: The views and investment tips expressed by investment experts/broking houses/rating agencies on moneycontrol.com are their own, and not that of the website or its management. Moneycontrol.com advises users to check with certified experts before taking any investment decisions \ No newline at end of file diff --git a/input/test/Test4757.txt b/input/test/Test4757.txt new file mode 100644 index 0000000..efbea1e --- /dev/null +++ b/input/test/Test4757.txt @@ -0,0 +1,23 @@ +Happy birthday Boler: 100s of cute campers in Winnipeg for anniversary gathering Kelly Geraldine Malone / The Canadian Press August 17, 2018 01:00 AM   Ian Giles relaxes outside his trailer at the Boler 50th anniversary celebration weekend in Winnipeg on Wednesday, August 15, 2018. Hundreds of Boler trailers, originally invented and manufactured in Winnipeg, from all corners of North America hit the road and made their way to Winnipeg to celebrate the birth of the iconic camper trailer. THE CANADIAN PRESS/John Woods +WINNIPEG — Angela Durand sits outside her camper which is decorated to look just like the yellow submarine in the well-known song by The Beatles. +In a lawn chair beside the blue-and-yellow 1968 camper painted with pictures of John, Paul, George and Ringo — a little yellow propeller attached to the back — Durand strums her ukulele and sings about the community that's developed around the small moulded fibreglass Boler. article continues below Jack Knox: It went to the dogs at TV series casting call +"I bought it. Then I did research on the Boler. Then I became addicted to Bolers," she said. "I love it." +Hundreds of the unique trailers have descended on Winnipeg to celebrate the 50th anniversary of the Manitoba invention. +The Boler camper became famous on highways throughout North America as the "egg on wheels," said event organizer Ian Giles. About 10,000 of the ultralight fibreglass trailers were manufactured and sold between 1968 and 1988. +Giles describes it like two bathtubs joined together to form a hollow container. +"What is unique about them is most of them have no wood inside of them at all, so there is nothing to rot. They have no seams, so there is no possibility of leaks," he said. +"They are like a boat — a fibreglass boat — so you can repair them. That is why so many of them are still around today." +Giles said it's not just the way the camper is built that makes it special. It's the community it inspires. +He picked up his Boler, named Buttercup, eight years ago because it fit his and his wife's camping needs. He wanted to make a couple of changes to his camper, but struggled finding fixes online or anywhere in Calgary where he lives. +Giles created a website to share what he'd learned about modifying his Boler and soon enthusiasts from across North America were reaching out with tips or asking questions. It quickly became a large and entertaining online community. A plan hatched to get together. +"When you buy one of these trailers, you are almost joining a sorority," he said. +"We are all very similar. Each of us want to make our trailer our own. We all have phenomenal memories of camping in these units and the friends we made." +All of the 450 campers parked at Red River Exhibition Park for the weekend are either an original Boler or a trailer inspired by the Boler's design. Some still have the original paint job but others have been redesigned with bright colours and flowers. +There's a rumour swirling that No. 3 — the third Boler ever made — is going to arrive. +Giles said he figures it's the largest gathering of moulded fibreglass trailers in history. +J.J. McColm's Boler-Chevy combo unit called 'C' Plus catches the eye of everyone passing by. The Lloydminster, Alta., resident bought the 1975 Boler to travel to car shows with his 1938 Chevy Master Sedan. But soon the little trailer was stealing the limelight. +"The car without the trailer, people walk right by it. With the trailer, they tend to walk right to it." +The Boler's birthday party includes demonstrations from experts, the first 3D-printed trailer and musical acts every night. The camp is open to the public on Saturday. +Bolers have been about creating memories for the last 50 years, Giles said. That's why campers from as far away as Texas, California, Newfoundland, Yukon and Vancouver Island have made the journey for the party. +"When you park in a campground, you have people coming up to you telling you stories about when they were youngsters and a relative or friend had a Boler," he said. +"And they are still making memories today." Read Related Topic \ No newline at end of file diff --git a/input/test/Test4758.txt b/input/test/Test4758.txt new file mode 100644 index 0000000..3499778 --- /dev/null +++ b/input/test/Test4758.txt @@ -0,0 +1,14 @@ +Political Recomposition in the Italian Digital Economy +August 16, 2018 +On the 24th of November, hundreds of workers at the gigantic Amazon warehouse located near Piacenza, Italy, which serves as the main hub for the Italian market, went on strike. It was right during Black Friday. The strike, which happened simultaneously in Italy and Germany, was the first of a series of international mobilisations to address the need to improve work conditions in the distribution hubs that underpin consumption via the multinational e-commerce corporation. On the very same day, Jeff Bezos's fortune jumped to a whopping $100 billion (US), making him the wealthiest person on Earth. What lies in between your home delivery and Bezos' bottom line is a platform-based system that organises a massive workforce, speeds up work, and contributes to making jobs more precarious and instable – a hotbed for worker struggles. Many journalistic accounts have described the brutal reality of work at Amazon . To provide further depth, here I refer to classic studies of class composition in industrial societies, which can be useful to analyse how the digital economy incarnates in the specific political and institutional history of local contexts. From FIAT to Amazon +While most of the thousands of young workers who enter the gates of the gigantic distribution centre every day have no experience of work in a Fordist factory, the assembly lines of 1960s factories have many similarities with Amazon's algorithmically-managed shelves. In the 1960s, early theorist of operaismo Romano Alquati started investigating work at some of the most representative companies of post-war Italian capitalism, such as FIAT and Olivetti. His foundational work, mostly published in the radical journals Quaderni Rossi and Classe Operaia, laid the ground for the emergence of workers' inquiry as both a research method and a tool for political leverage. In collaboration (and competition) with other workerist Marxists, such as Mario Tronti and Raniero Panzieri, Alquati contributed to building a theoretical framework for studying the transformation of work, workers' struggles, and the evolving relation between capitalism and technology. 1 +My own work is indebted to that story. When I started researching labour at the Amazon distribution centre in the logistics district around my hometown of Piacenza, in Northern Italy, I noticed many similarities to what Alquati had registered at FIAT in the 1960s. For example, what he called the "myth" of FIAT as a provider of good stable jobs is mirrored by Amazon's attempts to position itself as an employee-focused company that brings stable employment back to the precarized Italian labour market. The labour unions' struggle to communicate with the new subjects that compose the workforce is another striking similarity. Finally, the political role of the internal division of labour that Alquati identified at FIAT is in place at Amazon too, as processes of deskilling are coupled with strict hierarchies based on the need to subdue the workforce rather than on merit or organisational rationalities. Obviously, this continuity within the trajectory of Italian capitalism is but the framework for the novel characteristics that Amazon has imported onto the local context from the American digital corporation model. New elements include, for example, the role of the digital economy's ideology in shaping work culture at Amazon. Reading Alquati in 2018 in the light of the transformations brought to Italy by global digital capitalism may prove useful to understand how the latter interacts with the local institutional and political framework: an essential step to grasp worker mobilisation and struggle within a specific territory. Deskilling and division of labour +The "myth" of work at Amazon is based on several different elements. On the one hand, full-time Amazon jobs do pay a considerable salary compared to the kind of low-paid precarious employment that since the financial crisis of 2008 has become normal for young Italians. On the other hand, Amazon strives to import elements of the Silicon Valley ethos onto warehouse work culture. The company provides common areas where workers can play foosball (outside of their shift, of course), and a nominally informal work environment that is somewhat used to construct work at Amazon as "cool". For example, workers can dress as they please, a feature that was repeated to me several times during a recent visit of the warehouse. This ideological project seems to be a desperate move in the face of processes of warehouse discipline and deskilling, and of the hierarchies that characterise the workplace. Furthermore, this happens in a context in which the desirability of work at Amazon has already been debunked by journalists and workers alike. The reality on the ground seems to be the falling apart of the moral order of flexibility that used to be hegemonic in the digital economy and is still present, albeit partially, in the gig economy. +In his work on FIAT, Alquati stressed how the company's reliance on radical deskilling - made possible by the increasing presence of technology on the assembly line - allowed it to tap into the mass of unskilled workers migrating to Turin from the mostly rural and economically depressed South of Italy. At Amazon, technologies such as the algorithmically-driven barcode scanners that guide workers to retrieve or stow a commodity are crucial in processes of deskilling. In early 2018, Amazon even deposited an infamous patent for a future wristband designed to guide workers' hands towards the right commodity on the shelf, thus further intensifying work while simplifying and standardising tasks, and further reducing the need for specialised workers. Indeed, Amazon can rely on inexperienced workers who can be trained in a matter of hours and are willing to accept extremely precarious employment conditions. As a result, the company can deal with a high worker turnover, which requires the replacement of workers who often endure the harsh work conditions for just a few months before dropping out. +This is not without consequences for Amazon. During production peaks, such as around Christmas or in late summer when the market for textbooks explodes, the company cannot rely on the local workforce to sustain shifts that can require up to 3,000 workers, about twice as many as the full time workforce which works at the warehouse year-round. This need for flexibility has required the company to expand its pool of labour beyond the local territory. For example, anonymous "Amazon buses," run by temp agencies and reminiscent of the buses operated by Google in the San Francisco Bay Area, drive dozens of young precarious workers from suburban working class neighborhoods in Milan (one hour from the warehouse) to work peak shifts in certain periods of the year. These workers – called "green badgers," as opposed to full-timers who carry a blue badge – have little to no job security. Yet it is thanks to them that consumers enjoy year-round services such as Amazon Prime. +These workers can also experience a systematic devaluation of their identity and dignity that goes beyond the stories about extreme work rhythms that we recurrently hear about from Amazon insiders. For example, the young pickers, stowers, and packers that work the shelves in the warehouse are referred to as "kids" rather than employees, and are subject to daily searches with full-body scanners. This is all but exacerbated by confronting what Alquati called "parasitic management," that is, the fundamentally political nature of hierarchies and division of labour within the workplace. At FIAT and Amazon alike, the internal division of labour seems to be aimed at making employees accept widespread irrational hierarchies, and thus contributes to workplace discipline rather than serving organisational principles. Like FIAT workers in the 1960s, most Amazon employees criticise the rationality of the warehouse organisation rather than the conditions of their own individual job. For example, a worker may develop technical skills working with the algorithm that allocates tasks to pickers, only to be surpassed in the hierarchical ladder by new employees that are more prone to obedience and are willing to express faith in Amazon's "myth" and work culture. New subjects, old unions +In the early 1960s, the "new subjects" captured by Alquati's inquiry were the result of major waves of internal migration from the impoverished South to the industrialized North of Italy. Unions, he found, experienced the impossibility to communicate to this new mass of workers hired to staff the production lines. And yet, Alquati foresaw the political potential of these new subjects, which was to explode a few years later at FIAT and beyond. Today, Amazon workers are rather an example of the global precariat, a mix of white and racialised, rural and suburban, male and female, ranging from teenagers, with a peak around 30, to workers in their sixties. This internal diversity contributes to generating challenges for unionisation. But political factors are at play too. Amazon is one of only a handful of companies in the region's logistics district that have managed to keep out SI Cobas, the quickly growing militant union which has been at the forefront of many winning struggles in the area's logistics industry and mobilises exactly the new subjects of logistics and e-commerce. Notably, SI Cobas has rallied against the system of outsourcing based on exploitative co-operatives, and has been in open opposition to local PD (Democratic Party) governments. The protagonists of some of these mobilisations have been, for example, migrant workers – mostly from the Maghreb – at IKEA or GLS, and young precarious women in successful strikes at Swedish corporation H&M's warehouse. 2 Still, even the arrival of more accommodating mainstream unions, such as CGIL and CISL, has meant that the infamously anti-union Amazon has been forced to the negotiation table for the first time, and has experienced one strike, with the looming prospect of more mobilisations in the future. +Unions have set out to pursue (and have partially achieved) somewhat limited but crucial goals, such as consistent scheduling, employment stability, and respect of national contracts. In the national political arena, they back more general demands, such as improving the contract that represents the main institutional framework for work at Amazon. Imposed by the grosse koalition government of Mario Monti in 2011, it has made it easier for employers to force weekend and night shifts onto e-commerce workers. Such forms of union intervention happen in the context of political differences and alliances among different groups. In the future, broader processes of recomposition that have already emerged in other companies of the e-commerce and logistics sectors may expand to Amazon. The mainstream unions are currently organising hundreds of Amazon workers, especially among full time employees, and yet they struggle to include the new subjects that represent the bulk of the workforce (the "kids"). So far, young, highly casualised precarious suburban workers have mostly resisted the conditions of labour in the warehouse by refusing discipline and dropping out, a sort of bottom-up casualisation. Should a wider recomposition of the workforce include younger precarious suburban workers, with their demands and political styles, Amazon mobilisations could prove explosive for the future of the Italian digital economy. +A comprehensive account of Alquati's and other early operaismo thinkers' work can be found in Steve Wright's Storming Heaven: Class Composition and Struggle in Italian Autonomist Marxism, Pluto Press, 2017. ↩ +See Carlotta Benvegnù and Niccolò Cuppini, "Struggles and Grassroots Organizing in an Extended European Choke Point," in Jake Alimahomed-Wilson and Immanuel Ness, Choke Points. Logistics Workers Disrupting the Global Supply Chain, Pluto Press, 2018. ↩ author +Alessandro Delfanti teaches at the Institute of Communication, Culture, Information and Technology at the University of Toronto. He tweets at @adelfanti and publishes his writing at delfanti.org . read nex \ No newline at end of file diff --git a/input/test/Test4759.txt b/input/test/Test4759.txt new file mode 100644 index 0000000..872b805 --- /dev/null +++ b/input/test/Test4759.txt @@ -0,0 +1,17 @@ +Tweetle Flood death toll in India's Kerala jumps to 164 Kerala's government has described the crisis -- one of the worst in decades -- as "extremely grave" and rescue operations are underway to help thousands who remain trapped by floodwaters. +The death toll from major floods in India's tourist hotspot Kerala has jumped to 164, state chief minister Pinarayi Vijayan said Friday, issuing a fresh heavy rainfall warning for the battered region. +"The chief minister has confirmed 164 deaths. Around 100 people died in the last 36 hours alone," an official in the Kerala government's public relations department told AFP. +Local reports indicated an even higher toll with thousands still waiting for relief and rescue across the flood-ravaged state. +Prime Minister Narendra Modi on Friday said that he had discussed the flood situation with Vijayan as more troops and rescue workers were deployed across Kerala. +"Later this evening, I will be heading to Kerala to take stock of the unfortunate situation," Modi said on Twitter. +The state, famed for its palm-lined beaches and tea plantations, is always pommelled by the annual monsoon but this year's damage has been the most severe in almost a century. +More than 150,000 people made homeless across the state have moved into some 1,300 relief camps. +Vijayan's office Friday posted a fresh warning for around 33 million residents of Kerala. +"Alert: all districts apart from Kasargod are under red alert... heavy rains may affect these 13 districts. Everyone please be cautious," his office tweeted. +Even before the latest warning, locals like Ajo Varghese have been posting desperate appeals for relief and rescue on social media. +"My family and neighbouring families are in trouble with flood in Pandanad nakkada area in Alappuzha," Varghese said in a viral Facebook post. +"No water and food. Not able to communicate from afternoon. Mobile phones are not reachable and switch off. Please help... No rescue is available," he added. +A state official told AFP that apart from the new rainfall warnings, a breakdown of the local communication system was making it difficult for them to reach local people who may be in urgent need in the worst-affected areas. +The government says 10,000 kilometres (6,000 miles) of Kerala roads have been destroyed or damaged and tens of thousands of homes partially or completely damaged. +The gates of at least 34 major dams and reservoirs across the state have been opened in the last few days as water levels reached danger levels. +North and central Kerala has been worst-hit by the floods with the international airport in main city of Kochi shut until at least August 26 \ No newline at end of file diff --git a/input/test/Test476.txt b/input/test/Test476.txt new file mode 100644 index 0000000..0c19be9 --- /dev/null +++ b/input/test/Test476.txt @@ -0,0 +1,11 @@ +Tweet +Anchor Capital Advisors LLC raised its holdings in ABM Industries, Inc. (NYSE:ABM) by 47.1% in the 2nd quarter, HoldingsChannel reports. The firm owned 57,333 shares of the business services provider's stock after acquiring an additional 18,361 shares during the period. Anchor Capital Advisors LLC's holdings in ABM Industries were worth $1,673,000 as of its most recent filing with the Securities & Exchange Commission. +Several other institutional investors and hedge funds have also bought and sold shares of ABM. UBS Group AG increased its stake in shares of ABM Industries by 15,328.1% in the first quarter. UBS Group AG now owns 3,711,083 shares of the business services provider's stock worth $124,248,000 after purchasing an additional 3,687,029 shares in the last quarter. BlackRock Inc. increased its stake in shares of ABM Industries by 10.8% in the first quarter. BlackRock Inc. now owns 7,866,728 shares of the business services provider's stock worth $263,377,000 after purchasing an additional 768,679 shares in the last quarter. Deprince Race & Zollo Inc. increased its stake in shares of ABM Industries by 90.3% in the second quarter. Deprince Race & Zollo Inc. now owns 1,325,600 shares of the business services provider's stock worth $38,681,000 after purchasing an additional 628,838 shares in the last quarter. Investment Counselors of Maryland LLC bought a new position in shares of ABM Industries in the second quarter valued at approximately $15,534,000. Finally, Dudley & Shanley Inc. boosted its position in shares of ABM Industries by 54.7% in the second quarter. Dudley & Shanley Inc. now owns 1,303,974 shares of the business services provider's stock valued at $38,050,000 after acquiring an additional 461,235 shares during the period. Get ABM Industries alerts: +ABM stock opened at $31.47 on Friday. The company has a debt-to-equity ratio of 0.76, a current ratio of 1.73 and a quick ratio of 1.73. ABM Industries, Inc. has a 12 month low of $28.17 and a 12 month high of $44.83. The company has a market capitalization of $2.03 billion, a PE ratio of 17.98 and a beta of 0.81. ABM Industries (NYSE:ABM) last released its quarterly earnings data on Wednesday, June 6th. The business services provider reported $0.47 EPS for the quarter, beating analysts' consensus estimates of $0.45 by $0.02. ABM Industries had a net margin of 1.40% and a return on equity of 7.79%. The company had revenue of $1.58 billion during the quarter, compared to analyst estimates of $1.55 billion. During the same period last year, the business earned $0.49 earnings per share. ABM Industries's revenue was up 20.6% compared to the same quarter last year. equities research analysts predict that ABM Industries, Inc. will post 1.88 EPS for the current year. +The company also recently disclosed a quarterly dividend, which was paid on Monday, August 6th. Stockholders of record on Thursday, July 5th were given a $0.175 dividend. The ex-dividend date of this dividend was Tuesday, July 3rd. This represents a $0.70 dividend on an annualized basis and a dividend yield of 2.22%. ABM Industries's dividend payout ratio (DPR) is currently 40.00%. +In other news, COO Scott J. Giacobbe sold 3,342 shares of the firm's stock in a transaction that occurred on Thursday, June 14th. The shares were sold at an average price of $30.90, for a total value of $103,267.80. Following the completion of the transaction, the chief operating officer now directly owns 62,186 shares in the company, valued at $1,921,547.40. The transaction was disclosed in a document filed with the Securities & Exchange Commission, which is available through this hyperlink . 0.81% of the stock is currently owned by company insiders. +A number of research firms have recently commented on ABM. ValuEngine upgraded shares of ABM Industries from a "strong sell" rating to a "sell" rating in a research report on Saturday, July 28th. Zacks Investment Research upgraded shares of ABM Industries from a "sell" rating to a "hold" rating in a research report on Tuesday, May 8th. One analyst has rated the stock with a sell rating, one has issued a hold rating, two have assigned a buy rating and one has issued a strong buy rating to the company. ABM Industries has an average rating of "Buy" and a consensus price target of $42.67. +ABM Industries Profile +ABM Industries Incorporated provides integrated facility solutions in the United States and internationally. The company operates through five segments: Business & Industry, Aviation, Emerging Industries Group, Technical Solutions, and GCA Services. It offers janitorial, facilities engineering, parking, passenger assistance, catering, air cabin maintenance, transportation, and specialized mechanical and electrical services. +Featured Article: Fundamental Analysis – How It Helps Investors +Want to see what other hedge funds are holding ABM? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for ABM Industries, Inc. (NYSE:ABM). Receive News & Ratings for ABM Industries Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for ABM Industries and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4760.txt b/input/test/Test4760.txt new file mode 100644 index 0000000..8971cd8 --- /dev/null +++ b/input/test/Test4760.txt @@ -0,0 +1,7 @@ +By: Alfred Bayle - Content Strategist / @ABayleINQ INQUIRER.net / 06:52 PM August 17, 2018 Image: Twitter/@on_nen +A cat from Japan charmed Twitter users after it flattened one side of its face from being too much of a lazy, sleepy feline. +Belonging to Twitter user "@on_nen," the cat answers to the name Kojiro. Like most cats, Kojiro likes to laze about while tasking its human slaves to feeding and grooming duties. +However, on July 21, Kojiro's owner shared a snapshot of the cat getting startled from one of its naps. As Kojiro looked at the camera with lazy eyes, one side of its face had been flattened out from prolonged contact with its sleeping mat. ADVERTISEMENT +Twitter users found this image charming enough that Kojiro's woke-up-like-this photo has been retweeted over 12,000 times and liked by over 28,000 people as of this writing. Image: Twitter/@on_nen +One user, "@dokzetutarou," likened Kojiro to someone getting punched squarely on the cheek anime style. Image: Twitter/@on_nen +Kojiro's owner regularly updates the Twitter account with more of the cat's sleeping escapades. An Aug. 13 post saw Kojiro swapping its mat for a box where it could hang its chin on. /ra Image: Twitter/@on_ne \ No newline at end of file diff --git a/input/test/Test4761.txt b/input/test/Test4761.txt new file mode 100644 index 0000000..9a5a379 --- /dev/null +++ b/input/test/Test4761.txt @@ -0,0 +1,24 @@ +A south coast man with mental health issues who was denied entry to his local RSL because of his companion animal has won a human rights case against the club. +Federal Court judge Brigitte Markovic found Club Jervis Bay discriminated against Vincentia resident Peter Reurich on eight occasions in 2014 and 2015 by not allowing him to enter the club or ride the courtesy bus while in the company of his bearded collie, Boofhead. +Peter Reurich with his companion dog Boofhead. +Photo: Supplied "The old saying goes that a dog is a man's best friend but, as this case demonstrates, sometimes a dog can be more than that," Justice Markovic said in her ruling on Friday. +"Boofhead, sometimes referred to as 'Boofy' or 'Boof', has been with Mr Reurich since his birth in 2007. +"Mr Reurich feels that Boofhead offers him a freedom that he did not previously have, helps him with his disability and makes it easy for him to get out of the house. When he does not have Boofhead with him, Mr Reurich feels like he is missing something and becomes upset." +Advertisement The court heard Mr Reurich suffers from multiple conditions, including social communication disorder and paranoid personality disorder, which can generate symptoms such as anxiety, depression and paranoia. +According to his psychologist, Tamara Lee, Boofhead helps regulate his emotions and remain comfortable in social settings. +Disputes began between Peter Reurich and RSL staff when he began to bring Boofhead inside. +Photo: Supplied "From my interactions with Peter, the presence of his dog certainly seemed to soften his demeanour and reduce his outward anxiety symptoms," Ms Lee said. +Justice Markovic described the high level of care given to Boofhead by Mr Reurich. +"Boofhead bathes in the sea every two to four days in summer and every couple of weeks," she said. +"Mr Reurich gives him a bath with detergent. Boofhead attends the vet at least once a year and, as at January 2017, his vaccinations were up to date. Mr Reurich brushes Boofhead regularly and checks him for ticks and other things, like grass seeds, every day." +Catherine Phillips, the founder of non-profit organisation mindDog, said assistance dogs could help people suffering issues such as anxiety, by reading body cues, and remove the handler from the situation causing him or her stress. +Mr Reurich obtained a special trainee licence and jacket for Boofhead so he could be trained to pass a "public access test", the court heard. +"Mr Reurich joined the club on 7 May, 2013, and began to catch the courtesy bus to and from the club," Justice Markovic said. +"As Mr Reurich was new to the area and single, he wanted to make friends and hoped to meet a girlfriend as well as be able to dine there." +But disputes arose between Mr Reurich, who can come across as boisterous and aggressive, and staff when he brought Boofhead inside. +The court heard problems could arise when others questioned the legitimacy of Boofhead, which, in turn, caused Mr Reurich anger and distress. +"Negative reaction to Boofhead can thus be a trigger for Mr Reurich," Justice Markovic said. +The club claimed there was no evidence that Boofhead was trained to do specific things to alleviate the symptoms of Mr Reurich's disability "other than by mere companionship". +Mr Reurich alleged there had been 20 different occasions in which he had been discriminated against on the basis of his disability, eight of which were upheld by Justice Markovic. +They included a club ban, as well as incidents in which he was denied entry to the club, told to leave the premises, and denied being able to ride the courtesy bus. +Justice Markovic ordered the club to pay Mr Reurich $16,000 in compensation, plus interest, for pain and suffering \ No newline at end of file diff --git a/input/test/Test4762.txt b/input/test/Test4762.txt new file mode 100644 index 0000000..9a5a379 --- /dev/null +++ b/input/test/Test4762.txt @@ -0,0 +1,24 @@ +A south coast man with mental health issues who was denied entry to his local RSL because of his companion animal has won a human rights case against the club. +Federal Court judge Brigitte Markovic found Club Jervis Bay discriminated against Vincentia resident Peter Reurich on eight occasions in 2014 and 2015 by not allowing him to enter the club or ride the courtesy bus while in the company of his bearded collie, Boofhead. +Peter Reurich with his companion dog Boofhead. +Photo: Supplied "The old saying goes that a dog is a man's best friend but, as this case demonstrates, sometimes a dog can be more than that," Justice Markovic said in her ruling on Friday. +"Boofhead, sometimes referred to as 'Boofy' or 'Boof', has been with Mr Reurich since his birth in 2007. +"Mr Reurich feels that Boofhead offers him a freedom that he did not previously have, helps him with his disability and makes it easy for him to get out of the house. When he does not have Boofhead with him, Mr Reurich feels like he is missing something and becomes upset." +Advertisement The court heard Mr Reurich suffers from multiple conditions, including social communication disorder and paranoid personality disorder, which can generate symptoms such as anxiety, depression and paranoia. +According to his psychologist, Tamara Lee, Boofhead helps regulate his emotions and remain comfortable in social settings. +Disputes began between Peter Reurich and RSL staff when he began to bring Boofhead inside. +Photo: Supplied "From my interactions with Peter, the presence of his dog certainly seemed to soften his demeanour and reduce his outward anxiety symptoms," Ms Lee said. +Justice Markovic described the high level of care given to Boofhead by Mr Reurich. +"Boofhead bathes in the sea every two to four days in summer and every couple of weeks," she said. +"Mr Reurich gives him a bath with detergent. Boofhead attends the vet at least once a year and, as at January 2017, his vaccinations were up to date. Mr Reurich brushes Boofhead regularly and checks him for ticks and other things, like grass seeds, every day." +Catherine Phillips, the founder of non-profit organisation mindDog, said assistance dogs could help people suffering issues such as anxiety, by reading body cues, and remove the handler from the situation causing him or her stress. +Mr Reurich obtained a special trainee licence and jacket for Boofhead so he could be trained to pass a "public access test", the court heard. +"Mr Reurich joined the club on 7 May, 2013, and began to catch the courtesy bus to and from the club," Justice Markovic said. +"As Mr Reurich was new to the area and single, he wanted to make friends and hoped to meet a girlfriend as well as be able to dine there." +But disputes arose between Mr Reurich, who can come across as boisterous and aggressive, and staff when he brought Boofhead inside. +The court heard problems could arise when others questioned the legitimacy of Boofhead, which, in turn, caused Mr Reurich anger and distress. +"Negative reaction to Boofhead can thus be a trigger for Mr Reurich," Justice Markovic said. +The club claimed there was no evidence that Boofhead was trained to do specific things to alleviate the symptoms of Mr Reurich's disability "other than by mere companionship". +Mr Reurich alleged there had been 20 different occasions in which he had been discriminated against on the basis of his disability, eight of which were upheld by Justice Markovic. +They included a club ban, as well as incidents in which he was denied entry to the club, told to leave the premises, and denied being able to ride the courtesy bus. +Justice Markovic ordered the club to pay Mr Reurich $16,000 in compensation, plus interest, for pain and suffering \ No newline at end of file diff --git a/input/test/Test4763.txt b/input/test/Test4763.txt new file mode 100644 index 0000000..7b87a3b --- /dev/null +++ b/input/test/Test4763.txt @@ -0,0 +1 @@ +Physicists reveal oldest galaxies Astronomy - Aug 17 Some of the faintest satellite galaxies orbiting our own Milky Way galaxy are amongst the very first that formed in our Universe, physicists have found. Physics - Aug 16 To tame chaos in powerful semiconductor lasers, which causes instabilities, scientists have introduced another kind of chaos. Medicine - Aug 15 Death rates from stroke declining across Europe New research, published in the European Heart Journal has shown deaths from conditions that affect the blood supply to the brain, such as stroke, are declining overall in Europe but that in some countries the decline is levelling off or death rates are even increasing. Environment - Aug 16 Coral bleaching across Australia's Great Barrier Reef has been occurring since the late 18 th century, new research shows. Mathematics - Aug 15 Universities must seek a deeper understanding of the drivers of inequality in job roles and academic ranks if they are to achieve change. Categor \ No newline at end of file diff --git a/input/test/Test4764.txt b/input/test/Test4764.txt new file mode 100644 index 0000000..86f09d9 --- /dev/null +++ b/input/test/Test4764.txt @@ -0,0 +1,17 @@ +by Felix Harley 4:43 am +Random restarts seldom occur to high-end devices especially the new ones. Nonetheless, it can happen and in fact has already occurred to some high-powered smartphones including the Huawei P10. Usually the symptom is attributed to memory problems like when the memory is shrinking. But in new devices, errant apps and data corruption are usually the underlying causes. Random reboots on the Huawei P10 will likely occur when triggered by the latter factors. And should that be the case, end-users would be able to fix the problem at home. If you've landed into this page while searching for some inputs on how to deal with the same issue on your Huawei P10 smartphone, then you can refer to the given solutions below. These are potential solutions that are easy to perform. +Before anything else, if you have other issues with your device, try to browse through our as we've already addressed several issues with this device. Odds are that we've already published a post that tackles similar problems. Try finding issues that have similar symptoms with what you currently have and feel free to use the solutions we've suggested. If they don't work for you or if you still need our help, then fill up our questionnaire and hit submit to contact us. First solution: End all background apps. +Background apps are apps you've recently opened but not closed. Technically, these apps are in standby mode and they're still running. While keeping background apps may benefit you in terms of multitasking or reloading of same apps, there are factors that can cause them to crash. When this happens, there's a tendency that the overall system functions of the phone get affected. Thus, performance issues would begin to surface. Random reboots could be among the transpiring symptoms. To clear this out, ending all background apps is recommended. Here's how to end or quit background apps on your Huawei P10: Tap the Recent Apps key from the Home screen. Tap the Active apps icon. Tap End next to an app to quit individual apps. If you see multiple apps running in the background, you can end them all at once by tapping on the End all button. Tap OK to confirm action. +Try to use your device as you normally do, without any background apps running. If it still reboots by itself, then continue to troubleshoot and try the next solution. Second solution: Reboot/force restart your Huawei P10. +A soft reset or device restart effectively gets rid of random software errors and minor glitches. It also rectifies errant apps and dumps corrupted cache and temporary data that may have inflicted adverse symptoms on the device. If you haven't done it yet, then follow these steps to soft reset your Huawei P10: Press the Power button for a few seconds until the menu options appear. Select Power Off option then tap OK . After 30 seconds, press and hold the Power button until the device restarts. +Alternatively, you can carry out a force restart with these steps: Press and hold the Volume Down button and Power button for about 10 to 20 seconds until the phone reboots. +A force restart is an alternative method to reboot a frozen device. It's a simulated battery removal procedure for devices with non-removable batteries. It works the same a the usual reboot but carried out using the physical buttons. Both a soft reset and force restart won't cause data loss for as long as it's properly done. Third solution: Boot in safe mode and diagnose apps. +In safe mode, only the stock apps or preinstalled apps are permitted to run as third-party apps are bypassed. This allows you to easily determine if the problem is triggered by a third-party app or not. To enable safe mode on your Huawei P10, simply follow these steps: Press the Power button to turn off your device. After a few seconds, press and hold the Power button to turn it back on. When you see the Huawei animation screen, quickly press the Volume Down button until the lock screen. +You should then see a Safe Mode label at the bottom left corner of the screen. Use your phone as you normal do while in safe mode and see if it reboots by itself. If the problem does not occur while running your phone in safe mode, a third-party app is likely inflicting it. To fix the problem, delete or uninstall the app you suspect is causing the symptom. You may have to uninstall individual apps starting from the one you downloaded recently or before your device started to experience random reboots. Fourth solution: Update apps and phone software to the latest version. +A fix patch may be needed if bugs and malware have triggered the symptom to occur on your phone. Software updates are rolled out periodically to add new features and security enhancements to certain devices. If you haven't yet updated your Huawei P10, check for new software update available with these steps: Tap Settings from the Home screen. Tap System . Scroll to and tap System update . Tap the button to Check for Updates . Doing so will prompt your device to check for updates. If an update is available, you will see the complete details on the following screen. To install the new software version, tap the Quick Update button. +Wait until the device is finished download and installing the update. When the update is completely installed, reboot your phone to apply the new system changes and prevent apps or phone system from acting up. +Aside from Android update, it's also imperative to install pending updates for your apps. Errant apps can also cause your phone to succumb into random restarts. Keeping apps up-to-date will prevent this from occurring. Unless you've set your device and apps to auto-install updates, you will need to manually check for and install pending updates available for your apps. Here's how: Open the Play Store or Google Play app. Tap the Menu icon. Navigate to My Apps & Games. Tap the Update button next to each app to update individual apps. If you want to enable auto-updates for an app, tap the three vertical dots on the upper right corner next to the app's name and then mark the checkbox next to Auto-update. +Reboot your phone as soon as all apps are finished updating. Doing so will ensure all new changes are properly applied. Fifth solution: Wipe cache partition on your Huawei P10. +Corrupted cache from system folders are also among the culprits. Like individual apps, the phone also stores cache or temporary system data on system folders or cache partition. If any of these data becomes corrupted, system functions will also be affected. To prevent this from happening, wiping cache partition is recommended. Doing so will clear all cache files from the phone system including those that were corrupted. Here's how it's done: Turn your phone completely off. Press and hold the Power button and the Volume Up button simultaneously for a few seconds. When you see the Huawei logo , release both buttons. You will then be routed to the EMUI or Android Recovery menu with a few options to choose from. Press the Volume Down button to scroll to and highlight Wipe cache partitio n from the given options. Then press the Power button to confirm selection. Wait until your device is done wiping the cache partition and once it's done, the Reboot system now option will be highlighted. Press the Power button to confirm and reboot your phone. +You should notice your phone to have better and faster performance after the wiping cache and data from the system cache partition. Random reboots should also be gone by now unless a more complex system error or hardware damage is causing it. Other options Remove any microSD card from the phone. If you have any SD card inserted, try to remove it then see how your phone works with an SD card. Many smartphone users who encountered the same issue later found out that the random restarts are attributed to a bad SD card. Some data stored on the card or the SD card itself may have been corrupted and eventually caused the phone system to act up. To rule this out, eject the SD card then remove it. Factory data reset/master reset. A full system reset can potentially fix the problem if tough bugs are the main trigger. Fatal system errors might have caused your device to crash and reboot by itself. Repair/Service. Take your device to a service center and have it diagnosed by an authorized technician. Hardware damage can be the worst possible trigger of random reboots among smartphones. If this is what's causing the same trouble on your Huawei P10 smartphone, then repair would be necessary. Connect with us +We are always open to your problems, questions and suggestions, so feel free to contact us by filling up this form . This is a free service we offer and we won't charge you a penny for it. But please note that we receive hundreds of emails every day and it's impossible for us to respond to every single one of them. But rest assured we read every message we receive. For those whom we've helped, please spread the word by sharing our posts to your friends or by simply liking our Facebook and Google+ page or follow us on Twitter . Content \ No newline at end of file diff --git a/input/test/Test4765.txt b/input/test/Test4765.txt new file mode 100644 index 0000000..7b87a3b --- /dev/null +++ b/input/test/Test4765.txt @@ -0,0 +1 @@ +Physicists reveal oldest galaxies Astronomy - Aug 17 Some of the faintest satellite galaxies orbiting our own Milky Way galaxy are amongst the very first that formed in our Universe, physicists have found. Physics - Aug 16 To tame chaos in powerful semiconductor lasers, which causes instabilities, scientists have introduced another kind of chaos. Medicine - Aug 15 Death rates from stroke declining across Europe New research, published in the European Heart Journal has shown deaths from conditions that affect the blood supply to the brain, such as stroke, are declining overall in Europe but that in some countries the decline is levelling off or death rates are even increasing. Environment - Aug 16 Coral bleaching across Australia's Great Barrier Reef has been occurring since the late 18 th century, new research shows. Mathematics - Aug 15 Universities must seek a deeper understanding of the drivers of inequality in job roles and academic ranks if they are to achieve change. Categor \ No newline at end of file diff --git a/input/test/Test4766.txt b/input/test/Test4766.txt new file mode 100644 index 0000000..53422c0 --- /dev/null +++ b/input/test/Test4766.txt @@ -0,0 +1,8 @@ +THURSDAY, Aug. 16, 2018 (HealthDay News) -- Your calendar might be filled with play-dates for your kids, but it's important to ink in some get-togethers of your own. +Existing friendships may take a back seat to other priorities, and making new friends might seem like mission impossible, but research suggests that friends may be more important to well-being than even romantic and family relationships. Not having this kind of social connection can be as damaging as smoking , overdoing alcohol or not exercising. Friendship is even linked to longevity. +Having friends can: Motivate you to reach goals. Provide support through all phases of your life. Enhance feelings of self-worth. Add purpose to your life. +There's no need to limit yourself to the parents of your kids' friends or classmates. By being social in other ways, you're more likely to meet adults who have similar interests to yours. +Be social to get social: Get involved in community activities or events through your library or school. Take a course in a subject that interests you. Volunteer for a cause you care about. Reconnect with old friends through social media sites or your alumni association. +Once you've met new people, it takes some effort to develop friendships. Besides e-mails and texts, set up face-to-face dates -- the best way to ensure that your friendships grow. Often the difference between a friendship and an acquaintance is the level of intimacy -- knowing key things about each other such as values, goals and even struggles. +So open up to the other person a little at a time. Hopefully he or she will follow suit. +To maintain a friendship, nurture it by being positive rather than judgmental. Listen and respond to your friend's needs, but don't offer unsolicited advice. And above all resist the urge to turn a friendship into a competition over who has a better job, fancier home or smarter kids \ No newline at end of file diff --git a/input/test/Test4767.txt b/input/test/Test4767.txt new file mode 100644 index 0000000..b860324 --- /dev/null +++ b/input/test/Test4767.txt @@ -0,0 +1,10 @@ +Remembering Motorsports Legend Dan Gurney By Decor Girl | January 20th 2018 | Comments Off on Remembering Motorsports Legend Dan Gurney +On January 14, 2018 the global motorsports community lost one of America's greatest racing legends, Dan Gurney . We lost a legendary driver, innovator and gentleman. Dan touched almost every aspect of motorsport as a driver, manufacturer and owner. He will be missed though his presence will remain through his cars and the impact he had on those he met. +I first got the news via an Instagram post from racer Tommy Kendall : +Tributes from all over flooded social media with condolences and touching stories of Dan's kindness. +Dan Gurney was a name us Americans have always associated with racing. He was an American road racer (Sports Car World Championship Series overseas and the Indianapolis, NASCAR, Can-Am and Trans-Am Series), popular Formula One driver, team owner and race car manufacturer. +In 2010 the Rolex Monterey Motorsports Reunion honored Dan with a huge display of cars which attribute their success to Dan. +1960 Maserati Tipo 61 Birdcage raced by Dan Gurney and Stirling Moss. 1967 Ford GT Mark IV , driven by Dan Gurney and A.J. Foyt to victory in the 1967 Le Mans 24-hour race in France. +1968 Gurney McLeagle, McLaren M6B . 1971 Cannonball Run record holding Ferrari Daytona driven by Dan Gurney and Brock Yates. 1972 Gurney Eagle . 1993 Eagle GTP Mk III Toyota . +His successes are legendary. First driver to achieve victories in the four leading motorsports categories: Grand Prix, Indy Car, NASCAR and Sports Cars. Gurney Eagles won at Indianapolis 500, 12 Hours of Sebring, 24 Hours of Daytona and on the F1 circuit. Only American to win an F1 championship race (1967 Belgium Grand Prix) in a car he built. Invented the Gurney Flap , a hinged or fixed device at the trailing edge of a wing, which can be, in majority of the cases, lowered to increase lift of the wing, the purpose being to keep the car on the road. Pioneered wearing a full face helmet in F1 and Indianapolis 500 in 1968. Introduced the champagne spray at the end of a race after winning LeMans in 1967. +This all around good guy was well liked by just about everybody he came into contact with. Dan Gurney was a true gentleman racer in every respect. For more on Dan and his contribution to motorsport visit All American Racers the design and construction facility founded by Dan and owned and operated by his family. Godspeed \ No newline at end of file diff --git a/input/test/Test4768.txt b/input/test/Test4768.txt new file mode 100644 index 0000000..600c9d2 --- /dev/null +++ b/input/test/Test4768.txt @@ -0,0 +1,15 @@ +KUALA LUMPUR: The RapidKL bus driver who was responsible for ramming several vehicles along Jalan Ampang was high on methamphetamine, Bernama tweeted citing City police chief Datuk Seri Mazlan Lazim on Friday. +This follows a urine test conducted on the 32-year-old suspect. +Police arrested the suspect after he was discharged from the Ampang Hospital, where he was being treated for his injury. +He is expected to be remanded on Saturday (Aug 18). +On Thursday (Aug 16) night, footage of a RapidKL bus ramming into several vehicles on a busy road in Ampang has been going viral on social media and messaging apps. +The one-and-a-half minute footage shows the bus being pursued by several motorcycles, whose riders are heard shouting expletives at the driver and telling him to stop. +The bus is shown weaving recklessly through traffic before ramming into two cars but continues its rampage. +It rams into several other vehicles nearly 100m after the first collision and is then caught in gridlocked traffic. + Related stories: +Cops arrest RapidKL driver who was beaten up after bus rampage at Ampang +I'm being threatened, says burger stall owner who chased rampaging bus +RapidKL driver dead? Police say don't believe rumour +Rapid Bus forms taskforce to look into insurance claims +RapidKL driver was beaten up, company urges stop to speculation +RapidKL driver in Thursday night bus rampage picked up by polic \ No newline at end of file diff --git a/input/test/Test4769.txt b/input/test/Test4769.txt new file mode 100644 index 0000000..ffdd722 --- /dev/null +++ b/input/test/Test4769.txt @@ -0,0 +1,8 @@ +By Stephen Nakrosis +MetLife Investment Management and State Street Corporation (STT) said Thursday they entered a multi-year agreement, under which MetLife Investment Management and its affiliates will originate and service for State Street affiliates up to $2 billion in commercial mortgage loans. +MetLife Investment Management is the institutional asset management platform for MetLife, Inc. (MET). +Affiliates of State Street and MetLife will co-lend each loan under the agreement. +Robert Merck, senior managing director and global head of real estate and agriculture, MetLife Investment Management, said, "This is an important step in growing our real estate platform, and we look forward to partnering with State Street to provide a wider range of real estate financing options to our borrowers." +"We are pleased to partner with MetLife to source new investment opportunities, as well as add commercial real estate mortgages to our broad suite of lending options," said Paul Selian, head of global credit finance for State Street Global Markets. +--Write to Stephen Nakrosis at stephen.nakrosis@wsj.com + 16, 2018 17:59 ET (21:5 \ No newline at end of file diff --git a/input/test/Test477.txt b/input/test/Test477.txt new file mode 100644 index 0000000..39882df --- /dev/null +++ b/input/test/Test477.txt @@ -0,0 +1,5 @@ +Man, 61, allegedly assaulted by hoody-wearing teens at Narberth supermarket By Bruce Sinclair @WTBruceS Reporter CK's supermarket, Narberth. PICTURE: Google Street View. 0 comment POLICE are appealing for information after a 61-year-old man was allegedly assaulted by two hoodie-wearing teens at Narberth 's CK's supermarket on Wednesday afternoon, August 15. +A Dyfed-Powys Police spokesman said: "Police are investigating an allegation of assault which occurred just before 1pm on Wednesday, August 15 in CK's supermarket car park, Narberth. +"A 61-year-old male was injured and checked over by the ambulance service. +"The two male suspects are described as being 17/18 years old, one approx. 6ft tall with blonde hair and one a shorter, stocky built male. Both were wearing black hoodies." +Anyone who witnessed the incident or anyone with information that can help officers with their investigation is asked to report it by calling 101. If you are deaf, hard of hearing or speech impaired text the non-emergency number on 07811 311 908 \ No newline at end of file diff --git a/input/test/Test4770.txt b/input/test/Test4770.txt new file mode 100644 index 0000000..99ef96e --- /dev/null +++ b/input/test/Test4770.txt @@ -0,0 +1,27 @@ +17 Aug 2018, 4:00 AM 17 Aug 2018, 10:46 AM 17 August 2018, 4:00 AM 17 August 2018, 10:46 AM +(Bloomberg) -- For years, Martin Bruesch was the bread and butter of the German auto industry. He routinely used his 211-horsepower Audi A4 station wagon for the 20-minute trip to the office. +Now on work days his car usually stays parked outside his apartment in the affluent Berlin neighborhood of Charlottenburg and the 32-year-old human resources executive hails a new carpooling service instead. +"If I'm truly honest with myself, then owning a car is too expensive with all these alternatives around," Bruesch said as he got into one of CleverShuttle's battery-powered Nissan Leafs one evening this month. +As young people like Bruesch increasingly ditch driving, they're also accelerating the shift toward what's being dubbed "peak car"—a time in the not-too-distant future when sales of private vehicles across the western world will plateau before making a swift descent. +This is especially true in big cities where people are becoming more inclined to share rather than own a vehicle that sits idle most of the time. The number of Germans 25 and under getting driving licenses slid 28 percent in the past decade, and it's a similar story in pretty much every other major economy. +It's a moment of reckoning for an industry that had been able to count on three things since the automobile was invented in Germany more than a century ago: cars ran on combustion engines and people not only desired to own one, they also drove it exclusively. With the age of car-sharing, battery-powered fleets and self-driving cars upon us, automakers need to reinvent themselves into mobility companies to survive. +It's hardly surprising, then, that luxury Mercedes-Benz manufacturer Daimler AG bought a stake in CleverShuttle after it began operations in 2016. The service uses an Uber-like app to pair individuals searching for a ride with other commuters in the same vicinity. In the five German cities it runs, users have more than doubled since January to 650,000. +Fast forward just five years and such services will eat into automobile sales, leaving carmakers vulnerable if they don't find ways to augment their income, according to Munich-based consultancy Berylls Strategy Advisors. By 2030 in the U.S., where data is most readily available, Berylls predicts that total sales of cars – individually owned and shared – will fall almost 12 percent to 15.1 million vehicles. +"It will be the first time carmakers ever have to deal with a decline that's structural, and not down to temporary factors like an economic downturn," said Arthur Kipferler, a Berylls consultant who, while working for Jaguar Land Rover Automotive Plc, helped close the deal to fill Alphabet Inc.'s planned self-driving Waymo taxi service with 20,000 electric I-Pace crossovers. +Problem is, it's not as simple as replacing car sales with revenue from mobility services. While German heavyweights like Daimler, BMW AG and Volkswagen AG have invested hundreds of millions of euros in various ride-hailing and car-sharing schemes, they're nowhere near breaking even on them. +Take the DriveNow car-sharing service BMW started in 2011, which charges users by the minute to rent more than 6,000 BMWs and Minis in 13 European cities. After seven years, it's still turning a loss, and last year made up just 0.07 percent of the company's sales. The rest came mostly from selling almost 2.5 million luxury vehicles, like the BMW 3-Series sedan. +Aside from the cost of building a fleet big enough to serve customers across a city, there are numerous ongoing expenses—things like car maintenance, paying drivers and managing and updating software. +And yet BMW's own estimates show that in a decade, one car-sharing vehicle will replace at least three privately owned ones, and mobility services, including autonomous cars, will account for a third of all trips. According to New York-based consultancy Oliver Wyman, mobility will be a 200 billion euro ($227 billion) business by 2040. +"Carmakers are desperate for their mobility divisions to be monetized," said Michael Dean, a senior automotive analyst at Bloomberg Intelligence. "They must be involved in future mobility to avoid being left behind by the likes of Uber and Lyft." +Already, Uber and its Chinese rival DiDi Chuxing Inc. are together valued at about $124 billion—just shy of BMW and Daimler's combined market value, he said. +So much is at stake that BMW merged DriveNow with its long-time arch rival Daimler's car2go service in March. Their goal: to build a one-stop-shop where people can do everything from call taxis, locate parking spots and find charging stations for their electric cars. +"As pioneers in automotive engineering, we will not leave the task of shaping future urban mobility to others," Daimler Chief Executive Officer Dieter Zetsche vowed when the partnership was announced. +Competition is already fierce. In Germany, the plethora of options to get from A to B led the nation's train operator Deutsche Bahn AG to buy a stake in CleverShuttle which, for some commuters, is a viable alternative to overcrowded trains. +Berliners can jump into street-side rental cars powered by gasoline or batteries that charge by the minute and can be dropped off nearly anywhere. They can use one of thousands of rental bikes for as little as a euro an hour. For 3 euros every 30 minutes, they can even navigate the city center on an electric scooter. +A similar smorgasbord of mobility options is available in most big cities. Car-sharing fleets globally have increased in size by 91 percent in the past year, according to Bloomberg New Energy Finance. Hailing services like Uber, Lyft or Grab—all of which carmakers have invested in—reached nearly a billion users during the second quarter, it said. +Shuttling with strangers, the latest fad, is also catching on. Aside from CleverShuttle, ViaVan started in London , Amsterdam and Berlin in the spring as a joint venture between Daimler and New York-based Via Transportation Inc. Volkswagen, too, in July launched Moia in Hanover, Germany, using 35 VW-designed electric vans and growing to 250 by 2020. +"We must reduce inner-city traffic," said Bruno Ginnuth, CleverShuttle's CEO. "A good way to do that is convincing people they don't need to own a car anymore." +CleverShuttle expects to turn a profit in one German city, Leipzig, by year-end and plans to buy another 130 Nissan Leafs and Toyota Mirai hydrogen cars to expand in two more cities. +Commuters are relishing in the choice. Bruesch pays about 8.50 euros for the four-mile journey to Berlin's central square called Potsdamer Plaz, half the price of a taxi and less than what garages near his office charge for parking. +"It's cheap, I don't need to search for a parking space, and I like the fact that a trip is environmentally friendly," he said. +©2018 Bloomberg L.P. Stay Updated With Business News On BloombergQuint Most Read Bloomberg Quin \ No newline at end of file diff --git a/input/test/Test4771.txt b/input/test/Test4771.txt new file mode 100644 index 0000000..34c5b2b --- /dev/null +++ b/input/test/Test4771.txt @@ -0,0 +1,22 @@ +NSW Multicultural Affairs Minister Ray Williams has been accused of politically interfering in a water investigation, after an independent report revealed he repeatedly lobbied his own government for one of his constituents to be given a free water licence and favourable treatment over an illegal dam. +Mr Williams wrote six letters to the Minister for Water between 2014 and 2017 on behalf on a constituent, Garry Bugeja, who was being investigated by water compliance officers over an illegal dam on his property at Glossodia in north-west Sydney. +The details of Mr Williams' level of intervention into the matter - which included attending a site visit on Mr Bugeja's property with senior water officials - are contained in an Ombudsman's report into water compliance, tabled in NSW Parliament on Friday. +Ray Williams continued to write letters even after he ceased being the local member +Photo: Wolter Peeters Neither Mr Williams nor Mr Bugeja are named in the report, but the case was first revealed publicly in the media last year . +In a 2015 letter to Water Minister Niall Blair, Mr Williams accused the Office of Water of making a "false claim" that the dam had been moved and increased in size. +Advertisement "The local MP demanded that the Minister review the matter and asked that 'no further costs, intimidation and bullying' be undertaken by DPI Water toward the property owner's family and that a free water licence be given to the property owner," the report said. +However, the Ombudsman's report stated that DPI Water became "concerned by inconsistencies between the representations in the letter and evidence obtained during site visits." +In another letter, Mr Williams argued that a requirement that Mr Bugeja submit a retrospective development application for the dam was "grossly unfair and intimidating to [the property owner] and his family". +The report concluded that departmental staff "initially tried to resolve this case in the public interest, free from political interests" but that the final outcome "appeared to be influenced by considerations other than the legislative framework and DPI Water policy." +It also labelled as "questionable" the decision by staff not to enforce compliance measures against Mr Bugeja on the basis that "consultations/negotiations with the property owner and the local MP were ongoing". +Opposition water spokesman Chris Minns said Mr Williams' conduct was "evidence that he politically interfered in an investigation into water rorts that resulted in an outcome that was not in the public interest." +" At a time of severe drought the public can have no confidence in the enforcement and compliance of water in NSW," Mr Minns said. +Three of the letters sent by Mr Williams to Mr Blair, as well as the site visit in February 2016, occurred when Mr Williams was no longer Mr Bugeja's local MP. +At the 2015 election, Mr Williams swapped his Hawkesbury electorate for the seat of Castle Hill, in a negotiated trade with the then-finance minister Dominic Perrottet. +Mr Williams did not respond to the Herald 's questions, with his office saying he would not be commenting on the matter. +The report was also critical of the proposal by department staff, and subsequently taken up by Mr Bugeja, that he legitimise the dam by converting it into a "nutrient control pond", for which he would not need to buy a water licence. +"The approaches developed by DPI Water and WaterNSW gave the property owner special treatment in a way that was not consistent with the Water Management Act," the report said. +It labelled the outcome as "inequitable or generally not in the public interest" and one which resulted in an "unfair gain or advantage to an individual." +"The property owner benefited from constructing an unauthorised dam allowing him to store and use more water on his property without approval than he would otherwise be entitled to. He was also not required to purchase a water allocation which had an estimated value of between $10,000 and $20,000," the report said. +It also concluded there was a need for "clear guidelines on the role of MPs, Ministerial staff and public servants in cases where MPs are advocating for their constituents." +Mr Blair, via a spokeswoman, said the government's establishment of the independent Natural Resources Access Regulator in 2017 "seeks to overcome many of the recommendations made by the Ombudsman. \ No newline at end of file diff --git a/input/test/Test4772.txt b/input/test/Test4772.txt new file mode 100644 index 0000000..34c5b2b --- /dev/null +++ b/input/test/Test4772.txt @@ -0,0 +1,22 @@ +NSW Multicultural Affairs Minister Ray Williams has been accused of politically interfering in a water investigation, after an independent report revealed he repeatedly lobbied his own government for one of his constituents to be given a free water licence and favourable treatment over an illegal dam. +Mr Williams wrote six letters to the Minister for Water between 2014 and 2017 on behalf on a constituent, Garry Bugeja, who was being investigated by water compliance officers over an illegal dam on his property at Glossodia in north-west Sydney. +The details of Mr Williams' level of intervention into the matter - which included attending a site visit on Mr Bugeja's property with senior water officials - are contained in an Ombudsman's report into water compliance, tabled in NSW Parliament on Friday. +Ray Williams continued to write letters even after he ceased being the local member +Photo: Wolter Peeters Neither Mr Williams nor Mr Bugeja are named in the report, but the case was first revealed publicly in the media last year . +In a 2015 letter to Water Minister Niall Blair, Mr Williams accused the Office of Water of making a "false claim" that the dam had been moved and increased in size. +Advertisement "The local MP demanded that the Minister review the matter and asked that 'no further costs, intimidation and bullying' be undertaken by DPI Water toward the property owner's family and that a free water licence be given to the property owner," the report said. +However, the Ombudsman's report stated that DPI Water became "concerned by inconsistencies between the representations in the letter and evidence obtained during site visits." +In another letter, Mr Williams argued that a requirement that Mr Bugeja submit a retrospective development application for the dam was "grossly unfair and intimidating to [the property owner] and his family". +The report concluded that departmental staff "initially tried to resolve this case in the public interest, free from political interests" but that the final outcome "appeared to be influenced by considerations other than the legislative framework and DPI Water policy." +It also labelled as "questionable" the decision by staff not to enforce compliance measures against Mr Bugeja on the basis that "consultations/negotiations with the property owner and the local MP were ongoing". +Opposition water spokesman Chris Minns said Mr Williams' conduct was "evidence that he politically interfered in an investigation into water rorts that resulted in an outcome that was not in the public interest." +" At a time of severe drought the public can have no confidence in the enforcement and compliance of water in NSW," Mr Minns said. +Three of the letters sent by Mr Williams to Mr Blair, as well as the site visit in February 2016, occurred when Mr Williams was no longer Mr Bugeja's local MP. +At the 2015 election, Mr Williams swapped his Hawkesbury electorate for the seat of Castle Hill, in a negotiated trade with the then-finance minister Dominic Perrottet. +Mr Williams did not respond to the Herald 's questions, with his office saying he would not be commenting on the matter. +The report was also critical of the proposal by department staff, and subsequently taken up by Mr Bugeja, that he legitimise the dam by converting it into a "nutrient control pond", for which he would not need to buy a water licence. +"The approaches developed by DPI Water and WaterNSW gave the property owner special treatment in a way that was not consistent with the Water Management Act," the report said. +It labelled the outcome as "inequitable or generally not in the public interest" and one which resulted in an "unfair gain or advantage to an individual." +"The property owner benefited from constructing an unauthorised dam allowing him to store and use more water on his property without approval than he would otherwise be entitled to. He was also not required to purchase a water allocation which had an estimated value of between $10,000 and $20,000," the report said. +It also concluded there was a need for "clear guidelines on the role of MPs, Ministerial staff and public servants in cases where MPs are advocating for their constituents." +Mr Blair, via a spokeswoman, said the government's establishment of the independent Natural Resources Access Regulator in 2017 "seeks to overcome many of the recommendations made by the Ombudsman. \ No newline at end of file diff --git a/input/test/Test4773.txt b/input/test/Test4773.txt new file mode 100644 index 0000000..546b471 --- /dev/null +++ b/input/test/Test4773.txt @@ -0,0 +1,64 @@ +LEXINGTON -- Smoke hangs in the trees on a muggy summer night, the smell of burnt oak wrapping itself around the backyard of a red-painted restaurant in a tiny Texas town. Golf ball-sized bugs bounce off the overhead lights. An orchestra of cows hums in the distance. +It's just before sunset on a Friday, the first hour of Clay Cowgill's 18-hour shift. He's wearing his barbecue uniform: a black T-shirt dampened with sweat, burnt jeans and rubber shoes with melted tips. +The nerves haven't set in yet, but they will. Fans will soon arrive -- from Dallas, Nashville, Hong Kong -- to visit the small arena of wood benches and steel pits in Lexington, one hour east of Austin, population 1,177. +They'll bring lawn chairs and decks of cards, tired eyes and high expectations, waiting in line for the sun to rise to eat what many say is the best barbecue in the state. +Clay Cowgill works on putting the briskets on the smoker around 10 p.m. at Snow's BBQ in Lexington, Texas, on Aug. 10, 2018. (Vernon Bryant/Staff Photographer) The place is called Snow's BBQ, where brisket can be sliced with a finger. It's home to legendary pitmaster Tootsie Tomanetz, an 83-year-old soon-to-be Barbecue Hall of Famer, known for her pork steaks and tender half-chickens. +Twice, Snow's has been ranked No. 1 in Texas Monthly 's Top 50 Barbecue rankings, released every four years or so. Most recently, it took the top spot in 2017, creating longer lines and a game-day-like pressure. +Because Snow's is only open one day a week, on Saturdays, from 8 a.m. till the meat sells out. +Owner Kerry Bexley says the key to good barbecue is heat and smoke, which require constant attention. If it's bad, he says, 90 percent of the time it was human error. +Flames rise out of a firebox at Snow's BBQ. (Vernon Bryant/Staff Photographer) That's why Cowgill gets the nerves. He's in charge of the brisket, pork ribs and turkey. On this Friday night, just before 8, he's the first to arrive, feeding logs into the pits and lighting the fires. +Every week, he seeks what he calls the perfect cook -- flawless ribs, moist turkey and textbook briskets, perfection down to the very last detail. +"Because," he says, shutting the lid of the pit smoker with 12 hours until Snow's opens. "We've got one shot every week to get it right." +Kerry Bexley, owner of Snow's BBQ, seasons a brisket with salt and pepper. The establishment is only open on Saturdays. (Vernon Bryant/Staff Photographer) Born of a hobby Most of barbecue is waiting. It takes at least 10 hours for the briskets to smoke, eight for the turkey, six for the chicken and so on. The heat must be a perfect temperature. The smoke must be clean. +Bexley arrives just before 10 p.m. He bends low and picks up fallen pieces of the red, white and blue streamers that hang above the outdoor benches. +The streamers are from March, when Snow's celebrated its 15th anniversary, a number Bexley still can't believe. The former rodeo clown, prison guard and auctioneer started the business in 2003 as a hobby. At the time, and to this day, he works full-time at an energy company, and also sells real estate. +He recruited Tootsie as his pitmaster. She'd been smoking meats since 1966 at local meat markets, and was known in town as an expert. But this, too, would be her side job. During the week, she was a custodian at a nearby middle school. +The location of Snow's was perfect, just down the street from the weekly Saturday cattle auction. The moniker comes from a childhood nickname. Before Bexley was born, someone asked his then 4-year-old brother if he wanted a boy or girl. He said he wanted a snowman. +Business was fun at first. But after five years, it was barely profitable. Bexley wanted to spend more time with his kids on the weekends. So in 2008, he put Snow's on Craigslist. +Days later, he met with a couple, prepared to sell everything. But they backed out of the deal. +In the following weeks, Texas Monthly reporters visited Snow's, and a new normal would soon take shape. +The first Saturday after it was crowned No. 1 in the magazine's 2008 Top 50 Barbecue rankings, a long line stretched outside the front door. +By 9:30 a.m., Snow's was out of meat. +Tootsie Tomanetz makes her way between barbecue pits at Snow's BBQ. She begins work at 2 a.m. on Saturdays. (Vernon Bryant/Staff Photographer) Mop sauce splash Cowgill's favorite moments are right now, after midnight, when it's just him and the pops of the fire. +To power through his 18-hour shift, he starts with a Red Bull, then transitions to a full pot of coffee. Later, when the customers arrive, he'll switch to water and cold beer. +By now, he's already loaded the briskets -- 7-pound, pre-trimmed cold slabs rubbed with salt and pepper -- into the pits, along with the turkey and pork ribs. He'll check and rotate them throughout the night, massaging the briskets with thick rubber gloves to test their tenderness. +He was hired three years ago, after Tootsie's son, who also worked at Snow's, died of cancer. At the time, Cowgill was far from an expert. He was simply a die-hard fan, stopping by Snow's almost every Saturday, until one day Bexley offered him a job. +For six months, Bexley taught him how to master a smoked brisket. As for Tootsie, Cowgill quickly realized it was best to just watch. +"I had to learn how to work a lot harder around her," the 36-year-old says, sweeping the floor. "To do more." +Tootsie arrives just before 2 a.m. with less than three hours of sleep. She still works full-time on maintenance and grounds for the school district during the week. +Her shoulders are broad, skin tan, short white hair pushed back. She says she doesn't feel like an 83-year-old. More like 60. In silence, she grabs her shovel and digs into the glowing coals, then sprinkles them under the box pits. +Clay Cowgill mops the ribs. (Vernon Bryant/Staff Photographer) Next, she boils a tall pot of water with onions for her famous mop sauce, which will be knighted onto the chicken, pork steak and ribs, releasing a buttery plume of mustard smoke that Cowgill purposefully leans into. +Then she prepares the beans, which are free for customers. After that, she cleans the sausage pans, arranges the outdoor register and retrieves more logs. +An hour and a half after she arrived, Tootsie finally takes a seat. +Most people who visit Snow's want a picture with her. She's a celebrity in the barbecue world. Yeti did a short documentary on her. Major newspapers and magazines have done profiles. At first, she was uncomfortable with the attention. She enjoys it now, even asking some customers if they'd like her autograph. +This year, she was a semifinalist for the James Beard Award. And on Sept. 15 in Kansas City, she'll be inducted into the Barbecue Hall of Fame, even though months ago, she was unaware that either honor existed. +"I'm a country girl," she says with a smile, standing up to shovel more coals. "I don't know about that crap." +Tootsie Tomanetz is a celebrity in the barbecue world and soon will be in the Barbecue Hall of Fame. +(Vernon Bryant/Staff Photographer) Tootsie Tomanetz makes her way between barbecue pits hauling hot coals. (Vernon Bryant/Staff Photographer) Tootsie Tomanetz gathers wood for the night. (Vernon Bryant/Staff Photographer) Tootsie Tomanetz goes by feel, using her hand to check the temperature of the barbecue pit after she deposited hot coals. (Vernon Bryant/Staff Photographer) Tootsie Tomanetz lifts a large pot of water and beans to a gas burner. (Vernon Bryant/Staff Photographer) Tootsie Tomanetz checks on the chicken in the pit at Snow's. (Vernon Bryant/Staff Photographer) Tootsie Tomanetz and Clay Cowgill talk in between tending to the meat cooking in the early morning hours on Aug. 11. (Vernon Bryant/Staff Photographer) Tootsie Tomanetz and owner Kerry Bexley share a laugh as they wrap briskets in foil for the second part of their cook on the pits. (Vernon Bryant/Staff Photographer) Louis Brinkley (left) of Fort Worth and Michael Francis (center) of Austin take photos of pork steaks in the pit with Tootsie Tomanetz. (Vernon Bryant/Staff Photographer) Pitmaster Tootsie Tomanetz leaves at the end of another workday at Snow's BBQ on Aug. 11. The 83-year-old Tomanetz arrived just before 2 a.m. that day and left around 1:30 p.m. (Vernon Bryant/Staff Photographer) With Tootsie's fame and a No. 1 ranking, many wonder why Snow's hasn't expanded business hours or opened another location. Bexley has thought about food trucks in Austin or College Station. But he's concerned about quality. +"If we can't do it right, we don't do it at all," the 51-year-old says, sitting in his Snow's office, which has a blue cot for power naps, a walk-in freezer and stacks of packaging supplies. Every week, he ships pre-cooked frozen meats all over the country. That's another job in itself. +His main concern is Saturdays. He knows that most of his customers are traveling long distances, and wants to make sure it's worth their while. +Right after last year's No. 1 ranking, the line was longer than ever. It zigzagged from the front porch to the street, 300-plus people stretching down the block. +Lines like that stress Bexley out. +Because if you don't arrive early enough, you don't get to eat. +People wait in line for Snow's BBQ to open at 8 a.m. (Vernon Bryant/Staff Photographer) Front of the line Footsteps clank on the wooden porch just after 5:15 a.m. It's dark outside, with a forecast of thunderstorms. But there they are, a hungry couple from Houston. +"I've been cooking a lot of barbecue lately," says Pete Rodriguez, setting up his lawn chair outside the front door. "I have to see what No. 1 looks like." +An hour later, 14 more people have joined. Brett Ashcraft from Georgia takes a deep breath, filling his lungs with the smoky smell, a smell so good that a customer once wanted to capture it, so he bought a Snow's T-shirt and asked Tootsie to lay it near the pits, which she did. +Today's haul is well over 1,000 pounds of meat, including 70 briskets, 36 whole chickens and more than 30 pork steaks. At the front of the line is a whiteboard that reads "Out of." It's what people glance at most, like a green light that will soon turn red. +By opening time, there are 60 people in line. Bexley welcomes the crowd like a referee, explaining the rules and what to expect. This is his favorite part. The interaction. +People grab free beer to drink as they wait in line at Snow's BBQ. (Vernon Bryant/Staff Photographer) He asks the crowd to number off for a raffle. The prizes are a free hat or T-shirt, 10 percent off your meal, a bottle of sauce and the most coveted -- a trip to the front of the line. +The winners of the grand prize include sisters from Washington state. When the doors open, and it's their turn, they order a plate for themselves, as well as a couple pounds of brisket and ribs to take home, which they hope the airport dogs don't sniff out. +Owner Kerry Bexley prepares to give away a koozie and a bottle of barbecue sauce to a random person waiting in line at Snow's BBQ. (Vernon Bryant/Staff Photographer) The servers are a mixture of family and friends. One of Bexley's longtime neighbors slices the brisket, while his two daughters switch between cash register and wrapping. +As the line moves along, Bexley brings out a cooler of free Lone Star Beer. Country music blasts from a loudspeaker. +Chicken, sausage and ribs from Snow's BBQ. (Vernon Bryant/Staff Photographer) Zeke Bermudez orders a little bit of everything. He can't pick a favorite between the pork steak, ribs and brisket. After his meal, he walks outside and shyly approaches the famed pitmaster. Her back is turned. +"Excuse me, Miss Tootsie," he says softly, and she turns around, flashing a toothy smile, ready and excited for her eighth picture of the day. +The compliments overflow toward Bexley and Tootsie: "Best ever" and "worth the drive." +By 10 a.m., the chicken has run out. But that's it. Come noon, Snow's BBQ still has everything else. Bexley is shocked. He can't remember a day like this in years. Maybe it was the stormy forecast. No matter, he'll freeze the leftovers and ship them as online orders. +At 2 p.m., they clean the pits and close up shop. Tootsie is tired, a good, hard day's work tired, ready to slip off her shoes and take a nap at home. +Cowgill stands by the pits, watching the final bites on people's plates. Today was close, but it wasn't the perfect cook. One brisket was a tad too tender for his liking. A rack of ribs was a touch too dark. +"I'm going for perfect, and I'm not going to get it," he says. +Next Saturday, he'll try again. +Pete and Dakota Rodriguez of Houston react after taking their first bite of a rib at Snow's BBQ. They arrived at 5 a.m. to be the first in line. (Vernon Bryant/Staff Photographer) Details Open: Saturdays, 8 a.m. until the meat runs out +Address: 516 Main St., Lexington, TX 78947 +Phone: 979-773-4640 +Online: snowsbbq.com; snowsbbq@yahoo.com +Pro tips: Snow's is roughly a three-hour drive from Dallas. Best to arrive by 7 a.m. if you want your choice of meat. Austin is an hour away. The nearest hotels are in Rockdale. Credit cards accepted \ No newline at end of file diff --git a/input/test/Test4774.txt b/input/test/Test4774.txt new file mode 100644 index 0000000..8c17374 --- /dev/null +++ b/input/test/Test4774.txt @@ -0,0 +1,8 @@ +Contract Type Full-Time +MaD (Media and Digital Ltd) is a small but prolific and well-established design agency based in Stockton Heath village, Warrington. We seek a client facing, creative Graphic Designer with extensive experience in both print and digital media. +We're looking for someone who can take direction from written or spoken ideas and convert them seamlessly into successful media and digital campaigns. The successful candidate should have a friendly, positive outlook and an intimate understanding of how marketing campaigns work, to support our clients. +We may be small but we are well established and over the last 27 years, have built an enviable reputation across the North West working closely and continuously with clients of all sizes from SME's to large organisations, building strong relationships along the way - so it is essential that you can deliver highly creative, finished artwork to demanding deadlines. +Responsibilities include: Working simultaneously on 5+ projects based on current client workload Create visual aspects of marketing materials, websites and other media, including infographics Create and develop brands from concept to realisation. Consult with clients' marketing, copywriting and sales teams to create cohesive designs that reflect our clients' corporate cultures and goals. +Essential skills required: Extensive experience with Illustrator, Photoshop and InDesign, specifically with mock-ups, print, web design and presentations. 3+ years in professional commercial design, preferably with a marketing or creative agency Excellent communication skills Ability to absorb and apply constructive criticism from peers and clients Consultative up-selling approach. Driving license and own car required to visit clients No-smoking environment Working knowledge of CSS3, HTML5 and JavaScript Experience working with WordPress templates Knowledge of video editing, motion graphics and photography. +Interested? We'd love to hear from you +Please apply by sending your CV and portfolio to or click the link belo \ No newline at end of file diff --git a/input/test/Test4775.txt b/input/test/Test4775.txt new file mode 100644 index 0000000..754364d --- /dev/null +++ b/input/test/Test4775.txt @@ -0,0 +1,48 @@ +29:55 +2005: WC qualification +One of Australia's greatest footballing moments came under Lowy's watch. After a long qualifying campaign, the Socceroos end a 32-year drought to return to the World Cup after beating Uruguay on penalties in a dramatic clash in Sydney. +2006: Australia joins AFC +Australia is officially admitted to the Asian confederation at the start of 2006, as Lowy finally achieves a change three decades in the making. +UTD VETERANS, PETITE CITY: PL CLUBS RANKED FOR AGE, HEIGHT AND EXPERIENCE +2006: World Cup in Germany +Australia's golden generation achieves what still stands as the nation's greatest ever World Cup result. The Aussies reach the Round of 16 and go down in controversial circumstances to Italy in a thrilling knockout clash. 'The future is unclear' 2:57 +2008: Commits $46m to World Cup bid +The Australian federal government commits $46m towards hosting the FIFA World Cup in 2022. FFA uses the funding to set up an official bid team, led by Lowy to push hopes of hosting the tournament. +2008: W-League established +18-YEAR-OLD HOMEGROWN SENSATION SET TO FILL VAST KDB VOID +2010: FIFA award World Cup to Qatar +Qatar is handed hosting rights to the 2022 edition of football's showpiece as Australia's bid receives just one vote. +The Aussie bid falls in the first round, as investigations begin into the failed hosting attempt. +2010: Back to the World Cup +Australia qualify for their first ever consecutive World Cup campaign, as they advance via Asian qualifying for the first time. +The Socceroos fall in the group stage after a tough group stage against Germany, Ghana and Serbia. Steven Lowy speaks at a press conference in Sydney. Source: AFP +2010: Matildas win Asian Cup +The Matildas claimed Australia's first Asian football title with a dramatic penalties win over North Korea in Chengdu. +2012: Marquees galore hit the A-League +A number of big-name signings hit Australian shores, including World Cup winner Alessandro Del Piero who signed a two-tear deal with Sydney FC. +2015: Asian Cup triumph +The Socceroos nab a major continental trophy for the first time, as they beat Japan to lift the Asian Cup on home soil. Lowy steps down as Chairman 2:01 +2015: A-League pay dispute +Professional Footballers Association threatens strike action over a pay dispute. The FFA reportedly withdrew recognition of the PFA, before a new memorandum of understanding was struck. +2015: Frank Lowy steps down as chairman +After 12 years at the helm, Lowy Senior stepped aside from his post as football celebrated his long list of achievements in the top job. +"Frank, that's what you have done for football in Australia. You have led from the very beginning," John Howard said at his farewell gala. +"It wouldn't have happened without a remarkable man, a man who I've been very fond of for decades and who has just given so much." +2015: Steven Lowy takes over +Steven succeeds his father as chairman after being elected unopposed onto the board. +The seemingly autocratic fashion of his selection is heavily criticised. +2016: A-League gets bumper new TV deal inc. Marquee fund +The A-League sign a new broadcast deal with Fox Sports until 2023, reportedly worth $346 million. Steven Lowy (L) and FIFA President Gianni Infantino (R) pictured at the World Cup. Source: News Corp Australia +2017: FIFA threaten to sack FFA board +Lowy and the FFA survive the sack threat but FIFA takes charge of the bitter battle for control in Australian football. +2017: Ange Postecoglou resigns as Socceroos boss +After successfully qualifying for the World Cup, Postecoglou suddenly resigned as Socceroos coach. Many in the Australian footballing community could not believe he would actually do it. Steven Lowy & FFA CEO David Gallop. Source: News Corp Australia +2017: A-League clubs threaten boycott +clubs issued a warning to Steven Lowy not to "interfere with or disrupt" the proposed review process of the sport's governance. +2018: Bert van Marwijk takes Socceroos to World Cup +Dutch coach Bert van Marwijk is appointed as Socceroos coach for the 2018 World Cup in Russia, with former Sydney FC boss Graham Arnold set to take the reigns after the tournament. +2018: Judith Griggs appointed head of CRWG +The former CEO of the Australian Grand Prix Corporation was tasked with resolving the FFA's governance gridlock, leading the congress review working group. Speedy moved to tears 3:20 +2018: A-League expansion process +The FFA intends to grant licences to two new clubs for the 2019/20 season, in an attempt to expand the A-League further. +2018: Steven Lowy announces he won't stand for re-electio \ No newline at end of file diff --git a/input/test/Test4776.txt b/input/test/Test4776.txt new file mode 100644 index 0000000..5e9d38f --- /dev/null +++ b/input/test/Test4776.txt @@ -0,0 +1,24 @@ +Tweet +With the arrival of the new year comes a range of important tax dates and tax deadlines to remember. Regardless of whether you're responsible for business or personal taxes, you'll need to keep these dates to hand to comply with HMRC's tax regulations and avoid late penalty fees. +To help, we've created a one-stop-shop with all the important tax dates and deadlines for this year. Download the infographic below or read on to learn more information about the key tax dates in 2018. +January +Your deadline for completing your self-assessment tax return is midnight on 31st January 2018. This means that you must complete your self-assessment tax return and complete first payment on your account by this date. +The online self-assessment deadline is also at midnight on 31st January 2018 . Therefore, you must have your self-assessment tax return correctly filed in and submitted via the HMRC online service by this date. +March +If you have not submitted your online self-assessment tax return or paid your tax bill by 31st March 2018 (up to 3 months after the original deadline) you will be liable for a £100 fine. After a period of 3 months or longer, the penalties and interest will increase. +April +The 5th April 2018 is the end of the 2017/18 tax year and also the deadline for PAYE tax rebates. +The following day, 6th April 2018 , is the start of the 2018/19 tax year; this is the best time to check if your tax codes are correct and up-to-date. +May +31st May 2018 is when P60 documents for the 2017/18 tax year are issued to employees. +July +The deadline for sending a PAYE settlement agreement (PSA) for the 2017/18 tax period is 6th July 2018 ; after which point you will not be able to apply for a PSA for the aforementioned tax year. P11d and P11d(b) documents must also reach HMRC and be distributed to employees by 6th July 2018 . +The 31st July 2018 is the deadline for the second payment of your 2017/18 tax bill. +October +You should register with HMRC by 5th October if you became self-employed; you should also notify HMRC of any untaxed income and capital gains exceeding £11,300 by the same date. +The 31st October is the deadline for those filling out paper self assessment tax returns. The same penalties for late online returns also apply to late paper tax returns. +December +The main tax deadline for December is on 30th December 2018 . By this date, those who owe less than £3000 for the 2016/17 tax year should have submitted their online self-assessment tax return. +Contact the experts +If you need help with any areas of tax , it's best to get in contact with the experts. Our experienced team of tax accountants can help your streamline your tax processes, helping you to save valuable time and money. +News When is it time to appoint a chartered accountant? If you run a small business or an SME, it can be hard to manage all of your… Read More Is your prenuptial agreement valid? If you're married or in a civil partnership, or you're engaged, you may have or be considering a… Read More 8 surprising non-tax-deductible expense claims that are often included in expense claims The definition of a non-tax-deductible expense is an expenditure that does not exclusively facilitate the normal operation of… Read More Testimonials Mike Lyons Financial Director – AKW Group PLC "A reliable, smart, accurate and efficient service. We have been using the Alexander & Co payroll bureau for… Read More Daniel Weidenbaum Group Finance Director Trumeter Technologies Ltd We decided to transfer our Audit this year to Gary Kramrisch and his team at Alexanders and having… Read More Andy Beswick Vinyl Compounds Ltd We were introduced to and appointed Alexander & Co as our auditors during the past year, their audit… Read Mor \ No newline at end of file diff --git a/input/test/Test4777.txt b/input/test/Test4777.txt new file mode 100644 index 0000000..bc22391 --- /dev/null +++ b/input/test/Test4777.txt @@ -0,0 +1,18 @@ +The "Mucopolysaccharidosis Disorders Drug Development Pipeline Review, 2018" report has been added to ResearchAndMarkets.com's offering. +"Mucopolysaccharidosis Disorders Drug Development Pipeline Review, 2018" provides an overview of the pipeline landscape for mucopolysaccharidosis disorders, a group of inherited lysosomal storage disorders. +It provides comprehensive information on the therapeutics under development and key players involved in therapeutic development for mucopolysaccharidosis I (MPS I) (Hurler syndrome), mucopolysaccharidosis II (MPS II) (Hunter syndrome) and mucopolysaccharidosis III (MPS III) (Sanfilippo syndrome), and features dormant and discontinued products. +Companies operating in the mucopolysaccharidosis disorders pipeline space include ArmaGen, Sangamo and AngioChem. +Scope +Which companies are the most active within each pipeline? Which pharmaceutical approaches are the most prominent at each stage of the pipeline and within each indication? To what extent do universities and institutions play a role within this pipeline, compared to pharmaceutical companies? What are the most important R&D milestones and data publications to have happened in this disease area? Key Topics Covered: +1 Tables & Figures +2 Introduction +3 Therapeutics Development +4 Therapeutics Assessment +5 Companies Involved in Therapeutics Development +6 Dormant Projects +7 Discontinued Products +8 Product Development Milestones +9 Appendix +Companies Mentioned +Abeona Therapeutics Inc AngioChem Inc ArmaGen Inc Axcentua Pharmaceuticals AB BioMarin Pharmaceutical Inc CRISPR Therapeutics Denali Therapeutics Inc Eloxx Pharmaceuticals Inc GC Pharma Immusoft Corp JCR Pharmaceuticals Co Ltd Laboratorios Del Dr Esteve SA Lysogene SAS Mucopolysaccharidosis II (MPS II) (Hunter Syndrome) Mucopolysaccharidosis III (MPS III) (Sanfilippo Syndrome) OPKO Health Inc RegenxBio Inc Sangamo Therapeutics Inc Shire Plc Swedish Orphan Biovitrum AB For more information about this report visit https://www.researchandmarkets.com/research/rl7npv/mucopolysaccharido?w=4 +View source version on businesswire.com: https://www.businesswire.com/news/home/20180817005123/en \ No newline at end of file diff --git a/input/test/Test4778.txt b/input/test/Test4778.txt new file mode 100644 index 0000000..a7c35c2 --- /dev/null +++ b/input/test/Test4778.txt @@ -0,0 +1,9 @@ +Share reddit +Seems like the Google employees have gotten a taste for pushing against their leadership since the Project Maven situation, as they have currently organized again in protest, this time against the project Google had codenamed Dragonfly. +Dragonfly surfaced at the beginning of August as a search engine the company intends to build for China, which will be in accordance to the country's strict censorship laws. +The letter was reported by the New York Times and demands transparency, so they can make more 'ethically informed decisions' about their work because "Google employees need to know what we're building." +The outrage is understandable: some of the Google employees have only found out about the existence of the project from the press, instead of being notified internally by their bosses. +The letter is circulating on Google's internal system and has, so far, been signed by around 1,400 employees. The letter states the following: +Our industry has entered a new era of ethical responsibility: the choices we make matter on a global scale. Yet most of us only learned about project Dragonfly through news reports [in] early August. Dragonfly is reported to be an effort to provide Search and personalized mobile news to China, in compliance with Chinese government censorship and surveillance requirements. Eight years ago, as Google pulled censored web search out of China, Sergey Brin explained the decision, saying: "in some aspects of [government] policy, particularly with respect to censorship, with respect to surveillance of dissidents, I see some earmarks of totalitarianism." Dragonfly and Google's return to China raise urgent moral and ethical issues, the substance of which we are discussing elsewhere. Here, we address an underlying structural problems: currently we do not have the information required to make ethically-informed decisions about our work, our projects, and our employment. That the decision to build Dragonfly was made in secret, and progressed even with the AI Principles in place makes clear that the Principles alone are not enough . We urgently need more transparency, a seat at the table, and a commitment to clear and open processes: Google employees need to know what we're building. In the face of these significant issues, we, the undersigned, are calling for a Code Yellow addressing Ethics and Transparency , asking leadership to work with employees to implement concrete transparency and oversight processes, including the following: 1. An ethics review structure that includes rank and file employee representatives; 2. The appointment of ombudspeople, with meaningful input into their selection; 3. A clear plan for transparency sufficient to enable Googlers an individual ethical choice about what they work on; and 4. The publication of "ethical test cases"; an ethical assessment of Dragonfly, Maven ,and Airgap GCP with respect to the AI Principle ; and regular, official, internally visible communications and assessments regarding any new areas of substantial ethical concern. +Note: A Code Yellow is a standardized process in Engineering for addressing new or long-simmering business-critical problems that span multiple groups. A Code Yellow includes: an executive responsible for the process; an overall owner; a clear list of objectives to be resolved before closing the Code Yellow; and weekly (or more frequent) updates to any interested parties. +So far, Google has declined to make any comments concerning the situation \ No newline at end of file diff --git a/input/test/Test4779.txt b/input/test/Test4779.txt new file mode 100644 index 0000000..d0be259 --- /dev/null +++ b/input/test/Test4779.txt @@ -0,0 +1,8 @@ +Pop in for a Prosecco at Regency Manor, Wynyard Menu Pop in for a Prosecco at Regency Manor, Wynyard Show caption 0 comments TO CELEBRATE the opening of its two new showhomes at Regency Manor, part of the exclusive Wynyard Homes development, Bellway is laying on a mobile Prosecco bar over the Bank Holiday weekend and will be offering visitors canapés and providing entertainment for children who can enjoy sweets whilst having their faces painted and watching a balloon artist. +"The two new showhomes perfectly showcase the living standards that buyers can expect to enjoy at Regency Manor," said sales manager, Darren Pelusi. "Our interior designers have done a fabulous job in selecting the furniture and decor in order to illustrate the homes' appeal and to show buyers how imaginative they can be." +Bellway has chosen the Poplar and Plane homes to demonstrate the quality of accommodation on offer at Regency Manor. +The five-bedroom executive Poplar style home offers 2,210sq.ft of living space which includes features such as an open-plan kitchen and dining area, separate utility room, study, French doors from the living area to the garden, a double garage, two en-suite bedrooms and a Jack 'n' Jill shower room. +The four-bedroom Plane style home has 1,796sq.ft of living space. On the ground floor are a cloakroom, living room with bay window overlooking the garden, contemporary open-plan kitchen/dining area and family room with integrated appliances in the kitchen and utility room which provides access to the garage. +Upstairs are the family bathroom and four bedrooms, including the master bedroom with dressing area and en-suite shower room and a bedroom two also with an en-suite shower room. +Prices at Regency Manor start from £329,995. Bellway is offering buyers a range of incentives, including the Government's Help to Buy scheme and its own free Express Mover service for buyers with an existing home to sell. +For more information about Regency Manor visit bellway.co.uk or call Bellway on 07970 637287. The development's sales office is open 10am-5pm Thursday to Monday \ No newline at end of file diff --git a/input/test/Test478.txt b/input/test/Test478.txt new file mode 100644 index 0000000..ec40128 --- /dev/null +++ b/input/test/Test478.txt @@ -0,0 +1,11 @@ +Tweet +Alps Advisors Inc. reduced its position in shares of Federated Investors Inc (NYSE:FII) by 18.5% in the 2nd quarter, according to the company in its most recent 13F filing with the Securities and Exchange Commission. The fund owned 29,478 shares of the asset manager's stock after selling 6,696 shares during the period. Alps Advisors Inc.'s holdings in Federated Investors were worth $1,064,000 as of its most recent filing with the Securities and Exchange Commission. +Other large investors have also recently added to or reduced their stakes in the company. Eastern Bank lifted its holdings in Federated Investors by 7.0% during the 2nd quarter. Eastern Bank now owns 61,806 shares of the asset manager's stock worth $1,441,000 after purchasing an additional 4,069 shares during the last quarter. Cornerstone Wealth Management LLC acquired a new stake in Federated Investors during the 2nd quarter worth approximately $2,061,000. Dupont Capital Management Corp lifted its holdings in Federated Investors by 306.5% during the 1st quarter. Dupont Capital Management Corp now owns 103,475 shares of the asset manager's stock worth $3,456,000 after purchasing an additional 78,020 shares during the last quarter. Covington Investment Advisors Inc. acquired a new position in Federated Investors in the 1st quarter valued at $2,987,000. Finally, Prudential Financial Inc. raised its holdings in Federated Investors by 198.2% in the 1st quarter. Prudential Financial Inc. now owns 630,092 shares of the asset manager's stock valued at $21,045,000 after acquiring an additional 418,770 shares in the last quarter. 80.82% of the stock is owned by institutional investors and hedge funds. Get Federated Investors alerts: +In other Federated Investors news, Director Michael J. Farrell purchased 65,000 shares of the firm's stock in a transaction dated Monday, July 30th. The shares were bought at an average price of $24.12 per share, for a total transaction of $1,567,800.00. Following the purchase, the director now owns 38,150 shares in the company, valued at approximately $920,178. The transaction was disclosed in a document filed with the SEC, which is available through this hyperlink . 5.30% of the stock is owned by insiders. Shares of NYSE FII opened at $22.87 on Friday. The firm has a market capitalization of $2.25 billion, a price-to-earnings ratio of 10.49, a P/E/G ratio of 1.79 and a beta of 1.29. The company has a quick ratio of 3.27, a current ratio of 3.58 and a debt-to-equity ratio of 0.22. Federated Investors Inc has a fifty-two week low of $22.06 and a fifty-two week high of $36.76. +Federated Investors (NYSE:FII) last announced its quarterly earnings data on Thursday, July 26th. The asset manager reported $0.59 earnings per share for the quarter, meeting the Thomson Reuters' consensus estimate of $0.59. The firm had revenue of $256.00 million during the quarter, compared to analysts' expectations of $257.86 million. Federated Investors had a return on equity of 31.51% and a net margin of 26.70%. The company's quarterly revenue was down 6.2% compared to the same quarter last year. During the same period in the previous year, the firm earned $0.53 EPS. equities research analysts forecast that Federated Investors Inc will post 2.3 EPS for the current fiscal year. +The business also recently disclosed a quarterly dividend, which was paid on Wednesday, August 15th. Shareholders of record on Wednesday, August 8th were issued a $0.27 dividend. The ex-dividend date of this dividend was Tuesday, August 7th. This represents a $1.08 annualized dividend and a yield of 4.72%. Federated Investors's dividend payout ratio is presently 49.54%. +Several brokerages have weighed in on FII. Keefe, Bruyette & Woods reaffirmed a "neutral" rating and issued a $25.00 price objective on shares of Federated Investors in a report on Sunday, July 29th. Royal Bank of Canada set a $28.00 price objective on Federated Investors and gave the company a "hold" rating in a report on Friday, July 27th. Zacks Investment Research raised Federated Investors from a "sell" rating to a "hold" rating in a report on Thursday, July 12th. ValuEngine cut Federated Investors from a "sell" rating to a "strong sell" rating in a report on Monday, June 11th. Finally, JPMorgan Chase & Co. reaffirmed a "sell" rating on shares of Federated Investors in a report on Thursday, June 7th. Three analysts have rated the stock with a sell rating and six have issued a hold rating to the company's stock. The company currently has an average rating of "Hold" and an average price target of $30.64. +Federated Investors Profile +Federated Investors, Inc is a publicly owned asset management holding company. Through its subsidiaries, the firm provides its services to individuals, including high net worth individuals, banking or thrift institutions, investment companies, pension and profit sharing plans, pooled investment vehicles, charitable organizations, state or municipal government entities, and registered investment advisors. +Further Reading: Momentum Indicator: Relative Strength Index +Want to see what other hedge funds are holding FII? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Federated Investors Inc (NYSE:FII). Receive News & Ratings for Federated Investors Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Federated Investors and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4780.txt b/input/test/Test4780.txt new file mode 100644 index 0000000..7b87a3b --- /dev/null +++ b/input/test/Test4780.txt @@ -0,0 +1 @@ +Physicists reveal oldest galaxies Astronomy - Aug 17 Some of the faintest satellite galaxies orbiting our own Milky Way galaxy are amongst the very first that formed in our Universe, physicists have found. Physics - Aug 16 To tame chaos in powerful semiconductor lasers, which causes instabilities, scientists have introduced another kind of chaos. Medicine - Aug 15 Death rates from stroke declining across Europe New research, published in the European Heart Journal has shown deaths from conditions that affect the blood supply to the brain, such as stroke, are declining overall in Europe but that in some countries the decline is levelling off or death rates are even increasing. Environment - Aug 16 Coral bleaching across Australia's Great Barrier Reef has been occurring since the late 18 th century, new research shows. Mathematics - Aug 15 Universities must seek a deeper understanding of the drivers of inequality in job roles and academic ranks if they are to achieve change. Categor \ No newline at end of file diff --git a/input/test/Test4781.txt b/input/test/Test4781.txt new file mode 100644 index 0000000..55ff859 --- /dev/null +++ b/input/test/Test4781.txt @@ -0,0 +1,10 @@ +Ambarella (AMBA) Reaches New 1-Year Low at $37.10 Anthony Miller | Aug 17th, 2018 +Ambarella Inc (NASDAQ:AMBA) shares reached a new 52-week low during mid-day trading on Wednesday . The company traded as low as $37.10 and last traded at $37.52, with a volume of 15599 shares changing hands. The stock had previously closed at $37.51. +A number of research analysts recently issued reports on the company. Roth Capital cut their price target on Ambarella from $50.00 to $45.00 and set a "neutral" rating for the company in a report on Wednesday, June 6th. Morgan Stanley cut their price target on Ambarella from $65.00 to $58.00 and set an "overweight" rating for the company in a report on Wednesday, June 6th. BidaskClub raised Ambarella from a "strong sell" rating to a "sell" rating in a report on Tuesday, July 10th. Oppenheimer reaffirmed a "market perform" rating on shares of Ambarella in a report on Wednesday, June 6th. Finally, ValuEngine cut Ambarella from a "buy" rating to a "hold" rating in a report on Wednesday, May 2nd. One investment analyst has rated the stock with a sell rating, eleven have given a hold rating and five have assigned a buy rating to the stock. Ambarella has an average rating of "Hold" and an average target price of $55.59. Get Ambarella alerts: +The stock has a market capitalization of $1.29 billion, a P/E ratio of 69.30 and a beta of 1.34. +Ambarella (NASDAQ:AMBA) last announced its quarterly earnings data on Tuesday, June 5th. The semiconductor company reported $0.13 EPS for the quarter, topping the Zacks' consensus estimate of $0.09 by $0.04. The firm had revenue of $56.90 million during the quarter, compared to analyst estimates of $56.13 million. Ambarella had a return on equity of 1.42% and a net margin of 2.18%. The company's revenue was down 11.2% on a year-over-year basis. During the same period last year, the company earned $0.39 earnings per share. analysts anticipate that Ambarella Inc will post -0.43 earnings per share for the current fiscal year. +In related news, CFO George Laplante sold 2,786 shares of Ambarella stock in a transaction dated Monday, June 18th. The stock was sold at an average price of $43.27, for a total value of $120,550.22. Following the completion of the sale, the chief financial officer now directly owns 105,850 shares in the company, valued at $4,580,129.50. The sale was disclosed in a filing with the SEC, which is available through the SEC website . Also, VP Christopher Day sold 3,062 shares of Ambarella stock in a transaction dated Friday, June 22nd. The stock was sold at an average price of $44.00, for a total value of $134,728.00. Following the completion of the sale, the vice president now owns 17,679 shares of the company's stock, valued at $777,876. The disclosure for this sale can be found here . Over the last quarter, insiders sold 20,657 shares of company stock valued at $897,714. Corporate insiders own 5.84% of the company's stock. +Several institutional investors have recently bought and sold shares of the company. ETF Managers Group LLC grew its position in shares of Ambarella by 4.0% during the 1st quarter. ETF Managers Group LLC now owns 30,914 shares of the semiconductor company's stock worth $1,451,000 after buying an additional 1,191 shares during the period. Thrivent Financial for Lutherans grew its position in shares of Ambarella by 1.3% during the 1st quarter. Thrivent Financial for Lutherans now owns 96,598 shares of the semiconductor company's stock worth $4,732,000 after buying an additional 1,257 shares during the period. Swiss National Bank grew its position in shares of Ambarella by 2.3% during the 1st quarter. Swiss National Bank now owns 58,433 shares of the semiconductor company's stock worth $2,863,000 after buying an additional 1,300 shares during the period. Schwab Charles Investment Management Inc. grew its position in shares of Ambarella by 3.4% during the 1st quarter. Schwab Charles Investment Management Inc. now owns 57,500 shares of the semiconductor company's stock worth $2,817,000 after buying an additional 1,900 shares during the period. Finally, Sandy Spring Bank acquired a new position in shares of Ambarella during the 1st quarter worth about $110,000. Institutional investors own 69.89% of the company's stock. +About Ambarella ( NASDAQ:AMBA ) +Ambarella, Inc develops semiconductor processing solutions for video that enable high-definition (HD), video capture, analysis, sharing, and display worldwide. The company's system-on-a-chip designs integrated HD video processing, image processing, computer vision functionality, audio processing, and system functions onto a single chip for delivering video and image quality, differentiated functionality, and low power consumption. +Further Reading: Trading Strategy Ambarella Ambarell \ No newline at end of file diff --git a/input/test/Test4782.txt b/input/test/Test4782.txt new file mode 100644 index 0000000..add0153 --- /dev/null +++ b/input/test/Test4782.txt @@ -0,0 +1,16 @@ +0 +Have your say Sustainability is one of the most used buzzwords of recent times and no more so than when applied to our fisheries. +Indeed, nowadays it is the very ­fulcrum of Scottish and UK fisheries, given that sustainable catching benefits both fishermen and the ­environment, and of course, secures an incredibly important food source for generations to come. +Ian Gatt, chairman of the Scottish Pelagic Sustainability Group The consumer too is more environmentally aware than ever and wants to make informed choices when ­purchasing seafood. All this, in turn, has led towards a drive in recent times for certification schemes to confirm that our fisheries are ­sustainable and enabling us to buy seafood with ­confidence. +The flagship certification scheme is undoubtedly the Marine Stewardship Council (MSC) standard and its ecolabel will be familiar to many. Scotland's mackerel and herring ­fishermen were at the forefront of being among the first UK fisheries to attain the prestigious MSC ­standard around 10 years ago, thanks to an underlying determination to secure a sustainable future for these stocks. +But what does the MSC standard mean and what is involved in the ­certification process? Well, the first thing to make clear is that the MSC sets out the requirements of the standard, but the actual assessment and auditing of a fishery to ensure compliance is carried out by ­independent and fully accredited bodies. Such independent assessment is crucial and ensures ­confidence and transparency in the whole process. +The MSC standard is underpinned by three key criteria – sustainability of the stock, impact on the ecosystem and environment, and finally, how the fishery is managed. For the first two, this means that the effect of fishing on both the stock under assessment and the wider marine ­environment are carefully examined to ensure there are no significant ­negative impacts. +The third criteria – the management of the fishery – is also carefully looked at to ensure there are ­effective management plans in place and that the fishery is properly regulated. This means, for example, if a certified stock was suddenly showing signs of decline, there are management measures that can be quickly ­triggered to respond to such a ­situation. +The assessment is a long and ­rigorous process – and once MSC certification is finally achieved, the fishery is audited every year to ensure that no issues have arisen that may impact upon any of the key criteria of the standard. Furthermore, ­every five years, the fishery undergoes full ­reassessment, and if it passes, it is then recertified. +Scotland's pelagic fishermen are proud that their principal fisheries of North Sea herring, mackerel (as well as blue whiting) all meet the MSC standard. Carrying the MSC ecolabel can also deliver marketing advantages because of the power of the consumer. These benefits are not so much related to the end price, but more to ensuring market access and long-term security to that market. +Scotland's mackerel and herring fleet comprises of a relatively small number of large fishing vessels (around 25 boats), and some people might wonder how such powerful craft can fish sustainably. +Well, it is important to point out these fisheries are among the most carefully regulated in the world and are managed on an international basis to ensure long-term sustainability. Large vessels enable our fleet to fish in stormy offshore areas that are inaccessible to smaller boats. But the significant investment our skippers have made in continually upgrading their vessels has brought other ­tangible benefits, most notably in the quality of fish landed. +This has been achieved through the installation of state-of-the-art fish holding systems, which chill the catch from seawater temperature down to only two degrees centigrade within an hour. +Similarly, the pump systems used to transfer the herring and mackerel from the net to the vessel, and then once in port to land the catch ashore, are designed in such a way to prevent damage to the fish. The end result is that Scottish ­herring and mackerel is a premium quality product in large demand all over the world, as well as in the domestic market. +Both fish are also incredibly tasty and nutritious, and packed full of heart-healthy omega-3 fatty acids and essential minerals. It is a sustainable food resource that everyone in Scotland should be proud of and one which also makes an important contribution to our national economy. +Ian Gatt, chairman of the Scottish Pelagic Sustainability Group \ No newline at end of file diff --git a/input/test/Test4783.txt b/input/test/Test4783.txt new file mode 100644 index 0000000..471139c --- /dev/null +++ b/input/test/Test4783.txt @@ -0,0 +1,24 @@ +By Ryan Vlastelica +Euro-area annualized inflation was 2.1% in July, up from 2.0% +European stocks were trading lower late-morning Friday as investors worries about the health of Italy's banks and as a reading of inflation came in line with expectations, with investors finding few reasons to buy going into the weekend, particularly after an extended period of weakness. +Major European indexes are poised for weekly losses, with some gauges set for their third straight down week. U.K. stocks are on track for their worst week in months. +Where are the major benchmarks trading? +The Stoxx Europe 600 fell 0.3% to 380.47, after it rose 0.5% on Thursday. +For the week, the pan-European index is down 1.4% and on track for its third straight negative week. The recent losses, which include the gauge's biggest one-day fall (http://www.marketwatch.com/story/european-stocks-inch-higher-as-turkish-lira-extends-rebound-2018-08-15) since June 25 on Wednesday, have come on concerns over Turkey's currency crisis, as well as weak commodity prices. +Germany's DAX 30 was trading 0.4% lower at 12,187.81, after finishing up 0.6% in the previous session. +The DAX is also poised for its third straight down week, its longest stretch since February. As of Thursday's close, it is down 1.9% for the week. +France's CAC 40 fell 0.2% at 5,337.25, following Thursday's rise of 0.8%. It is down 1.4% on the week, its first three-week decline since June. +The U.K.'s FTSE 100 was off 0.1% at 7,546.01, after snapping a 5-session skid on Thursday with a 0.8% gain. (http://www.marketwatch.com/story/uk-stocks-gain-in-rebound-from-previous-sessions-drop-2018-08-16)The FTSE is down 1.6% thus far this week, its biggest weekly decline since March. On Thursday, the index rose and put end to its longest streak of daily declines since February (http://www.marketwatch.com/story/uk-stocks-gain-in-rebound-from-previous-sessions-drop-2018-08-16). +Meanwhile, Italy's FTSE MIB Index was trading 1% lower at 20,311.33, with the Italian benchmark poised for a weekly decline of 3.7%, which would be its worst weekly fall since the period ended May 25. +The euro rose slightly against the dollar, changing hands at $1.1383, compared with $1.1378 late Thursday in New York. Thus far this year, the euro is down more than 5% against the buck. +What is driving the market? +Recent trading has been driven by the currency crisis in Turkey, as well as uncertainty regarding trade policy with respect to the U.S. and its major trading partners. Both issues will likely continue to dictate market sentiment, and while there were few developments in either issue overnight, they have recently shown some signs of stability. +On Thursday, it was reported (http://www.marketwatch.com/story/china-says-it-will-resume-trade-talks-with-us-2018-08-16)that the Chinese Commerce Ministry would send a delegation to the U.S. later this month to resume trade talks, the first such meeting since July. +Euro-area annualized inflation (http://ec.europa.eu/eurostat/documents/2995521/9105279/2-17082018-AP-EN.pdf/f1680451-6124-493f-9ba8-c38f47b69776) was 2.1% in July, up from 2.0% in June 2018, while month-over-month eurozone consumer-price inflation for July fell 0.3%, matching expectations. +Italy's banking sector was in focus amid the county's budget concerns, with UniCredit SpA shares (UCG.MI) down 1.1%, Banco BPM S.p.A.s stock (BAMI.MI) down 3.8%, while shares of Unione di Banche Italiane SpA also slumped by 3.4%. +Which other stocks are in focus? +A.P. Moeller-Maersk A/S (MAERSK-B.KO) shares rose 3.1%, after it reported its second-quarter results and said it would seek a separate listing for its drilling unit next year (http://www.marketwatch.com/story/maersk-seeks-listing-for-drilling-unit-shares-up-2018-08-17). +Rovio Entertainment Oyj's stock (ROVIO.HE), the developer behind the mobile game "Angry Birds," slipped by 0.3% after it reported a drop in its second-quarter earnings but stood by its full-year outlook (http://www.marketwatch.com/story/rovio-shares-rise-after-results-outlook-2018-08-17). +Royal Bank of Scotland Group PLC (RBS.LN) said Ewen Stevenson, the firm's chief financial officer, would be stepping down on Sept. 30 (http://www.marketwatch.com/story/rbs-cfo-to-leave-sept-30-names-interim-cfo-2018-08-17). Katie Murray, its deputy chief financial officer, will take over the role on an interim basis while a search for a permanent successor is performed. Shares declined by 0.2%. +Koninklijke Vopak N.V.'s stock (VPK.AE) fell 6.4% after it reported a drop in its second-quarter earnings and revenue (http://www.marketwatch.com/story/vopak-reports-drop-in-q2-earnings-2018-08-17). + 17, 2018 06:55 ET (10:5 \ No newline at end of file diff --git a/input/test/Test4784.txt b/input/test/Test4784.txt new file mode 100644 index 0000000..848c35d --- /dev/null +++ b/input/test/Test4784.txt @@ -0,0 +1,9 @@ +The 7 Best Photo Editing Apps For iPhone By 26 Before you go on that trip, download these best photo editing apps for iPhone. +Here you are, in your dream destination. You just snapped a great picture of the sun setting over the crystal clear seas and also took a group picture after dinner at that divine local restaurant. Of course, as most people do, you want to share pieces of your adventure with your friends on social media. Before you do, however, you want to fix up the pictures a little. Maybe the lighting was off for the group picture, as the sun was setting. Or perhaps you want to enhance the saturation of that incredible beach picture ( hashtag attempting that flawless Instagram aesthetic). Fortunately, these are easy fixes when you have the right smartphone editing apps. +It is no secret that people these days like social media sharing. Travelers are no exception to this rule. In fact, more and more people even take the photogenicity of a location into consideration when booking trips. With this shift in travel trends, it makes sense to step up your own personal photo game, if you are into that. The first place to start is photo editing apps. With smartphone technology being as advanced as it is, you really don't even have to take a professional camera with you on vacation anymore. Most smartphones have incredible cameras, which capture photos just as good as any quality camera. Of course, the added advantage with smartphones is that you can also edit and post your picture on the spot. Check out these 7 best photo editing apps for iPhone. 1. Snapseed Free +A king of the smartphone photo editing world, Snapseed is your one stop shop for a number of picture adjustments. If you are feeling overwhelmed with all of the editing apps to choose from, do yourself a favor and download this first. As one of the most popular and best photo editing apps for iPhone out there, Snapseed can be as simple or as complex as you need. The basic editing tools are all there, with easy brightness, warmth, and saturation alteration. You can also remove unwanted objects from your picture with a flawless finish, or alter the mood of your images. The app layout is simple, easy to navigate, and leaves plenty of room for trial and error when it comes to experimenting with new photo looks. 2. VSCO Free +If you have had an Instagram account for more than 24 hours, then you have likely scrolled past pictures edited with VSCO. The popular editing app has some of the best free filters out there, for a quick photo aesthetic adjustment. VSCO has an extremely straightforward layout, helping you easily create the best visually pleasing pictures. VSCO offers a wide number of preset packages available for purchase as well. One of the unique parts of VSCO is that it offers a social media side within the app. The company aims to provide "photo editing tools and a community for creators, by creators." Once you create your own profile, you are free to share your photo journals to your feed. You can also scroll through photo edits by other creators, gaining inspiration for your next picture. 3. Afterlight $0.99 +One of the best photo editing apps for iPhone, Afterlight is a tried and true way to guarantee a flawless photo. Its wide array of basic photo editing options helps ensure that the brightness, sharpness, and warmth are all up to par. It even has select presets to try on your picture. There are currently a total of 57 filters available to use within the app. Afterlight also allows you to add borders to your picture if you prefer that look. The latest version, Afterlight 2, has even more photo editing features, even letting you create your own presets. Design your own filters and save them for future pictures in order to have a consistent aesthetic. 4. TouchRetouch $1.99 +Did you snap the almost perfect picture of the Eiffel Tower, but there are just too many tourists in the way? Well, don't fret, with the TouchRetouch photo editing app, you can easily remove unwanted options from your shot. The ultimate "decluttering," TouchRetouch lets you get right to the main focus of your portrait. You can zoom into the photo and use the simple tools to remove unwanted objects without blemish. It is so good that even the 2015 Photographer of the Year Michał Koralewski says, "It's in my Top 5 'must have' photo apps." 5. Adobe Photoshop Lightroom CC Free +Adobe software is a go to for many professional photographers. Their Adobe Photoshop Lightroom CC app lets you take its many perks on the go with your smartphone . Generate crisp, expert snapshots straight from your iPhone camera roll. The easy-to-use layout of the Photoshop Lightroom technology allows you to utilize professional software with no stress. Easily adjust the image color settings or enhance the vibrancy of a specific hue, just like the professionals do. The preset saving option is the perfect way to save your changes for future pictures. If you have an Adobe account, then consider purchasing the Photoshop Lightroom software for future photo edits. You certainly won't regret it. 6. Pixelmator $4.99 +Pixelmator is an advanced graphic editing system originally designed for MacBook. Fortunately the brand also offers one of the best photo editing apps for iPhone. This innovative app program lets you enhance your already amazing images, and even sketch and paint. The single tap color correction presets are a quick way to get your desired photo adjustment. It also has a number of high-tech image editing methods such as wiping away image imperfections with the image repair tool. You can also choose from a variety of effects to alter the finished look of your image. The special painting app is a cool way to experiment with your artistic side. Use the watercolor and crayon brush options to generate an almost life like painting. This is a fun way to pass the time if you are waiting for your flight or on a long road trip. 7. A Color Stor \ No newline at end of file diff --git a/input/test/Test4785.txt b/input/test/Test4785.txt new file mode 100644 index 0000000..671ad00 --- /dev/null +++ b/input/test/Test4785.txt @@ -0,0 +1 @@ +Duration : 03:13 Description: Ravi Shastri speaks to the press ahead of the 3rd England vs India Test Match at Trent Bridge. With India 2-0 down, Shastri called the players to "Believe in yourself" and turn around the matches in style. He further said that this Indian team is as good as it gets. If they are able to perform to their potential, they can beat any team in the world. The batsmen need to apply themselves better to the conditions. Talking about the 2nd Test match he said looking in hindsight it was an error to go with 2 spinners. Given the amount of rain they got in the 5 days, an extra pacer would have been handy to trouble the English batsmen. About Virat Kohli's back injury he said that the skipper is moving much better in the practice sessions and he will most likely take the field at Trent Bridge. Further, he avoided revealing the team plans for the 3rd Test match. Asked about whether Rishabh Pant will make his Test debut he said that for that you have to wait till the toss and see for yourself. Watch Ravi shastri Press Conference ahead of India vs England 3rd Test Match Trent Bridge With HD Quality TAGS \ No newline at end of file diff --git a/input/test/Test4786.txt b/input/test/Test4786.txt new file mode 100644 index 0000000..3b68bd6 --- /dev/null +++ b/input/test/Test4786.txt @@ -0,0 +1,22 @@ +Dear Moneyist, +My mom passed away three months ago and it has been an eye-opening experience with my siblings. There are three of us and the will divided the inheritance equally. My brother is the executor, but he has not put the will through probate. He is going through his own lawyer to set up a trust. +My brother works at a financial institute and took out a home equity loan against my mom's house so that my mom would have access to money for home repairs. I used $10,000 of that money to pay for my mom's nursing home rehab a few months before she died. I wrote the checks and she signed them. +My sister somehow got her hands on the checkbook for that account and wrote herself a $20,000 check between the time my mom was in the nursing home and her passing. My sister also got her hands on my Mom's ATM card for her savings account and withdrew several hundred dollars. +Don't miss: My uncle with dementia needs long-term care — should I refinance his house? +Here's the kicker. My mom left a codicil to her will that gives this sister a life estate in the house. My mom did not know about the stealing. My brother knows she stole the money, but he is adamant that my sister should still be able to live in the house. She and my brother have told me I can't go over to the house because it is my sister's now. +Now they are not talking to me and I am not allowed in my mom's house. I've been to my lawyer to get my name on the house, but my hands are tied until it is probated. I don't want the house or the money. I just want to decline my inheritance and get away from any liabilities and these aliens I used to call family. +Smelling a stink Massachusetts +Dear Mass., +By refusing to accept your inheritance, you are effectively rewarding your brother and sister for their reported bad behavior. Your inheritance will be distributed to them. +There is a lot you can do. That's the good news. It has been three months since your mother's death, and her estate has still not been probated. There is also a paper trail. That $20,000 should come out of your sister's inheritance. Contact the bank and report the check as an unauthorized withdrawal, if indeed your sister was not authorized to make that withdrawal. As an interested party, you can also challenge your brother's executorship of the will. +I often receive letters from people who have simply waited too long to make sure that justice can been done and stolen property can be returned . It's often difficult to read a letter from someone who has agonized over a decision such as this only to realize that it's too late. I want to help them, but I can't. This woman wrote to tell me that her step-siblings had looted her father's estate. But so many years had gone by, her case was all but hopeless. +Also see: My sister took care of our mother for 10 years—shouldn't she be entitled to her house? +The life estate of your mother's home will end when your sister passes away. I believe you are right to ensure that the house is divided between the estate of the remaining beneficiaries — you and your brother, assuming you are still living. This is your inheritance and your mother would have wanted you to share it. If you decide to walk away now, you may end up regretting it later. Alternatively, you may have a charity that's close to your heart. +This woman wrote to me in 2016 about her late former husband, who was abusive to her daughters. She too wanted to decline any inheritance, but I told her that I get so many letters from people who believe life owes them a favor that it was moving to hear from someone who wanted nothing except peace of mind. But I also believed that they could put any inheritance to good use: education, a home or even a charity for survivors of abuse. +Whatever you decide, I wish you good health and a happy life. You took care of your mother in her final years and you should take heart in that. +Recommended: My fiancé postponed our wedding, secretly bought a house—and told me I could pay rent +Do you have questions about inheritance, tipping, weddings, family feuds, friends or any tricky issues relating to manners and money? Send them to MarketWatch's Moneyist and please include the state where you live (no full names will be used). +Would you like to sign up to an email alert when a new Moneyist column has been published? If so, click on this link. +Hello there, MarketWatchers. Check out the Moneyist private Facebook group , where we look for answers to life's thorniest money issues. Readers write in to me with all sorts of dilemmas: inheritance, wills, divorce, tipping, gifting. I often talk to lawyers, accountants, financial advisers and other experts, in addition to offering my own thoughts. I receive more letters than I could ever answer, so I'll be bringing all of that guidance — including some you might not see in these columns — to this group. Post your questions, tell me what you want to know more about, or weigh in on the latest Moneyist columns. +Get a daily roundup of the top reads in personal finance delivered to your inbox. Subscribe to MarketWatch's free Personal Finance Daily newsletter. Sign up here. +More from MarketWatch How to give your home to your children tax-free How low will the Dow go? Brace yourself for the worst-case scenario After my father died, my brother has been pressuring me to lend him money Quentin Fottrell Quentin Fottrell is MarketWatch's personal-finance editor and The Moneyist columnist for MarketWatch. You can follow him on Twitter @quantanamo \ No newline at end of file diff --git a/input/test/Test4787.txt b/input/test/Test4787.txt new file mode 100644 index 0000000..4a3cc6f --- /dev/null +++ b/input/test/Test4787.txt @@ -0,0 +1 @@ +Google + About Chris M Skinner Chris Skinner is best known as an independent commentator on the financial markets through his blog, the Finanser.com, as author of the bestselling book Digital Bank, and Chair of the European networking forum the Financial Services Club. He has been voted one of the most influential people in banking by The Financial Brand (as well as one of the best blogs), a FinTech Titan (Next Bank), one of the Fintech Leaders you need to follow (City AM, Deluxe and Jax Finance), as well as one of the Top 40 most influential people in financial technology by the Wall Street Journal's Financial News. To learn more click here.. \ No newline at end of file diff --git a/input/test/Test4788.txt b/input/test/Test4788.txt new file mode 100644 index 0000000..1216539 --- /dev/null +++ b/input/test/Test4788.txt @@ -0,0 +1,26 @@ +Some low-carb diets are rich in animal fats and proteins A low-carb diet could shorten life expectancy by up to four years, a study suggests. +Low-carb diets, such as Atkins, have become increasingly popular for weight loss and have shown promise for lowering the risk of some illnesses. +But a US study over 25 years indicates that moderate carb consumption – or switching meat for plant-based protein and fats – is healthier. +The study relied on people remembering the amount of carbohydrates they ate. 'Gaining widespread popularity' +In the study, published in The Lancet Public Health , 15,400 people from the US filled out questionnaires on the food and drink they consumed, along with portion sizes. +From this, scientists estimated the proportion of calories they got from carbohydrates, fats, and protein. +After following the group for an average of 25 years, researchers found that those who got 50-55% of their energy from carbohydrates (the moderate carb group and in line with UK dietary guidelines) had a slightly lower risk of death compared with the low and high-carb groups. +Carbohydrates include vegetables, fruit and sugar but the main source of them is starchy foods, such as potatoes, bread, rice, pasta and cereals. +Researchers estimated that, from the age of 50, people in the moderate carb group were on average expected to live for another 33 years. +This was: four years more than people who got 30% or less of their energy from carbs (extra-low-carb group) 2.3 years more than the 30%-40% (low-carb) group 1.1 years more than the 65% or more (high-carb) group +The findings were similar to previous studies the authors compared their work with, which included more than 400,000 people from more than 20 countries. +Image copyright Image caption Exchanging carbohydrates for plant-based fats and proteins might promote healthy ageing, experts said +The scientists then compared low-carb diets rich in animal proteins and fats with those that contained lots of plant-based protein and fat. +They found that eating more beef, lamb, pork, chicken and cheese in place of carbs was linked with a slightly increased risk of death. +But replacing carbohydrates with more plant-based proteins and fats, such as legumes and nuts, was actually found to slightly reduce the risk of mortality. +Dr Sara Seidelmann, clinical and research fellow in cardiovascular medicine from Brigham and Women's Hospital in Boston, who led the research, said: "Low-carb diets that replace carbohydrates with protein or fat are gaining widespread popularity as a health and weight-loss strategy. +"However, our data suggests that animal-based low carbohydrate diets, which are prevalent in North America and Europe, might be associated with shorter overall life span and should be discouraged. +"Instead, if one chooses to follow a low carbohydrate diet, then exchanging carbohydrates for more plant-based fats and proteins might actually promote healthy ageing in the long term." 'Not enough to focus on nutrients' +The authors speculate that Western-type diets that restrict carbohydrates often result in lower intake of vegetables, fruit, and grains and lead to greater consumption of animal proteins and fats, which have been linked to inflammation and ageing in the body. +Prof Nita Forouhi, from the MRC epidemiology unit at University of Cambridge, who was not involved in the study, said: "A really important message from this study is that it is not enough to focus on the nutrients, but whether they are derived from animal or plant sources. +"When carbohydrate intake is reduced in the diet, there are benefits when this is replaced with plant-origin fat and protein food sources, but not when replaced with animal-origin sources such as meats." +However, there are limitations to the study. +The findings show observational associations rather than cause-and-effect and what people ate was based on self-reported data, which might not be accurate. +And the authors acknowledge that since diets were measured only at the start of the trial and six years later, dietary patterns could have changed over the subsequent 19 years. +Prof Tom Sanders, professor emeritus of nutrition and dietetics at King's College London, also pointed out that the use of a food questionnaire in the study led to people underestimating the calories and fat they had eaten. +"One explanation for the finding in this and the other US studies is that it may reflect the higher risk of death in the overweight/obese, who may fall into two popular diet camps –those favouring a high-meat/low-carbohydrate diet and those favouring a low-fat/high-carbohydrate diet," he added \ No newline at end of file diff --git a/input/test/Test4789.txt b/input/test/Test4789.txt new file mode 100644 index 0000000..fbde3c3 --- /dev/null +++ b/input/test/Test4789.txt @@ -0,0 +1,5 @@ +Benue +By Peter Duru +M akurdi— Executive Chairman of Federal Inland Revenue Service, FIRS, Tunde Fowler, has promised to deploy required resources to assist and upgrade the capacity and operations of Benue Internal Revenue Service, BIRS. Naira +Fowler also proposed a week-long training session by FIRS for management and staff of BIRS at any location of its choice within the country, as a way of exposing the officials to all modern global tax administration practices. +According to a statement by the Special Assistant, Media and Publicity to the Acting Executive Chairman of BIRS, Dennis Mernyi, FIRS' Executive Chairman made the pledge when he received his former Assistant Director of Planning Research and Statistics and the new Acting Executive Chairman of BIRS, Mr. Terzungwe Atser in his office. Relate \ No newline at end of file diff --git a/input/test/Test479.txt b/input/test/Test479.txt new file mode 100644 index 0000000..b4935bc --- /dev/null +++ b/input/test/Test479.txt @@ -0,0 +1,5 @@ +Ankush Nikam 0 Comments A temporary fencing panel is a standalone structure utilized for the purpose of impeding the crossing of an established boundary. It is an ideal solution for the short term basis in outdoor sites and is created for various purposes, such as to provide safety for pedestrians, construction site locations and to keep children and pets in a designated area. All temporary fencing panels have support bases, such as blocks, base plates and counterweight or other fixing methods. Furthermore, temporary fencing panels are made of high-quality material, which is coated to the BS EN 10244-2 standard and can also be manufactured using SmartWeld 100 technology. The design of temporary fencing panels is different in height & weight and is tested under various conditions, such as impact tests, wind loading and stability. +Temporary fencing panels are known as temporary fencing hoardings or the construction hoardings when they are utilized at construction site locations. These are the alternative solution of permanent fencing, owing to its portability and flexibility. Temporary fencing panels are also utilized for the outside decoration of houses and gardens, owing to the availability of different designs and materials of panels. +Non-residential areas, such as exhibitions, concerts, special events and local council work sites, among others hold the prominent market share in the temporary fencing panels market and the demand for temporary and plastic fencing is increasing, which in turn, accelerates market growth. Temporary fencing panels are also in demand in residential areas for safety and security purposes, which is another factor fueling growth of the temporary fencing panels market. Some features, such as durability, reusability, low cost and negligible maintenance, increase the demand for temporary fencing panels, which in turn triggers growth of the temporary fencing panels market. Temporary fencing panels are required by government law in some countries, such as China and Australia during the construction of swimming pools and spas before they are filled with water or permanent fencing must be installed around the pool. This factor is an important driver for the temporary fencing panels market. In the current scenario, temporary fencing panels are required in transformer stations, high-voltage equipment in open areas, machinery with potential dangerous pieces, industrial plants quarries, explosive factories, other wildlife parks, military facilities, prisons, aquatic centers and airfields. +Request Sample Copy of the Report @ https://www.futuremarketinsights.com/reports/sample/rep-gb-4938 +The global temporary fencing market can be divided into seven geographical regions, namely North America, Latin America, Western and Eastern Europe, Asia-Pacific region, Japan, Middle East and Africa. The Asia-Pacific market is projected to witness significant growth, owing to increasing infrastructure development, high disposable income and growing industrialization. The temporary fencing panels market is also expected to grow in North America and Western Europe, owing to awareness among people towards safety and a large number of manufacturing industries. Furthermore, the Middle East and Africa market is estimated to grow over the forecast period, due to increasing building and construction activities in these regions. Latin America and Eastern Europe are projected to grow with a relatively low CAGR. Cooling Tower Fans Market to Actively Foray into Emerging Consumer Market places During 2017 – 2027 → Ankush Nikam Ankush Nikam is a seasoned digital marketing professional, having worked for numerous online firms in his distinguished career. He believes in continuous learning, considering that the digital marketing sector's rapidly evolving nature. Ankush is an avid music listener and loves to travel. You May Also Lik \ No newline at end of file diff --git a/input/test/Test4790.txt b/input/test/Test4790.txt new file mode 100644 index 0000000..dbed624 --- /dev/null +++ b/input/test/Test4790.txt @@ -0,0 +1,2 @@ +The Latest Indian Business News Samsung dominates India's premium smartphone segment in H1 2018 The Economic Times businessNews , India Business , Indian Business Samsung dominated the premium smartphone segment in India in the first half of 2018 with almost half the market share, a new report from CyberMedia Research (CMR) said on Friday.According to CMR India's "Mobile Handset Review" report, Samsung (48 per cent) was followed by Chinese smartphone player OnePlus, which grabbed the second spot with 25 per cent share, and Apple with 22 per cent share."The premium smartphone segment, though small, is driven by aspirational, tech-savvy millennials and in the coming years, will continue to grow significantly. Samsung's flagship S9 helped it garner a lion's share of the premium smartphone segment," Prabhu Ram, Head-Industry Intelligence Group, CMR, said in a statement. One in two premium smartphones shipped in the first half of 2018 was a Samsung device."The success of OnePlus 6 can be traced to the intelligent brand strategy of packing the best specs at competitive price points, contributing to the emergence of a new 'budget premium' smartphone segment under sub-Rs 30,000," added Ram.During the first half of 2018, OnePlus introduced its "OnePlus Experience Stores" and is planning to embrace offline in a big way, to complement its strong online presence.The iPhone-maker suffered a decline in demand for its iPhones due to pricing challenges on account of post-duty increase."Apple is reworking its India strategy for the all-important second half of 2018, with new retail partnerships, first-party stores and service overhauling with India-focused apps and services, including refreshed Apple Maps," said Narinder Kumar, Lead Analyst-Industry Intelligence Group, CMR. +From our friends over at the : The Economic Time \ No newline at end of file diff --git a/input/test/Test4791.txt b/input/test/Test4791.txt new file mode 100644 index 0000000..7405dbb --- /dev/null +++ b/input/test/Test4791.txt @@ -0,0 +1,19 @@ +london derby Tottenham Hotspur vs Fulham: Premier League match preview, team news, predicted line-ups, plus more +Wembley will host its first game of the new season amid troubles surrounding Spurs' new stadium By Sean O'Brien 34 50 am Tottenham return to Wembley on Saturday with their new home still not ready – and it won't be for some time yet. +They welcome Fulham, who have fond memories of the national stadium after sealing promotion to the Premier League with a 1-0 victory over Aston Villa in May's Championship play-off final. 5 Dele Alli's celebration against Newcastle has gone viral +However, the Cottagers are looking for their first points in the top-flight after l osing 2-0 at home to Crystal Palace on the opening weekend. +Spurs started the new campaign with a nervy 2-1 victory away at Newcastle and Mauricio Pochettino will be hoping to put a week of uncertainty surrounding the club's new stadium to one side. Tottenham's new stadium has been delayed +Here is everything you need to know ahead of the London derby: What time is kick off? +Tottenham vs Fulham kicks off at 3pm on Saturday, August 18. What the managers are saying +Mauricio Pochettino (Tottenham): "For me it will be the toughest season and I think if we want success we have to give more than our best. Pochettino knows this will be a tough season +"It's not enough to give 100%, it's 200%. +"We know from inside that it will be hard and, because we are warriors, we want to fight. We want to be proud at the end, we want success and we do not want to complain or make excuses. I am a winner and I love the challenge. We want to go again." +Slavisa Jokanovic (Fulham) : "If we believe now it's a better way to give Spurs the ball and wait for them on the edge of the box and try to finish the game 0-0, I'm not sure that would be the best plan for us. 5 Jokanovic's side got off to a poor start +"We know it's a tough game ahead of us. It's only Manchester City and Juventus that have won there [sic. Chelsea and West Ham also won at Wembley last season] . For another side it's a great opportunity for us to test our possibilities against one of the top English and European teams." Team news +Tottenham's Son Heung-Min is in Indonesia to take part in the Asian Games for South Korea. +Erik Lamela, Harry Winks and Josh Onomah returned to training this week but are unlikely to be match fit, while Victor Wanyama remains sidelined through injury. 5 Son is at the Asian Games +Fulham will be without suspended centre-back Denis Odoi, fellow defender Tim Ream faces a late fitness test, while new-signing Alfie Mawson is out until September. +Left-back Joe Bryan could play despite limping off against Palace last week. +Midfielder Andre-Frank Zambo Anguissa has been working with the squad following his transfer deadline switch from Marseille. Predicted line-ups +Tottenham: Lloris; Trippier, Sanchez, Vertonghen, Davies; Dier, Dembele; Moura, Dele, Eriksen; Kane +Fulham: Fabri; Christie, Chambers, Le Marchand, Bryan; Cairney, Anguissa, Seri; Schurrle, Mitrovic, Sessegnon LATEST FOOTBALL NEWS Rogic helped convince highly-rated Man City teen Celtic is the place to be POSSIBLE XI? Arsenal predicted line-up to face Chelsea ON THE BOX Cardiff vs Newcastle: TV channel, live stream, team news and kick-off time HAMMER HOME West Ham vs Bournemouth: Premier League preview and predicted line-ups BAD BOSS 'Paul Pogba is not the problem at Manchester United - Jose Mourinho is' LIVE COMMS LISTEN LIVE West Ham vs Bournemouth: Live commentary, kick-off time and team news Topic \ No newline at end of file diff --git a/input/test/Test4792.txt b/input/test/Test4792.txt new file mode 100644 index 0000000..f744833 --- /dev/null +++ b/input/test/Test4792.txt @@ -0,0 +1,19 @@ +The "Synaptics' Under-Display Fingerprint Scanner Inside the VIVO X21 UD Smartphone Complete Teardown Report" report has been added to ResearchAndMarkets.com's offering. +Vivo is the first smartphone manufacturer to integrate a fingerprint scanner under the display. Two different versions, one from Synaptics and one from Goodix, were found to have been supplied for the under-display fingerprint scanner integrated into the VIVO X21UD smartphone. +This reverse costing study provides insight into technological data, manufacturing cost, and selling price of the fingerprint sensor supplied by Synaptics. This scanner uses optical fingerprint technology that allows integration under the display. With a stainless steel support and two flexible printed circuit layers, the Synaptics fingerprint sensor's dimensions are 6.46 mm x 9.09 mm, with an application specific integrated circuit (ASIC) driver in the flex module. This image sensor is also assembled with a glass substrate where filters are deposited. +The sensor has a resolution of 30,625 pixels, with a pixel density of 777ppi. The module's light source is providing by the OLED display glasses. The fingerprint module uses a collimator layer corresponding to the layers directly deposited on the die sensor and composed of organic, metallic and silicon layers. This only allows light rays reflected at normal incidence to the collimator filter layer to pass through and reach the optical sensing elements. The sensor is connected by wire bonding to the flexible printed circuit and uses a CMOS process. +This report includes comparisons with the latest Huawei FPC1268 fingerprint touch sensor and a physical comparison with the Goodix Version of Vivo's fingerprint scanner. +Key Topics Covered: +1. Overview/Introduction +Executive Summary Reverse Costing Methodology 2. Company Profile +Synaptics 3. Physical Analysis +Summary of the Physical Analysis VIVO X21 UD Fingerprint Scanner Disassembly Synaptics Package Assembly Sensor Die +Sensor die view and dimensions ASIC Die 4. Synaptics vs Goodix Versions of the Fingerprint Sensors +5. Sensor Manufacturing Process +Sensor Die Front-End Process and Fabrication Unit ASIC Die Front-End Process and Fabrication Unit Final Test and Assembly Unit 6. Cost Analysis +Summary of the Cost Analysis Yields Explanation and Hypotheses ASIC Component Sensor Module Complete Module Fingerprint 7. Selling Price +8. Huawei's fingerprint sensor vs Vivo's +Companies Mentioned +Goodix Huawei Synaptics Vivo +For more information about this report visit https://www.researchandmarkets.com/research/hzbxx3/complete_teardown?w=4 +View source version on businesswire.com: https://www.businesswire.com/news/home/20180817005125/en \ No newline at end of file diff --git a/input/test/Test4793.txt b/input/test/Test4793.txt new file mode 100644 index 0000000..0b5463b --- /dev/null +++ b/input/test/Test4793.txt @@ -0,0 +1,13 @@ +Advanced Micro Devices ( NASDAQ:AMD ) crushed the best of Wall Street's expectations during the second quarter, thanks to strong demand for its Ryzen PC CPUs and EPYC server CPUs. However, the doubts about whether it can sustain its terrific momentum once certain tailwinds fizzle out should raise doubts in investors' minds given the company's outlook. +AMD revenue is expected to grow less than 4% year over year during the current quarter. By comparison, AMD's top line jumped 26% annually during the same period last year. This slowdown isn't surprising, as cryptocurrency mining is now moving to dedicated chips rather than GPUs. In fact, AMD got just 6% of its revenue from sales of GPUs (graphics processing units) to cryptocurrency miners last quarter as compared to 10% during the first. That should worry shareholders as AMD was the biggest beneficiary of mining-driven demand. +Image Source: Getty Images. +Low GPU prices are knocking the wind out of AMD Investors were quick to praise AMD's latest results and the success of its new products, but they seem to be missing the fact that the company still gets a major portion of its revenue by selling GPUs. The company's computing and graphics business supplies nearly 62%, or $1.09 billion, of the top line, and it counts Ryzen CPUs and Radeon GPUs as its primary growth drivers. +The Ryzen CPUs, however, aren't playing that big a part in the grand scheme of things right now. They helped the chipmaker boost its CPU market share from 8% to 12% at the end of 2017, according to Mercury Research -- not a huge gain. +AMD reportedly sold an additional two million processors last year. Now, AMD's Ryzen CPUs are priced from $109 at the lowest to $999. The median pricing of AMD's CPUs was $234 in 2017, so the Ryzen CPUs possibly helped it bring in an additional $450 million of revenue (assuming the two million units were all Ryzen). By comparison, the company's computing and graphics revenue had increased over $1 billion last fiscal year. +With that in mind, it's likely that inflated GPU prices have been critical to the company's growth over the past year, as they probably did most of the heavy lifting to boost the computing and graphics business. A look at the following chart will make it clear why that was the case. +Data source: Digiworthy. Chart by author. +So cryptocurrency's impact on AMD was more than just the GPUs that it was selling to crypto miners, as the supply shortage caused by mining demand led to a massive price bump. This allowed AMD to generate strong GPU sales to video game enthusiasts as well, but as the chart and AMD's guidance show, that won't be the case going forward. +The GPU supply shortage is ending There are several reasons GPU prices have started normalizing of late. First, sliding cryptocurrency pricing means that the profitability of miners has taken a hit. As such, miners who bought GPUs at extremely high prices are now being forced to sell them at lower prices to recoup some of their investment. This is increasing end-market supply, as gaming enthusiasts can get their hands on a decent GPU at a low price. +Additionally, the emergence of specialized cryptocurrency mining chips has led miners to shift their allegiance elsewhere, as the dedicated chips are more efficient. Meanwhile, fresh GPU supply is expected to come into the market, as AMD's rival, NVIDIA , is expected to launch its next-generation graphics cards this fall. The company is said to be building a million units of its new GPUs so that it doesn't run out of supply post-launch. +Not surprisingly, DigiTimes estimates that GPU prices fell another 20% in July, and the downward pressure will continue as new supply hits the market. In turn, AMD's revenue growth is expected to fall sharply going forward, with analysts forecasting top-line growth of just 8.5% in the next fiscal year. +That'll also hit the company's bottom line in a big way, which is why it doesn't make sense to buy AMD at its current valuation. The stock is too expensive trading at over 40x forward earnings, and without cryptocurrency juicing the results, AMD might be in for a period of tepid growth until its next major catalyst takes hold \ No newline at end of file diff --git a/input/test/Test4794.txt b/input/test/Test4794.txt new file mode 100644 index 0000000..5059b1d --- /dev/null +++ b/input/test/Test4794.txt @@ -0,0 +1,6 @@ +HDFC Securities' research report on Zensar Technologies +Zensar delivered a robust quarter both on the revenue and margin front. Revenue came in at USD 135.0mn (+6.6% QoQ, 7.5% CC & +2.0% ex Cynosure), higher than our estimate of USD 130.0mn. Growth was led by Digital & Application services (DAS), up 7.0% QoQ and recovery in Cloud and Infrastructure Services (CIS), +12.6% QoQ. EBITDA margin expanded 132bps to 13.5% (vs. estimate of 13.1%) led by higher utilisation (+200 bps QoQ), integration of higher margin Cynosure and recover in CIS (earlier IMS). Digital (43% of rev, +12.8/+40.1% QoQ/YoY) remains Zensar's key strength. The digital deal sizes are increasing and the overall deal pipeline remains healthy at USD 600mn. Large deal wins has been robust, Zensar won three large deals (USD 50mn+) in the quarter. CIS has gone through a complete transformation journey and has started growing led by deal wins. We believe growth will revive in FY19/20E led by Digital traction and ramp-up of large deal wins. EBITDA margin will expand gradually to 13.6/14.9% in FY19/20E led by CIS recovery, higher utilisation and integration of higher margin acquisitions. +Outlook +We maintain our positive view owing to Zenzar's Digital/SMAC capabilities, large deals wins and a robust digital deal pipeline. We build 15/31/30% Revenue/EBITDA/PAT CAGR over FY18-20E. Maintain BUY with a TP of Rs 1,445 based on 16x FY20 EPS. +For all recommendations report, click here +Disclaimer: The views and investment tips expressed by investment experts/broking houses/rating agencies on moneycontrol.com are their own, and not that of the website or its management. Moneycontrol.com advises users to check with certified experts before taking any investment decisions \ No newline at end of file diff --git a/input/test/Test4795.txt b/input/test/Test4795.txt new file mode 100644 index 0000000..0e705b2 --- /dev/null +++ b/input/test/Test4795.txt @@ -0,0 +1,6 @@ +science daily +It is a science undertaking to test if fluoride actually protects your enamel from harsh beverages we eat and drink daily. But that might change if science professors take a cue from a brand new study on using interactive animations in the school science classroom. They have not failed, nonetheless they have no idea this in conventional science teaching. That is good news: people with extreme psychological sicknesses (SMI) equivalent to schizophrenia have a number of the worst bodily health of any part of the population. +Sean Carroll is the Alan Wilson Professor of Molecular Biology and Genetics at UW-Madison, and creator of the brand new book, The Serengeti Rules: The Quest to Discover How Life Works and Why It Matters His guide makes use of true tales of scientific discovery to explain how scientists related the dots and came to grasp that every one of life is interconnected. +A variety of Nutritional vitamins and minerals are also provided by the milk derivatives and that provide an incredible purpose to incorporate these food products in each day food plan. Science Every day, an American information website, focuses on presenting all kinds of science-associated articles. +Within the United Kingdom the Sunday Express newspaper printed Princess Margaret's astrological profile, this is how the each day horoscope within the newspapers we all know happened. Actually, Science has given ears to the deaf, eyes to the blind and limbs to the crippled. +Growing older occurs to us whether or not we like or not, but due to Cynergy Well being Science you possibly can lastly sluggish it all the way down to keep your youthful radiance lengthy into your years. Daily Raise podcasts are quick takes on inspiring ideas to enrich your day and share with mates \ No newline at end of file diff --git a/input/test/Test4796.txt b/input/test/Test4796.txt new file mode 100644 index 0000000..91f9cad --- /dev/null +++ b/input/test/Test4796.txt @@ -0,0 +1,3 @@ +English Grammar Urgent! Need help with my two Psychometric Test +I am looking for someone who is experienced and can achieve high quality results to take my two Psychometric Test. Each Psychometric Test consist of three parts (logical reasoning, numerical reasoning, verbal reasoning). Offer to work on this job now! Bidding closes in 6 days Open - 6 days left Your bid for this job AUD Set your budget and timeframe Outline your proposal Get paid for your work It's free to sign up and bid on jobs 7 freelancers are bidding on average $29 for this job $30 AUD in 1 day (7 Reviews) Greetings, We have read the project description and we are Experienced professionals, in the field of Logical reasoning , Engineering and Psychological analysis. Having more than 2 years experience in such projects. A More $25 AUD in 1 day (2 Reviews) Dear Mr or Mrs, I read with interest your posting for job on the freelancer. I believe I possess the necessary skills and experience you are seeking and would make a valuable addition to your company. As my resume More $27 AUD in 10 days (0 Reviews) $27 AUD in 2 days (0 Reviews) Hey, this is Rabia, I have done masters in psychology from National University of Computer and Emerging Sciences. I'm working in applied research as well as working on basic research to solve real world problems. I can More $35 AUD in 10 days (15 Reviews) $27 AUD in 10 days (0 Reviews) $30 AUD in 2 days (1 Review) Offer to work on this job now! Bidding closes in 6 days Open - 6 days left Your bid for this job AUD Set your budget and timeframe Outline your proposal Get paid for your work It's free to sign up and bid on jobs Need to hire a freelancer for a job? It's free to sign up, type in what you need & receive free quotes in seconds Enter your project description here Post a Project Freelancer ® is a registered Trademark of Freelancer Technology Pty Limited (ACN 142 189 759) Copyright © 2018 Freelancer Technology Pty Limited (ACN 142 189 759) × Welcome ! Link to existing Freelancer account +The email address is already associated with a Freelancer account. Enter your password below to link accounts: Username \ No newline at end of file diff --git a/input/test/Test4797.txt b/input/test/Test4797.txt new file mode 100644 index 0000000..a18da81 --- /dev/null +++ b/input/test/Test4797.txt @@ -0,0 +1,10 @@ +The diabetes drug Actos has reportdely been linked in several studies with a serious condition—bladder cancer. So far, Takeda has been hit with thousands of Actos lawsuits. Patients allege that the diabetes medication caused them to develop bladder cancer. For some, bladder cancer can be a fatal disease. +According to lawsuits, Takeda knew that their diabetes medication was associated with an increased risk of developing bladder cancer, yet failed to adequately warn patients—along with the medical community and federal regulators—of the risk, ultimately placing patients in serious danger. +If you or someone you love has suffered from bladder cancer after taking Actos, you may be able to file a lawsuit. Hiring an Actos lawyer can help you pursue litigation the most effectively. +Actos and Bladder Cancer Actos (pioglitazone) is a type-2 diabetes medication manufactured by pharmaceutical giant Takeda, and approved by the U.S. Food and Drug Administration (FDA) in 1999. However, the FDA released an announcement in 2016 that the drug has been linked with an increased risk of bladder cancer. According to studies, the risk is heightened when patients take higher dosages or take the drug for longer periods of time. +Because of these studies, the FDA announced that Actos "may be associated with an increased risk in urinary bladder cancer, and we have updated the drug labels to include information about these additional studies." +A massive $2.4 billion Actos settlement was reached in 2015, allowing Takeda to resolve thousands of claims. The lawsuits allege that Takeda knew or should have known about the risk of bladder cancer associated with its medication. The settlement resolves the claims of thousands of lawsuits, including those filed by family members who lost loved ones from bladder cancer after taking this medication, but the settlement agreement does not change Takeda's position that the drug is not responsible for these injuries. +A new Actos bladder cancer class action lawsuit was filed against Takeda and Eli Lilly (who helped market the drug) in May 2018. This new class action lawsuit alleged that Actos was "inefficacious and dangerous," and that the pharmaceutical companies kept the risks of the medication secret at the expense of their patients' safety. According to the lawsuit, the companies "knew that, if the medical community were aware that Actos could cause bladder cancer, it would not have been the blockbuster drug they needed Actos to be." +Seeking an Actos Lawyer An Actos lawyer can help patients who took the diabetes medication and did not know about its link to bladder cancer. +If you or someone you love has suffered from bladder cancer after exposure to the Actos type-2 diabetes medication, you may be able to file a lawsuit. While filing a lawsuit cannot take away the pain and suffering caused by bladder cancer, nor can it bring a loved one back to life, it can help to alleviate the financial burden caused by medical expenses and lost wages. Consulting an Actos lawyer who is specialized in this cases can help make your claims as effective as possible. +If you or a loved one took Actos and developed bladder cancer, you may qualify to file an Actos lawsuit and for an Actos settlement. Join this Actos lawsuit investigation by filling out the FREE form on this page \ No newline at end of file diff --git a/input/test/Test4798.txt b/input/test/Test4798.txt new file mode 100644 index 0000000..4f7e9d0 --- /dev/null +++ b/input/test/Test4798.txt @@ -0,0 +1,10 @@ +Local NGO Tășuleasa Social has opened the fundraising for Via Transilvanica, a pilgrimage route project that will cross the region of Transylvania. +The route will start in Drobeta-Turnu Severin, a city in southwestern Romania, where King Carol I first entered the country, and will end in Putna, in the north-east part of the country. This is where Moldavia medieval ruler Ștefan cel Mare (Steven the Great) is buried. In between the two localities, the route will go through ten counties on a 1,000 km distance. +The planned route will go through the counties of Mehedinți, Caraș-Severin, Hunedoara, Alba, Sibiu, Brașov, Harghita, Mureș, Bistrița-Năsăud and Suceava, and is set to offer those undertaking it various cultural, sports, and leisure opportunities. +Raiffeisen Bank will finance the first 100 km of Via Transilvanica. The bank also supported the NGO's Via Maria Theresia project, which was aimed at reconditioning a historic route in the Calimani Mountains. +The route will be set up in several stages, beginning with a 100 km – long section in Bistrița-Năsăud county this year. Afterwards, the entire route will be marked with andesite milestones. The Via Transilvanica infrastructure will provide information on accommodation and meal options but also historical and cultural info about the various areas the road will go through. +The Via Transilvanica project is inspired by similar routes in Spain and the United States. +Donations for the project can be made here . +Planned long-distance trail explores Transylvania region +(Photo: Via Transilvanica Facebook Page) +[email protected \ No newline at end of file diff --git a/input/test/Test4799.txt b/input/test/Test4799.txt new file mode 100644 index 0000000..3c241cb --- /dev/null +++ b/input/test/Test4799.txt @@ -0,0 +1 @@ +Higher Education Market – Economic, Consumer and Industry Trends for 2018 , 17 August 2018 -- Higher Education Market – Economic, Consumer and Industry Trends for 2018Global Higher Education Market: The higher education market has emerged since the last two decades and is now growing rapidly. The number of players in this market is increasing in the shape of private and public institutions, ministries of education and government agencies, education and testing companies. Educational institutions are becoming more receptive towards adoption of technological components. Technology in education is playing an important role in allowing students and educators to interact and avail upcoming learning opportunities. Within the higher education market, there is an increasing competition between public and private higher educational institutions to emphasize on students and faculty from across the world along with participation of international universities and business partners for research, associations and funds. Get Brochure For More Information@ https://www.transparencymarketresearch.com/sample/sample.php?flag=B&rep_id=12299 Global Higher Education Market: Segmentation The total market is segmented on the basis of hardware, software, services, users and geography. The several hardware devices used in the higher education market are tablets, PCs, interactive white boards, projectors, printers and others. Software solutions comprise data security and compliance, campus technology, performance management, content and collaboration and others. Further, the service sector includes implementation, training and support and consulting and advisory. The several users of higher education are private colleges, state universities and community colleges. The geographical analysis in the report covers North America, Europe, Asia Pacific and Rest of World. Global Higher Education Market: Drivers and Restraints Increasing connectivity and hardware, privacy of several cloud based resources, emerging online and collaborative learning and personalization of the technology are the major driving factors that contribute to the growth of the higher education market. However, increased cost, difficulty in adoption of server-based computing and decreased government funding are some of the challenges for this market. Today, higher educational institutions are not spending increasingly on technology owning to budgetary restraints. The rise in competition among several institutions in long run would result in rapid deployment of cloud-based resources. Thus, the new developments in technology and strategic alliances and partnerships are opportunities for this market. Global Higher Education Market: Key Trends There are a number of new trends generating a prospect for institutions to communicate education in a more interactive and effective way. Higher educational institutions are more conscious about the recent developments in the international market, through structuring efficient strategies for long term associations and determine a superior level in worldwide student market. Universities around the world are making efforts to include unique strategies and activities, through promoting its programmers to a large audience and by providing services in line with foreign students. The higher education market is expected to exhibit a single-digit CAGR by 2019. The suppliers are not only providing software and hardware solutions but also are focusing on increasing technological deployments within existing as well as the new user accounts. Therefore, it is estimated that more than 70% of learning platforms would be Software as a Service or cloud based. Global Higher Education Market: Key Players Mentioned in the Report Some of the key players in the higher education market are Smart Technologies, Inc., Xerox Corporation, Panasonic Corporation, Oracle Corporation, EduComp Solutions, Dell, Inc., Cisco Systems Inc., Three River Systems, IBM, Blackboard Inc. and Adobe Corporation among others. Download ToC Of Research Report@ https://www.transparencymarketresearch.com/sample/sample.php?flag=T&rep_id=12299 # # \ No newline at end of file diff --git a/input/test/Test48.txt b/input/test/Test48.txt new file mode 100644 index 0000000..b707e62 --- /dev/null +++ b/input/test/Test48.txt @@ -0,0 +1,15 @@ +by SAMPHINA · August 15, 2018 +Brought to you by samphina.com.ng information on how to access the help desk in Adekunle Ajasin University (AAUA). +Please read through the following steps in order to utilize the AAUA Helpdesk; +1. Go to www.aaua.freshdesk.com and click on Login . Important Notice +We have complete project/seminar topics and materials for all departments in any institutions including Polytechnic (ND, HND) and University Students.. click here to check for topics and get the material +2. Next is to click on 'login using google'. Important Notice +We have complete project/seminar topics and materials for all departments in any institutions including Polytechnic (ND, HND) and University Students.. click here to check for topics and get the material +SEE ALSO : COURSES OFFERED IN COLLEGE OF EDUCATION IKERE, EKITI STATE +3. Enter your official email address already created for you i.e YourMatricNo or Jambreg@aaua.edu.ng as your Username followed by your Password. ( Note: – You do not need to sign up) +4. Add and submit a new ticket; stating your request/complaint (An administrator at ICTAC AAUA will respond to your request shortly). +5. Visit www.mail.aaua.edu.ng and login with your official email i.e YourMatricNo or Jambreg@aaua.edu.ng as your Username followed by your Password. +6. Check your inbox to find a support ticket link number for you to track and know the status of the ticket you posted earlier. E.g you will see something like this in your mail – https://aaua.freshdesk.com/helpdesk/tickets/7 ( Note: – All you need to do is to check your mail and click on the link to know the status of your request) SEE ALSO : HOW TO MAKE USE OF ICTAC SERVICES IN ADEKUNLE AJASIN UNIVERSITY (AAUA) +7. Once your request has been treated, you will receive a mail in response to that effect accordingly. +( Note: – You do not need to visit the ICTAC AAUA unless otherwise stated by the Administrator in the response to your ticket. Also, students who sign up or login with any other email address besides the official AAUA email address given to them will be discarded). SEE ALSO : HOW TO UTILIZE ADEKUNLE AJASIN UNIVERSITY (AAUA) MOBILE SERVICES +Hey! Do you know you can be getting latest school information without stress just by following us on twitter or facebook as these social media are the most updated when it comes to educational news. Use the button to join other students on this media \ No newline at end of file diff --git a/input/test/Test480.txt b/input/test/Test480.txt new file mode 100644 index 0000000..2bd6e86 --- /dev/null +++ b/input/test/Test480.txt @@ -0,0 +1,8 @@ +Tweet +TC Pipelines, LP (NYSE:TCP) was the target of a significant growth in short interest in July. As of July 31st, there was short interest totalling 1,951,657 shares, a growth of 61.3% from the July 13th total of 1,210,314 shares. Based on an average daily volume of 616,388 shares, the days-to-cover ratio is presently 3.2 days. Currently, 3.6% of the company's stock are sold short. +A number of analysts have recently issued reports on the stock. ValuEngine lowered shares of TC Pipelines from a "sell" rating to a "strong sell" rating in a research report on Wednesday, May 2nd. Morgan Stanley cut their price objective on shares of TC Pipelines from $37.00 to $26.00 and set an "underweight" rating on the stock in a research report on Thursday, May 3rd. Citigroup lowered shares of TC Pipelines from a "buy" rating to a "neutral" rating and set a $43.00 price objective on the stock. in a research report on Monday, May 14th. Barclays cut their price objective on shares of TC Pipelines from $31.00 to $26.00 and set an "underweight" rating on the stock in a research report on Wednesday, May 2nd. Finally, Royal Bank of Canada lowered shares of TC Pipelines from an "outperform" rating to a "sector perform" rating and set a $67.00 price objective on the stock. in a research report on Thursday, May 3rd. Five investment analysts have rated the stock with a sell rating and seven have given a hold rating to the company. TC Pipelines currently has a consensus rating of "Hold" and a consensus price target of $47.00. Get TC Pipelines alerts: +Institutional investors and hedge funds have recently modified their holdings of the stock. Global X Management Co. LLC raised its position in shares of TC Pipelines by 12.0% in the first quarter. Global X Management Co. LLC now owns 599,400 shares of the pipeline company's stock valued at $20,793,000 after purchasing an additional 64,125 shares during the period. Wells Fargo & Company MN raised its position in shares of TC Pipelines by 10.1% in the first quarter. Wells Fargo & Company MN now owns 51,055 shares of the pipeline company's stock valued at $1,771,000 after purchasing an additional 4,694 shares during the period. Sheaff Brock Investment Advisors LLC raised its position in shares of TC Pipelines by 43.5% in the first quarter. Sheaff Brock Investment Advisors LLC now owns 6,600 shares of the pipeline company's stock valued at $229,000 after purchasing an additional 2,000 shares during the period. Kayne Anderson Capital Advisors LP raised its position in shares of TC Pipelines by 3.1% in the first quarter. Kayne Anderson Capital Advisors LP now owns 2,808,077 shares of the pipeline company's stock valued at $97,398,000 after purchasing an additional 85,460 shares during the period. Finally, Eagle Global Advisors LLC raised its position in shares of TC Pipelines by 44.2% in the first quarter. Eagle Global Advisors LLC now owns 466,780 shares of the pipeline company's stock valued at $16,193,000 after purchasing an additional 143,132 shares during the period. 61.52% of the stock is currently owned by hedge funds and other institutional investors. Shares of TCP opened at $32.55 on Friday. The company has a market cap of $2.40 billion, a P/E ratio of 10.11 and a beta of 1.22. The company has a debt-to-equity ratio of 1.97, a quick ratio of 1.23 and a current ratio of 1.33. TC Pipelines has a twelve month low of $22.64 and a twelve month high of $57.08. +TC Pipelines (NYSE:TCP) last issued its quarterly earnings data on Thursday, August 2nd. The pipeline company reported $1.00 earnings per share for the quarter, beating the consensus estimate of $0.81 by $0.19. The firm had revenue of $111.00 million for the quarter. TC Pipelines had a net margin of 66.44% and a return on equity of 26.67%. analysts predict that TC Pipelines will post 3.75 earnings per share for the current year. +The firm also recently disclosed a quarterly dividend, which was paid on Wednesday, August 15th. Investors of record on Monday, August 6th were given a dividend of $0.65 per share. This represents a $2.60 annualized dividend and a yield of 7.99%. The ex-dividend date was Friday, August 3rd. TC Pipelines's payout ratio is presently 82.28%. +About TC Pipelines +TC PipeLines, LP acquires, owns, and participates in the management of energy infrastructure businesses in North America. The company has interests in eight natural gas interstate pipeline systems that transport approximately 10.4 billion cubic feet per day of natural gas from producing regions and import facilities to market hubs and consuming markets primarily in the Western, Midwestern, and Eastern United States \ No newline at end of file diff --git a/input/test/Test4800.txt b/input/test/Test4800.txt new file mode 100644 index 0000000..9fd131f --- /dev/null +++ b/input/test/Test4800.txt @@ -0,0 +1,30 @@ +CHANGE REGION 1 of 4 School pupils react after being teargassed by police who were confronting a demonstration near their school in the Kamwokya area of Kampala, Uganda, Thursday, Aug. 16, 2018. Supporters were demonstrating in support of pop singer and prominent critic of Uganda's government Kyagulanyi Ssentamu, whose stage name is Bobi Wine, who was charged with unlawful possession of firearms and ammunition in a military court on Thursday for his alleged role in clashes in which the longtime president's motorcade was attacked by people throwing stones.(AP Photo/Stephen Wandera) 2 of 4 A supporter of pop star Kyagulanyi Ssentamu is detained following a demonstration in the Kamwokya area of Kampala, Uganda, Thursday, Aug. 16, 2018. Supporters were demonstrating in support of pop singer and prominent critic of Uganda's government Kyagulanyi Ssentamu, whose stage name is Bobi Wine, who was charged with unlawful possession of firearms and ammunition in a military court on Thursday for his alleged role in clashes in which the longtime president's motorcade was attacked by people throwing stones.(AP Photo/Stephen Wandera) 3 of 4 Wife Barbara Kyagulanyi of pop star and lawyer Asuman Basalirwa attempt to gain access to the military court trial of lawmaker, pop singer and prominent critic of Uganda's government Kyagulanyi Ssentamu, whose stage name is Bobi Wine, in Gulu, northern Uganda, Thursday, Aug. 16, 2018. Wine was charged with unlawful possession of firearms and ammunition in a military court on Thursday for his alleged role in clashes in which the longtime president's motorcade was attacked by people throwing stones. (AP Photo/Ronald Kabuubi) 4 of 4 School pupils react after being teargassed by police who were confronting a demonstration near their school in the Kamwokya area of Kampala, Uganda, Thursday, Aug. 16, 2018. Supporters were demonstrating in support of pop singer and prominent critic of Uganda's government Kyagulanyi Ssentamu, whose stage name is Bobi Wine, who was charged with unlawful possession of firearms and ammunition in a military court on Thursday for his alleged role in clashes in which the longtime president's motorcade was attacked by people throwing stones.(AP Photo/Stephen Wandera) In Uganda, a pop star takes on a president, at his peril By Associated Press | August 17, 2018 @5:36 AM SHARE +KAMPALA, Uganda (AP) — In his red beret and jumpsuit the Ugandan pop star Kyagulanyi Ssentamu, better known as Bobi Wine, leads cheering campaigners down a street, punching the air and waving the national flag. +That image has defined the unlikely new political phenomenon — and possibly now put him in danger as an opposition figure taking on one of Africa's longest-serving leaders. +Once considered a marijuana-loving crooner, the 36-year-old "ghetto child" is a new member of parliament who urges his countrymen to stand up against what he calls a failing government. His "Freedom" video opens with him singing behind bars: "We are fed up with those who oppress our lives." He has protested against an unpopular social media tax and a controversial change to the constitution removing presidential age limits. +Despite murmurs about his wild past and inexperience in politics, his approach appears to be working: All of the candidates he has backed in strongly contested legislative by-elections this year have emerged victorious. +But after clashes this week led to a smashed window in President Yoweri Museveni's convoy and Ssentamu's own driver shot dead, some of the singer's supporters now wonder if they'll ever see him again. +The brash young lawmaker was charged Thursday in a military court with illegal possession of firearms for his alleged role in Monday's clashes in the northwestern town of Arua, where both he and Museveni were campaigning. As the president's convoy left a rally, authorities say, a group associated with Ssentamu and the candidate he supported, Kassiano Wadri, pelted it with stones. +Ssentamu quickly posted on Twitter a photo of his dead driver slumped in a car seat, blaming police "thinking they've shot at me." Then he was arrested, and he hasn't been seen in public since. +His lawyer, Medard Sseggona, told reporters after Thursday's closed-door hearing that his client had been so "brutalized he cannot walk, he cannot stand, he can only sit with difficulty ... It is hard to say whether he understands this and that." +Army spokesman Brig. Richard Karemire on Friday didn't address the allegation but said the military will ensure the lawmaker receives medical attention "now that he is under its safe custody." +Critics have said Uganda's government might find it easier to get the verdict it wants in a military court, where independent observers often have limited access. Ssentamu's wife, Barbara, told reporters he has never owned a gun and does not know how to handle one, reinforcing widespread concerns about trumped-up charges. +The U.S. Embassy said in a statement Friday it was "disturbed by reports of brutal treatment" of legislators and others by security forces, urging the government "to show the world that Uganda respects its constitution and the human rights of all of its citizens." +The case against Ssentamu has riveted this East African country that has rarely seen a politician of such charisma and drive. Beaten and bruised, often literally, Uganda's opposition politicians have largely retreated as the 74-year-old Museveni pursues an even longer stay in power. +While Kizza Besigye, a four-time presidential challenger who has been jailed many times, appears to relax his protest movement, Ssentamu has been urging bold action. The young must take the place of the old in Uganda's leadership, he says. +His message resonates widely in a country where many educated young people cannot find employment, public hospitals often lack basic medicines and main roads are dangerously potholed. +Because traditional avenues of political agitation have largely been blocked by the government, the music and street spectacle of an entertainer with a political message offer hope to those who want change, said Mwambutsya Ndebesa, who teaches political history at Uganda's Makerere University. +"There is political frustration, there is political anger, and right now anyone can do. Even if it means following a comedian, we are going to follow a comedian," Ndebesa said. "Uganda is a political accident waiting to happen. A singer like Bobi Wine can put Uganda on fire." +Running against both the ruling party and the main opposition party under Besigye, Ssentamu won his parliament seat by a landslide last year after a campaign in which he presented himself as the voice of youth. +"It is good to imagine things, but it is better to work toward that imagination," he told the local broadcaster NBS afterward while speaking about his presidential ambitions. "But it does not take only me. It takes all of us." +Not long after taking his parliament seat, Ssentamu was among a small group of lawmakers roughed up by security forces inside the chamber for their failed efforts to block legislation that opened the door for Museveni to possibly rule for life. +"You are either uninformed or you are a liar, a characteristic you so liberally apply to me," the president said to Ssentamu in a scathing letter published in local newspapers in October amid public debate over the law. +Museveni, who took power by force in 1986, is now able to rule into the 2030s. While his government is a key U.S. security ally, notably in fighting Islamic extremists in Somalia, the security forces have long faced human rights groups' allegations of abuses. +The alleged harassment of Ssentamu, however, has only boosted his popularity and led to calls for a presidential run in 2021. +"Bobi Wine is now a phenomenon in the sense of the reaction of the state," said Asuman Bisiika, a Ugandan political analyst. "The only critical thing is how he responds to the brutality of the state. How does he respond after the physical impact of the state on his body? We are waiting." +A trial before a military court is likely to be drawn out over months and possibly years, impeding his political activities. His followers have expressed concern that this was the government's motive in locking him up. +In the poor suburb of Kamwokya in the capital, Kampala, where Ssentamu's musical journey started and where he is fondly recalled as "the ghetto president," some vow to fight until he is freed. On Thursday, protesters were quickly dispersed by police lobbing tear gas. +"For us, Bobi Wine is a good leader because he cares for the ordinary person and he is a truth teller," said John Bosco Ssegawa, standing in a street where tires had been burned. "And those people whose names I will not mention think he is wrong. No, they are wrong." +___ +Follow Africa news at https://twitter.com/AP_Africa +Copyright 2018 The Associated Press. All rights reserved. This material may not be published, broadcast, rewritten or redistributed. READ MOR \ No newline at end of file diff --git a/input/test/Test4801.txt b/input/test/Test4801.txt new file mode 100644 index 0000000..091390a --- /dev/null +++ b/input/test/Test4801.txt @@ -0,0 +1,6 @@ +HDFC Securities' research report on Alkem Labs +Alkem's 1QFY19 results were largely below our estimates. Revenue at Rs 16.7bn, was up 28.9%YoY and 10.3%QoQ. EBITDA of Rs 2.1bn grew 127%YoY with margin coming up to 12.8%, up 550bps YoY. PAT at Rs 1.4bn was 115% higher than that in 1QFY18. The impressive growth is attributed to a low GST-hit base. EBITDA, margin, and PAT missed our estimates by 21%, 380bps, and 22% YoY respectively. Domestic growth was 25.7%. As per AIOCD, It grew higher than IPM at 14.2% v/s 10.6% in the quarter. International business too delivered impressive performance, grew 35.1% YoY. The first quarter is usually positive for Alkem, however the low EBITDA margin is due to a delayed sale of Rs 1.9bn which was booked in July 2018. Adjusted for this, the margin comes at ~17.5%, in-line with our estimates. With this sales pushed ahead, Q2 will be a bumper quarter. After EIR being issued for the Daman facility from US FDA, Alkem is not expected to have any regulatory issues going ahead. +Outlook +With continued domestic growth above IPM and US regulatory hurdles overcome, we see positive potential in the stock returns as long-term growth story remains on-track. Maintain BUY with a revised TP of Rs 2,410 (24x FY20E EPS). +For all recommendations report, click here +Disclaimer: The views and investment tips expressed by investment experts/broking houses/rating agencies on moneycontrol.com are their own, and not that of the website or its management. Moneycontrol.com advises users to check with certified experts before taking any investment decisions \ No newline at end of file diff --git a/input/test/Test4802.txt b/input/test/Test4802.txt new file mode 100644 index 0000000..ba34dd1 --- /dev/null +++ b/input/test/Test4802.txt @@ -0,0 +1,27 @@ +This week, for the second year in a row, UT Southwestern Medical Center was named the top hospital in Dallas by U.S. News & World Report. That's something to crow about, especially in a region with so many health care players. +Still, there's room to improve. +UT Southwestern wants to join the list of the top 20 hospitals in the nation, an honor roll that includes the Mayo Clinic, Johns Hopkins Hospital and Massachusetts General in Boston. +"Give us three years," said Daniel Podolsky , who spent decades at Mass Gen and Harvard Medical School before becoming president of UT Southwestern in 2008. "There's a very clear path if we stay focused on quality. And we think that would be a fantastic boon for this city and region." +He's set a similar goal for UT Southwestern Medical School. It ranks 26th among 177 medical schools, according to U.S. News, and he wants it to become the first from Texas to crack the top 10. +"I want to make it clear: It's not a vanity project," Podolsky said about moving up in the rankings. "It's about access to the very best care. It's about attracting the best students, faculty, employees and talent to this area. It's about being an economic engine. +"Overall, in the long term, it's about elevating the quality of life through the health of the community," he said in a meeting with The Dallas Morning News editorial board. +UT Southwestern is already one of the most important institutions in North Texas. It's best known for leading-edge research and a faculty that won six Nobel Prizes. The medical school, established in 1943, has produced more than 11,000 doctors and trains dozens of other researchers and health care specialists annually. It also provides care to millions through its own hospitals and partnerships. +UT Southwestern has more than 500 labs and 550 clinical trials, and its breakthroughs often garner national attention . But the business strategy is noteworthy, too, because it's performing well and spreading its talent in multiple ways. +It has grown rapidly, both with new facilities and by partnering with others. Its joint ventures include an integrated doctors network with Texas Health Resources, one of the largest hospital systems in the area. +Southwestern Health Resources, created in late 2015, includes more than 3,000 doctors. That effort is still in the early days and could make real gains in coordinating care and extending access to top specialists. +UT Southwestern is already on a roll. Since 2011, revenue from patient services has soared 68 percent — over three times higher than the increase in health care spending nationwide. +Clements University Hospital, which opened in late 2014 at a price tag of $800 million , is getting a $480 million expansion . Its revenue is running eight years ahead of projections. +"We've been on a robust path of growth," Podolsky said. +In 2012, UT Southwestern added a cancer center in Fort Worth and later a medical facility with 16 specialties. It's also building a medical center in Frisco, and its medical staff will treat patients at a new Texas Health hospital there. +All of this is in addition to long-standing partnerships with Parkland Health & Hospital System, Children's Medical Center, Texas Scottish Rite Hospital for Children and the VA North Texas Health Care System. Over the past year, faculty and residents from UT Southwestern treated more than 105,000 patients in hospitals and more than 2.4 million in outpatient centers. +Such reach and growth has swelled the workforce. Since 2012, UT Southwestern has added almost 5,000 workers and now has about 17,000 employees. +It's easily the leading research institution in North Texas. It spent almost $443 million on research in 2016, according to the National Science Foundation . +Podolsky pointed out that its total is twice as large as the research at all the local universities combined. That's true, but it's not tops in the state or even in Texas health care. UT's MD Anderson Cancer Center does almost twice as much research as UT Southwestern. +Some academic medical centers have faced declining margins as the health care business continues to change. Rival hospitals are consolidating and insurers are narrowing provider networks to cut costs; meanwhile teaching hospitals often deal with expensive treatments. +Some are expanding their footprints and forming partnerships, although with mixed results, said Janis Orlowski, chief health care officer for the Association of American Medical Colleges . +"We see some very good examples like UT Southwestern and some that are not working out so well," she said. +The group tracks the colleges' overall financial health, the number of people served, the complexity of diseases treated and other metrics. She said that Podolsky and his team are important players on the national scene. +"They're showing what you can do with academic medical centers and how you can leverage them for the benefit of the community," Orlowski said. +UT Southwestern and Texas Health are also teaming on an accountable care organization that shares the financial risk in treating Medicare patients. That program has saved $73 million, the providers said. Now UT Southwestern plans a similar risk-sharing model for its workers' insurance plan. +Employers are looking for that kind of progress, said Marianne Fazen, executive director of the DFW Business Group on Health . The coalition of employers is teaming with UT Southwestern and the Peter O'Donnell Brain Institute on treatments for depression and mental health. +"They're very innovative and open to trying new approaches, and it's wonderful," Fazen said. "It's the end of business as usual in health care. \ No newline at end of file diff --git a/input/test/Test4803.txt b/input/test/Test4803.txt new file mode 100644 index 0000000..aba87f7 --- /dev/null +++ b/input/test/Test4803.txt @@ -0,0 +1,6 @@ +Would you like us to remember your submitted details on this device next time you visit? +Yes Interactive Guide to Enabling a Programmable Optical Infrastructure +Ciena +Today, billions of ultra-mobile users consume high-definition content, video and applications when and where they choose. In this environment, next-generation networks need to flexibly adapt in real time to meet changing capacity needs. Programmable infrastructure enables networks to adapt in real time to deliver bandwidth. +Download our Interactive Guide to learn about flexible services and the efficiencies gained in: +– IP service \ No newline at end of file diff --git a/input/test/Test4804.txt b/input/test/Test4804.txt new file mode 100644 index 0000000..bbdb031 --- /dev/null +++ b/input/test/Test4804.txt @@ -0,0 +1,9 @@ +Chandra Levy's mother pushes for Cold Case Act 2018-08-17T10:10:03Z Source: WGCL ATLANTA (CBS46) - +Chandra Levy's murder case rocked the nation 17 years ago, and now her mother is pushing for a new national act pertaining to murder cases gone cold. +CBS46 reporter Daniel Wilkerson sat down with Levy's mother while she was in Atlanta to meet with the Cold Case Investigative Research Institute. Levy is says this national act would offer more flexibility for families of loved once murdered. +"Your whole foundation as a human being and your family's been shaken up and a lot of times they don't have the strength to go on," said Levy. +It would be called the Cold Case Accountability Act of 2020. If enacted, families would get a mandatory status update along with an investigative plan. +Within year two, a mandatory review of the case by law enforcement and the family would have the option of paying for a private expert to assist police. Then within year three, the family could have a private party test the evidence. +For Levy, she says they'll never be closure. +To learn more about the Cold Case Accountability Act of 2020 and to sign the petition, click here . +Copyright 2018 WGCL-TV (Meredith Corporation). Connect with CBS4 \ No newline at end of file diff --git a/input/test/Test4805.txt b/input/test/Test4805.txt new file mode 100644 index 0000000..73a2115 --- /dev/null +++ b/input/test/Test4805.txt @@ -0,0 +1,10 @@ +Your calendar might be filled with play-dates for your kids, but it's important to ink in some get-togethers of your own. +Existing friendships may take a back seat to other priorities, and making new friends might seem like mission impossible, but research suggests that friends may be more important to well-being than even romantic and family relationships. Not having this kind of social connection can be as damaging as smoking, overdoing alcohol or not exercising. Friendship is even linked to longevity. +Having friends can: Motivate you to reach goals. Provide support through all phases of your life. Enhance feelings of self-worth. Add purpose to your life. +There's no need to limit yourself to the parents of your kids' friends or classmates. By being social in other ways, you're more likely to meet adults who have similar interests to yours. +Be social to get social: Get involved in community activities or events through your library or school. Take a course in a subject that interests you. Volunteer for a cause you care about. Reconnect with old friends through social media sites or your alumni association. +Once you've met new people, it takes some effort to develop friendships. Besides e-mails and texts, set up face-to-face dates — the best way to ensure that your friendships grow. Often the difference between a friendship and an acquaintance is the level of intimacy — knowing key things about each other such as values, goals and even struggles. +So open up to the other person a little at a time. Hopefully he or she will follow suit. +To maintain a friendship, nurture it by being positive rather than judgmental. Listen and respond to your friend's needs, but don't offer unsolicited advice. And above all resist the urge to turn a friendship into a competition over who has a better job, fancier home or smarter kids. +More information +The U.S. Department of Health and Human Services has a thoughtful self-help guide on making and keeping friends \ No newline at end of file diff --git a/input/test/Test4806.txt b/input/test/Test4806.txt new file mode 100644 index 0000000..88ee572 --- /dev/null +++ b/input/test/Test4806.txt @@ -0,0 +1 @@ +Astronomy/Space Science | Physics/Materials Science Some of the faintest satellite galaxies orbiting our own Milky Way galaxy are amongst the very first that formed in our Universe, physicists have found. Findings by a team of academics, including physicists Professor Carlos Frenk and Dr Alis Deason from the Institute for Computational Cosmology (ICC) at Durham University and Dr Sownak Bose from the Harvard-Smithsonian Center for Astrophysics in America, suggest that galaxies including Segue-1, Bootes I, Tucana II and Ursa Major I are over 13 billion years old. Their findings are published in The Astrophysical Journal . Professor Carlos Frenk, Director of Durham University's ICC, said: "Finding some of the very first galaxies that formed in our Universe orbiting in the Milky Way's own backyard is the astronomical equivalent of finding the remains of the first humans that inhabited the Earth. It is hugely exciting. "Our finding supports the current model for the evolution of our Universe, the 'Lambda-cold-dark-matter model' in which the elementary particles that make up the dark matter drive cosmic evolution." Bursting into light Cosmologists believe that when the Universe was about 380,000 years old, the very first atoms formed. These were hydrogen atoms, the simplest element in the periodic table. These atoms collected into clouds and began to cool gradually and settle into the small clumps or "halos" of dark matter that emerged from the Big Bang. This cooling phase, known as the "cosmic dark ages", lasted about 100 million years. Eventually, the gas that had cooled inside the halos became unstable and began to form stars - these objects are the very first galaxies ever to have formed. With the formation of the first galaxies, the Universe burst into light, bringing the cosmic dark ages to an end. Cosmic dark ages The research team identified two populations of satellite galaxies orbiting the Milky Way. The first was a very faint population consisting of the galaxies that formed during the cosmic dark ages. The second was a slightly brighter population consisting of galaxies that formed hundreds of millions of years later, once the hydrogen that had been ionized by the intense ultraviolet radiation emitted by the first stars was able to cool into more massive dark matter halos. Remarkably, the team found that a model of galaxy formation that they had developed previously agreed perfectly with the data, allowing them to infer the formation times of the satellite galaxies. Dr Sownak Bose, who was a PhD student at the ICC when this work began and is now a research fellow at the Harvard-Smithsonian Center for Astrophysics, said: "A nice aspect of this work is that it highlights the complementarity between the predictions of a theoretical model and real data. "A decade ago, the faintest galaxies in the vicinity of the Milky Way would have gone under the radar. With the increasing sensitivity of present and future galaxy censuses, a whole new trove of the tiniest galaxies has come into the light, allowing us to test theoretical models in new regimes." Formation of the Milky Way The intense ultraviolet radiation emitted by the first galaxies destroyed the remaining hydrogen atoms by ionizing them (knocking out their electrons), making it difficult for this gas to cool and form new stars. The process of galaxy formation ground to a halt and no new galaxies were able to form for the next billion years or so. Eventually, the halos of dark matter became so massive that even ionized gas was able to cool. Galaxy formation resumed, culminating in the formation of spectacular bright galaxies like our own Milky Way. Dr Alis Deason, who is a Royal Society University Research Fellow at the ICC, said: "This is a wonderful example of how observations of the tiniest dwarf galaxies residing in our own Milky Way can be used to learn about the early Universe." Link \ No newline at end of file diff --git a/input/test/Test4807.txt b/input/test/Test4807.txt new file mode 100644 index 0000000..ee94fc6 --- /dev/null +++ b/input/test/Test4807.txt @@ -0,0 +1,34 @@ +Adient's Trading as if It Will Never Get Better Author Info David Whiston, CFA, CPA, CFE 17 Aug 2018 +Adient 's (ADNT) stock has taken a wild ride since the October 2016 spin-off from Johnson Controls. The shares briefly dipped under $40 in November 2016, then reached an all-time high of $86.42 in September 2017. So far in 2018, the stock price has dropped nearly in half. Operational problems disclosed in January in the seat structures and mechanisms group turned out to not be confined to that segment. Then in June, management lowered fiscal 2018 guidance due to unspecified manufacturing issues in the seating segment and announced the immediate resignation of the chairman and CEO. +We think this sell-off is an excellent buying opportunity for the long-term investor. We consider Adient's problems to be primarily from poor execution and therefore fixable. Also, we do not consider the company to be heading toward financial distress, and we think it can even maintain its dividend as it restructures. Adient still has selling, general, and administrative expenses to cut from its Johnson Controls days and manufacturing to move from high-cost countries to low-cost countries. Its seating EBIT margins trail those of top competitor Lear (LEA) , and we don't see why that difference must be permanent. +Adient also dominates seating in China, with nearly half the share of the world's single-largest auto market. The company's 20 seating joint ventures are accounted for under the equity method, but their unconsolidated revenue is about $9 billion. We see Adient remaining the top seating company in China because U.S. and European customers operating there want a company that can supply seats globally, and very few companies can do that. Sourcing is not purely a price decision. Adient also bought Futuris in September 2017 partly to increase its business with Chinese automakers, so we think it is well positioned in China with healthy joint ventures that are self-funded. +Option value comes from Adient seeking $1 billion of nonautomotive revenue by fiscal 2022, which for now may come mostly from business-class airplane seats thanks to a newly formed joint venture with Boeing (BA) . Autonomous vehicles also bring upside potential because Adient owns 30% of the world's largest automotive interiors company, Yanfeng Global Automotive Interiors. This ownership is in another joint venture with an additional nearly $9 billion in unconsolidated revenue. Interiors have long been thought of as a commodified area of automotive design, but we think they could become much more critical to vehicle appeal in a fully autonomous world. We see Adient having a bright future in seating and autonomous vehicles, but we do think a turnaround will take well into calendar 2019, so investors will need patience. +First in a $60 Billion Market Automotive seating is a market of about $60 billion globally, and Adient is the number-one company with 32% share, according to its estimates, including unconsolidated Chinese joint venture business. Lear, Faurecia (EO) , Magna (MGA) , and Toyota Boshoku are the other sizable players. Adient and Lear alone have roughly half the market. +Customer concentration does not look like a big risk to us because Adient's automaker exposure is 30% of fiscal 2017 GAAP revenue to the Detroit Three, 36% to European automakers, 29% to the Japan Three and Hyundai-Kia, and the remaining 5% to other automakers, such as Tesla. The largest customers were Ford and Volkswagen Group, each at 12%, with Nissan and Fiat Chrysler next at 10% each, and Adient's largest platform contract made up about 5% of revenue. On the joint venture side, Adient data for 2016 indicates the company's share in the low and upper 70s for Europe- and North America-based original-equipment manufacturers and in the low to mid-30s for each of the Japanese, Korean, and Chinese automakers in China. In September 2017, Adient acquired Futuris Group partly to increase its exposure to local Chinese OEMs. +We do not think Adient is up to full speed because it identified plenty of SG&A to cut once it became a stand-alone company, and comparisons with Lear's seating division show that Adient should be doing better. For example, Adient's EBIT margin trailed Lear's seating segment EBIT margin by 300 basis points in 2017. This difference is a sign of inefficient manufacturing and probably also the result of problems integrating various acquisitions Johnson Controls made in 2011. +Adient management planned to narrow this gap with Lear by fiscal 2020 via cost cuts and various growth investments in new nonautomotive channels. It expected to improve operating margin, excluding equity income, by 200 basis points relative to the 4.5% level Adient would have achieved as a stand-alone company for the 12 months ended June 2016. However, cost headwinds of $300 million in the seat structures and mechanisms group forced the company in May to say it could not meet this goal. No update on timing has been given, and we may not hear anything until Adient hires a new CEO. Before SS&M's problems started hurting results, Adient was making progress on better leveraging its costs. On a trailing 12-month basis, SG&A as a percentage of revenue had fallen to 3.8% at March 31 from 5.0% at June 2016. Adjusted EBIT margin, excluding equity income, in the trailing 12 months peaked at 5.2% in September 2017, up from the June 2016 starting point of 4.5%, but fell to 3.8% by March 2018 and fell further to 3.0% by June 2018. +What Went Wrong in SS&M? A lot of the seat structures and mechanisms group's issues initially seemed to be focused on moving work from high-cost countries to low-cost countries, but there are additional troubles to address now. Steel prices rose more than the company expected when it first gave fiscal 2018 guidance, resulting in at least a $35 million cost headwind relative to original fiscal 2018 plans. Management also cited capacity shortages from European specialty steel, forcing Adient to seek new suppliers outside Europe, which slowed production and raised costs. The segment also saw numerous design changes from customers (one vehicle program had 650 design changes before it launched, for example), and management told us that Adient did not seek sufficient price increases on these changes because it wanted to keep customers happy and incorrectly thought that some changes did not require price increases. SS&M also suffered some of its own supplier problems and tooling issues that forced it to add workers and weekend shifts at a cost premium. +The business also recently began launching its new mechanisms portfolio, the 3000 line, which required new technology investment and, in some cases, resulted in unspecified machine utilization problems that forced Adient to use expedited freight to deliver to customers on time. In addition, SS&M saw about triple the number of launches in 2017 and 2018, and it sounds to us from talking with the company that its resources were spread too thin and too focused on putting out fires, so to speak, rather than on proper execution. These headwinds led total company adjusted operating income for the quarter reported on July 26 to fall year over year by $127 million, or 38%, and adjusted EBIT margin including equity income to fall 370 basis points to 4.6%. Long term, we think the segment can be turned around, but it will take more than a few quarters. SS&M has lost money every quarter of fiscal 2018, but its losses have narrowed to $18 million in the third quarter from $82 million in the first quarter. +Change Is Coming The new 3000 mechanism line sounds to us like a critical part of SS&M's turnaround even though its recent start caused some problems. Management expects the new product line (recliners, height adjusters, latches, and tracks) to see returns on sales by fiscal 2022 often more than double what the prior-generation mechanism portfolio generated. The rollout will take time as plants are retooled and as old vehicle programs at customers expire. Recliners is furthest along, with the 3000-line recliner making up 25% of fiscal 2017 recliner business. The company expects that ratio to be 94% by fiscal 2022. Adient said in May that a completely new mechanisms portfolio is a once-every-20-30-years event, so we expect a long run of economies of scale once the portfolio is 100% switched early next decade. +The company is also revamping various manufacturing processes to reduce changeover time and increase output in stamping and welding. Six of nine key leaders in SS&M have been replaced and seven of 21 plant managers are new. Some vertical integration is expected to be replaced with outsourcing. SS&M also does plenty of Tier 2 supplier business, where it supplies seat structures or various mechanisms like recliners to a Tier 1 supplier such as Lear, Faurecia, or Magna, which then provides a complete seat to an OEM. About 45% of SS&M's $2.8 billion in revenue (including intercompany sales eliminated in consolidation) is Tier 2, and management said in January that it wants to reduce this exposure to decrease the segment's capital expenditures and weed out unprofitable vehicle programs. The reduction would come from the Tier 2 structures business and then the new mechanisms lineup will run for 20-30 years, eventually generating scale. Strict platform profitability thresholds will be adhered to, and some products may be dropped to focus on new products that have lower cost or more upside potential. Finally, there are plants in Europe losing money, and Adient has agreements with the work councils there to close the largest of them in fiscal 2019. +The vision at spin-off time was to make this business, excluding China's SS&M business in the joint ventures, a 5%-10% EBIT margin business. We calculate that in fiscal 2017, SS&M's EBIT margin, excluding China, was negative 3.6%, down from "roughly break-even" for the trailing 12 months ending June 2016, CFO Jeff Stafeil said in January. It is possible that the new CEO will want the target changed, however; we see no reason Adient cannot turn SS&M around, as a lot of factors are within management's control. It certainly should not be losing money or barely profitable. The Chinese joint venture shows that Adient can run a profitable SS&M business. Chinese SS&M EBIT margins are in the mid- to high teens, and the businesses there generated SS&M net income of $72 million in fiscal 2017, a 9.7% net margin, of which Adient received half via equity income. Chinese SS&M is far more profitable than the rest of Adient's SS&M businesses because the joint venture sells only mechanisms instead of mechanisms and seat structures, and the joint venture there started life in December 2013 without the inefficient legacy European business that Adient's consolidated SS&M results have. +Pessimistic observers may scoff at these change initiatives and suggest exiting SS&M because it loses money while consuming about 45% of total company capital expenditure. But there are also benefits, such as SS&M enabling Adient to be involved with vehicle design early in the process, which in theory allows Adient the best design flexibility to minimize cost for a vehicle seat. It also helps Adient get its foot in the door on a program. This matters because seating is a very sticky business. Once a supplier is on a program, it tends to stay on it even for the next generation of a vehicle. We also think it is too early to give up on turning SS&M around when management has plenty of fat to cut. Although Adient's stock has fallen hard in 2018, it is not in distress, and we do not think selling SS&M at a likely very depressed price makes much sense. +Moats Matter--and Give Us Comfort Seating is one of our favorite sectors of the auto supplier world. It is an oligopoly, and we expect it to remain that way, because it is hard for an upstart supplier to usurp an incumbent seating provider. We think Adient's narrow economic moat is safe despite the company's recent troubles. The company has moat aspects from four of our moat framework's five sources: intangible assets, cost advantage, efficient scale, and switching costs. +Seating is not a commodified business. It requires patents, decades of trust built up with customers, and an ability to service a customer all over the world with just-in-time manufacturing. This consistent reliability is not something that just anyone who can get a loan to start a seating company could do easily or quickly. Automakers' move to more global platforms is very good news for Adient because a supplier must be able to service the OEM consistently all over the world. A regional player cannot do this, and we think a small company would be hesitant to borrow lots of money to add new facilities and overhead all over the world without any guarantee of winning new business. Automakers want the same supplier on a program globally because of scale benefits for them and reliability with a vendor that knows the vehicle program. Therefore, seating is a sector likely to remain best served by a limited number of companies for a long time to come, yielding an efficient scale benefit to Adient. +Adient's expertise has won it many awards, both from customers such as GM and Toyota for supplier of the year or design, and for highest seat quality from J.D. Power. It takes trust from customers to even get on a vehicle program; then suppliers can keep the business with their technical expertise with technologies such as weight reduction via materials expertise in steel composites as well as using new materials such as magnesium or aluminum. Seating and interiors also matter for safety and heavily influence the overall appeal of a vehicle to a consumer. Longtime seating companies such as Adient have decades of knowledge of what automakers and consumers want in a seat or interior, a helpful intangible asset in keeping new entrants out. Another intangible asset comes in the niche performance seating area, where Adient owns the Recaro automotive seating business, which management is now trying to leverage into business-class airplane seats with transaction prices well over $100,000 and EBIT margins in the high teens. These metrics are dramatically different from Adient's auto seating business, where content per vehicle ranges from about $500 to over $1,800 (the company's global average is about $700) and EBIT margins around 8% may be the best to hope for. +Once the supplier is on a program, it will be asked to develop seats for a new-generation vehicle program sometimes years in advance. This planning means the supplier gets into planning a vehicle early enough to offer the best design and integration into the vehicle's floor to reduce weight while also lining up its own supply chain to offer the best cost savings to the OEM. This integration and ability to offer an improved product at a good price make for a sticky relationship with a customer, creating a barrier to entry not only for the current vehicle program but for future programs as well. Once a supplier has the business, it is extremely rare to lose it, especially during a vehicle program, because automakers then must remove tooling from the supplier, which can cost millions. An automaker would also have to incur expensive validation testing of a new supplier, all while the production line is not making any vehicles and decimating an automaker's ability to recoup its fixed costs. +The stickiness of the relationship with the automaker and Adient's ability to innovate also help cost advantage by protecting Adient from the relentless annual pricing reductions automakers expect from suppliers, because automakers will be willing to pay up for new technology. Also, seating is a less capital-intensive business than other areas of the automotive supply world. Adient's capital expenditure as a percentage of sales is one of the lowest in our supplier coverage. The seating assembly process cannot be automated as easily as, say, Gentex (GNTX) making auto-dimming mirrors or a stamping company producing doors or hoods. We think Adient's cost advantage has the potential to improve as the company moves certain production to low-cost countries such as China and Mexico from high-cost countries in North America and Europe. +Our Valuation Assumptions May Prove Conservative Our fair value estimate is primarily driven off midcycle EBIT margins, excluding equity income, as well as value creation in stages II and III of our discounted cash flow model rather than what Adient will do in the next one to two years. For example, a 100-basis-point decline in our midcycle EBIT margin of 5.5% would lower our fair value estimate by 17% to $60, all else constant. We think our 5.5% midcycle EBIT margin is conservative, given that Adient is not done restructuring, we do not yet model any benefit from management's plan for $1 billion of nonautomotive revenue by fiscal 2022, and the company posted a 5.2% EBIT margin in fiscal 2017. We do not even model noteworthy margin levels until fiscal 2021, when we model 6.5% before falling to our 5.5% midcycle. For fiscal 2018-20, we assume a mid-2% range this year, about 3% next year, and then 4% in fiscal 2020, which we think is conservative. +We also think the market is pricing in expectations that this company will hardly improve. We think that view is unrealistic, but the market for now likely has little confidence in the story until Adient's numbers say otherwise. If we modeled our fiscal 2018 2.4% EBIT margin as a midcycle number, our fair value estimate would be only $35, which is lower than our bear-case fair value estimate of $41, which assumes a 3.5% EBIT midcycle margin. Our bull-case fair value estimate of $111 has midcycle margin of about 7.5%, which is not a ridiculous number, given where Adient is today versus Lear's seating group. By our math, Lear posted an 8.2% operating margin in 2017 for its seating segment, excluding restructuring and excluding equity income. Metrics like this make us think that Adient's stock today has more upside potential than downside risk. However, if the market began pricing in a recession soon, we would not be surprised if Adient fell into at least the $30s. +Financial Leverage Increasing, but Debt Looks Manageable Management told us at spin-off time that getting to investment-grade was a top priority for capital allocation even ahead of share buybacks. Buybacks have only totaled $40 million since the spin-off, all of which came in fiscal 2017, and we do not expect any soon, given that cash will be required to fund restructuring. First-half fiscal 2018 cash restructuring outlays totaled $100 million, and management said it expects about $200 million for the full year. Management expects normalized average ongoing annual cash restructuring of $100 million after fiscal 2018, but the actual amount depends on OEM footprint changes. Once SS&M and seating are performing better, we'd like to see buybacks because we believe the stock is cheap, but we expect term loan prepayments are more likely. Prepayments are probably on hold while the company restructures. At the spin-off, Adient took on about $3.5 billion of debt, mostly to fund a $3 billion one-time distribution to Johnson Controls. +The company's net leverage ratio, which is net debt/adjusted EBITDA, increased to 2.29 times at June 30 from 1.73 times at Sept. 30, 2017. Management has prepaid $300 million of term loan debt since the spin-off, but we think further debt reduction may be delayed as a result of the CEO change and cash needed to turn the company around. We think Adient has time to turn itself around before major maturities come due in 2021. +We also think the dividend, which is payable quarterly and currently annualized at $1.10 per share, is safe, but we do not expect it to grow until fiscal 2020 because of restructuring and the U.S. may be late in the economic cycle. The dividend requires about $102.7 million to service annually (93.37 million actual shares outstanding at June 30), so we think Adient could service it via the credit line for a year if it had to. If fiscal 2019 or 2020 free cash flow does not improve from the guided possible burn of fiscal 2018, then the dividend could be at risk, or the risk of a cut could be an overhang on the stock. We think the last thing management wants to do is send the stock down hard further by cutting the dividend. We calculate that if net debt of $3.1 billion increased by, say, $100 million for a dividend, net leverage goes to 2.36 times adjusted EBITDA from 2.29 times. That seems manageable to us relative to the company's net debt/adjusted EBITDA covenant requiring a ratio of equal to or less than 3.5 times. +New Chairman and CEO on the Way Bruce McDonald, a longtime Johnson Controls executive who was Adient's first CEO and chairman, resigned in June. He will remain an advisor until Sept. 30 to interim CEO Fritz Henderson, who is also on Adient's board. Henderson is the former president, CFO, and CEO of General Motors. +Adient's board is a mix of Johnson Controls directors and new directors. We like that the board has several people deep in automotive experience but has enough nonauto people to bring some balance to strategic discussions. McDonald had plenty of credibility to chair Adient's board since he was CFO of Johnson Controls and later became vice chairman. We think it's possible the next Adient CEO could come from outside the company because two of the three directors coordinating the search never served on Johnson Controls' board. Given the current state of Adient after a CEO from Johnson Controls, we also think an outsider may be the preferred path. However, Adient executive and Johnson Controls veteran Byron Foster, former head of seating and now head of SS&M, is a possibility because we think the next CEO will have an operational rather than financial background. Henderson, 59, is another possibility but was vague on the July earnings call as to whether he wanted the job. +New Aerospace Joint Venture Holds Appeal Adient formed a joint venture with Boeing, announced in January, called Adient Aerospace, for which management expects regulatory approval this year. Adient will own 50.01% and consolidate the joint venture within its seating segment. The business will sell to airlines and airplane leasing companies for installation on planes made by Boeing and other aircraft makers. Adient Aerospace is headquartered in Germany, and manufacturing will be there because Adient has an aircraft seating test center there in use since the early 1990s. Customer service will be based in Seattle. Adient and Boeing will each contribute $28 million initially to form the venture, and through 2019, the total cash contribution split roughly 50/50 will total about $100 million. +Retrofit is about two thirds of the airplane seating industry's $4.5 billion market, and management expects this to grow to about $6 billion by 2026. What's appealing to us about Adient Aerospace is that management sees the sector as ripe for disruption because it's an oligopoly mostly controlled by B/E Aerospace and Zodiac. Adient's management in January called out on-time delivery rates of less than 65% in the industry; we think Adient, as a just-in-time manufacturer to autos, should have no problem beating this service. Our aerospace analyst notes that the 65% on-time delivery rate is artificially low because of large increases in Boeing and Airbus production. B/E and Zodiac have both recently been acquired by larger aerospace companies, and our aerospace analyst thinks this will help these incumbent companies clean up their act. We think the key for Adient is to move quickly once it gets regulatory approval, as we think there is share to take and room for a new player. But the competition is likely to get tougher. +We suspect airlines are looking for more reliability from a supplier, and the relationship with Boeing should give Adient credibility to gain share. Also helpful for credibility and airline connections is Ray Conner, an Adient director, who is the retired CEO of Boeing Commercial Airplanes and retired Boeing vice chairman. On the new aircraft side, Adient may have an advantage over suppliers if Boeing changes its interiors catalog to airlines to highlight Adient's seats. Profits will take time, because once Adient wins a contract it could be two to three years before there is revenue, but with EBIT margins in the high teens, we are OK with the investment and the wait because the profits will be worth it if the company can win business. In April, the company brought demonstration lie-flat business-class seating to the Aircraft Interiors Expo in Hamburg, so aerospace is not just ambitious talk by management. We won't start modeling airplane seating business explicitly until we see some contract wins, but we think expansion beyond autos in this form is a smart move. +Autonomous Vehicles Bring Opportunity and Option Value Adient is working on new seating technology for an autonomous ride-hailing world. We expect these products will initially be sold to fleet companies such as GM's Cruise or the likes of Uber and Lyft, but they could also be sold for private autonomous vehicle ownership. AVs give automakers the ability to make the inside of a vehicle in many different configurations compared with traditional vehicles because not having to drive creates free time, which means the interior can have multiple functions such as talking, relaxing, or working. In an AV world, there won't be a fixed driver's position, like there is today, so the person can move about the cabin. This change brings opportunity for a large seating company such as Adient; we think in an AV world the interior of a vehicle will perhaps become less commodified than it is today, so Adient's 30% Yanfeng stake could be far more important to the market than today. Features such as more storage, wireless charging, displays in the ceiling or in a seatback, and pullout tables are likely to be common. Screens could be used to shop, have a video chat, or watch media on a screen bigger than a mobile device. +Form and function are likely to change. For example, Adient has a partnership with Autoliv, the leading safety supplier, to integrate seat belts directly into the seat as opposed to the B-pillar of a vehicle presently. Futuristic capabilities--involving seat-to-seat communication (so a seat knows how far to recline or pivot for example), seat-to-cloud or to a mobile device so a ride-hailing customer can have seating preferences automatically waiting for them, biometrics, and perhaps e-commerce or media on demand via onboard computers integrated into a seat, door panel, or window--will be normal. Biometrics would likely include sensors in the seats that could automatically communicate with emergency responders or a rider's physician in a health emergency. Sensing technology would also have to automatically tell a vehicle and a fleet cleaning service that the seat needs cleaning, repair, or replacement. Adient has expertise in system integration, such as integrating safety systems with seats to determine airbag location or how seat belts and airbags keep someone safe regardless of the seat's position, so we think it can effectively incorporate new technology such as seat-to-seat communication. Adient also can serve OEMs globally, unlike smaller players, so we think it will successfully work with partner companies, such as electronics companies in Asia, to make new products that will appeal to OEMs and their customers. +Adient has told us that it owns the intellectual property for algorithms around seat-to-seat communication, but we also expect partnerships in electronics. We think partnerships with mobile device providers such as Apple or other large tech players such as Microsoft or Samsung to optimize needed capabilities are not unreasonable. These arrangements could provide a positive catalyst, especially considering a depressed stock price. The exact presentation and capability will only be known with time, but we see Adient as a key player in the user experience aspects of an AV. Drivers will no longer have to drive, and their comfort and ability to meet, sleep, relax, or interact with family members are all going to be shaped by how companies like Adient design seats and interiors. +In January at the North American International Auto Show in Detroit, Adient displayed its AI18 concept vehicle, which features five different seating layouts: lounge, communication, cargo, family, and baby plus modes. A vehicle could have all five modes, and rear seats would be able to automatically retract into the trunk in cargo mode. Seats can rotate 180 degrees in communication mode; this movement occurs with the passenger still seated rather than before the trip begins. Sensors in the seat also analyze pressure placed on the seat from a person and can automatically optimize comfort. We see these configurations ultimately allowing more of a vehicle's features being controlled from anywhere in the vehicle rather than in the center stack or steering wheel. Adient is not yet discussing specific dollar content per vehicle but has told us that it is significantly higher on these new seats than on today's products, which makes sense given the new technology and innovations such as headrests weighing 20% less than present headrests because of fewer components and new pivot systems so the seat can be comfortable even when reclined. David Whiston, CFA, CPA, CFE does not own shares in any of the securities mentioned above. Find out about Morningstar's editorial policies . Shar \ No newline at end of file diff --git a/input/test/Test4808.txt b/input/test/Test4808.txt new file mode 100644 index 0000000..d8ebc4a --- /dev/null +++ b/input/test/Test4808.txt @@ -0,0 +1,17 @@ +Sport What TV channel is Cristiano Ronaldo's Juventus debut on? Live stream info as Serie A champions take on Chievo The waiting is over, Juventus fans will finally be able to see Ronaldo in their colours in league action this weekend Share Get football updates directly to your inbox Subscribe Thank you for subscribing! Could not subscribe, try again later Invalid Email +All eyes will be on Cristiano Ronaldo as he plays his first competitive game for Juventus this weekend. +Ronaldo was the subject of the transfer of he summer after moving to Juve from Real Madrid in a deal worth around £93million. +The Portuguese winger opened his account in just eight minutes as he found the back of the net against a Juventus B team in the traditional Villar Perosa friendly last weekend. +Juventus should be optimistic in brushing aside Chievo, who finished 13th in the league last year. +But could an upset be on the cards? Here is all you need to know about the game... Ronaldo made his uncompetitive debut last weekend (Image: AFP) When is the game? +Kick off is at 5pm on Saturday 18 August. Where does it take place? +The match will take place at Stadio Marc'Antonio Bentegodi, Verona. +Just for precaution, the Bentegodi will be supported by anti-terror forces and local police in anticipation for Ronaldo's debut. Ronaldo is expected to do big things with Juventus (Image: AFP) What TV channel is it on? +Eleven Sports have picked up broadcasting rights for Serie A in the UK but you can only stream the channel online. +Alternatively, if you cannot follow on TV, you can follow all the latest updates in our Mirror Football live blog. Is a live stream available? +You can stream the game LIVE on the Eleven Sports website on their mobile app, available for both Andriod and iOS. +Alternatively, they will be showing the game on their Facebook page. Fans are excited to see Ronaldo in action (Image: REUTERS) Juventus team news +Allegri will could field a fully fit side on Saturday as Ronaldo makes his competitive debut. +Emre Can could wear the Juventus shirt for the first time having signed from Liverpool on a free transfer. +Leonardo Bonucci recently returned from a season at AC Milan and is likely to start the first game of the season. Chievo team news +One of Nigeria's creative midfielders, Joel Obi could make his debut for Chievo having moved from Serie A rivals, Torino. Can could also make his Juve debut in the game (Image: Juventus FC) Last five meetings between Chievo and Juventus Chievo 0-0 Juventus, 18 August 2018, Serie A Juventus 0-0 Chievo, 10 September 2017, Serie A Chievo 2-1 Juventus, 6 November 2016, Serie A Chievo 0-4 Juventus, 31 January 2016, Serie A Juventus 1-1 Chievo, 12 September 2015, Serie A Reasons for Juventus fans to be optimistic Sit back and enjoy one of the best players in the world get a taste of Italian football Ronaldo's presence could bring the best out of the rest of the roster Ronaldo is arguably the world's most popular footballer (Image: AFP) Reasons for Chievo Verona fans to be optimistic A lot of eyes will be on Ronaldo but an opportune time for Chievo to cause an upset Juventus have not been able to net a goal against Chievo in their last two Serie A meetings Betting odd \ No newline at end of file diff --git a/input/test/Test4809.txt b/input/test/Test4809.txt new file mode 100644 index 0000000..475acd4 --- /dev/null +++ b/input/test/Test4809.txt @@ -0,0 +1,14 @@ +For the first time in the history of the Israeli air force, a woman was appointed commander of an operational squadron. On Aug. 7, Maj. Gen. Amikam Norkin, Israeli air force commander, appointed Major G. to command the air force's espionage squadron and promoted her to the rank of lieutenant colonel. "I am happy about the appointment," Major G said in a statement issued by the Israel Defense Forces (IDF). "A great privilege alongside a great responsibility. The real work is still ahead. I am proud to serve in the air force." G., a mother of two whose husband is also an officer in the air force, is the first woman pilot to be promoted to that rank during her service. She is also the first woman to command an operational squadron (although another woman was previously appointed commander of a maintenance squadron). +The systems with which the Israeli air force gathers intelligence and conducts espionage operations are considered among the most advanced in the world. They are now overseen by a woman. According to one senior air force officer, speaking on condition of anonymity, data and experience alike both prove that the results of appointing women commanders are "no less professional, and perhaps even more professional than if these jobs were being done by a man." +The Mossad, the Weizmann Institute of Science and the air force are three of the strongest Israeli brands in the world. As conservative and religious forces in Israel gain strength, more and more attempts have been made recently to exclude women from public and military spaces. The air force is moving in the opposite direction and at a dramatic pace. The very fact that the air force, like the Mossad, is a closed system and an almost isolated bubble in the larger IDF allows its commanders to make decisions based on relevant, professional considerations, while ignoring all the background noise. The air force has pushed the envelope to the edge. So has the Mossad . +As of now, the air force is almost entirely open to women. No gender distinction is made between the people serving in it, giving the air force the luxury of selecting candidates for different positions from a much bigger pool than is currently available to the IDF. After all, the air force pool includes women, who make up some 51% of the total population. Apart from certain extreme posts (such as combat positions in the air force's elite Shaldag Unit, where candidates are expected to be able to carry heavy weights that most women might find hard to lift), almost all positions are open to women, and, in fact, have been filled by women over the past few years. "It's simple," a senior officer in the air force explained to Al-Monitor on condition of anonymity. "The more we increase the number of candidates, the more likely we are to get the best people to fulfill them, since we can choose from a much richer pool." +Many dozens of women have already been trained as fighter pilots and navigators, transport and supply chain pilots, and helicopter, espionage and aerial refueling pilots. But this is just the beginning. It is only natural that the media would be attracted to the sight of women in flight suits, with sophisticated pilots' helmets, but the revolution in the air force extends to other positions too. Few people know that the air force recently appointed a woman to head the branch charged with investigating performance. This is one of the most sensitive and critical systems in the air force, known for the high level of its research. It conducts precision studies of the performances of just about every one of the air force's sophisticated pieces of equipment. This is the first time that a woman has headed this important department. +Furthermore, for the first time, the head of the operational control staff in the air force's operational headquarters (the "Pit") is a woman officer with the rank of lieutenant colonel. In practice, she serves as the duty commander of the air force, in charge of air traffic. The chief medical officer of the air force is also a woman, as is the commander of the maintenance squadron. There are hundreds, if not thousands, of women serving in different capacities throughout the air force and making up the spine of what is commonly perceived as the "insurance policy of the Jewish people." +No matter where you turn in the air force, you will find women in senior and subordinate roles. In addition to the posts already listed, the air force also has a female deputy commander of a fighter squadron; a human resources commander with the rank of colonel; a woman serving as deputy brigade commander in charge of aerial defense; a woman commanding a sky rider drone unit; and women in many other senior positions. Over the past few years, the air force has doubled the number of women in combat positions throughout its aerial defense system and increased the number of women technicians from hundreds to thousands. It has also doubled the number of women serving as warrant officers and continues to train women for many other positions. +This is a thorough process that reaches across the entire air force. It starts at the bottom, during the enlistment process at the IDF's induction center, and is already starting to trickle to the top, with the first appointment of a woman to command an operational squadron. Since the number of women technicians has grown significantly, it was only natural that a woman commander of the maintenance squadron would be appointed, as happened recently. If the revolution continues at this rate, disregarding the background noise resulting from the spread of conservatism across Israeli society, it is quite possible that a woman will be candidate for commander of the Israeli air force in five or 10 years' time. Is it conceivable? Maybe. +When it comes to the integration of women, as far as is known, the Israeli air force is at the forefront of all Western air forces around the world. This is true about the proportion of women pilots, but also with regard to the participation of women on a macro level. A senior air force commander insisted, speaking on condition of anonymity, that "this makes it a much better fighting force. Once the general pool of candidates increases, their level increases too. It's axiomatic." +The air force is accustomed to visits by senior officers from parallel branches of the IDF. They inevitably end up staring in amazement when they run into two 19-year-old technicians preparing an F-35 "stealth fighter" for takeoff or doing maintenance work on a Yasur helicopter. +Particularly interesting is the integration of women into the roles of fighter pilots and navigators. They complete their regular service and then continue on to career service, as pilots usually do, stopping only when pregnant, since flying fighter jets while pregnant is forbidden. Since the air force relies on its reserve forces, women also continue to serve in the reserves upon their discharge, just like their male counterparts. The only difference is the absence of women from the service for a set period of time when they are pregnant and after giving birth. All of this follows a series of predetermined rules. As a result, the air force is one big family in every sense of the term. +It is also worth noting that a similar revolution is taking place in the Mossad. This has been taking place under the impetus of the agency's director, Yossi Cohen, for the past few years. Overall, 40% of Mossad agents are women, compared to 60% men. The problem is that the percentage of women declines as they move up the ranks. Cohen has been behind an enormous initiative to attract women to continue serving in the Mossad and to make their way up through the hierarchy of Israel's clandestine espionage organization. +According to sources in the Mossad, the number of women serving as department heads has doubled in the past few years, from 12% to 25%, while the number of branch heads has risen from 17% to 29% in that same time. Similarly, the Mossad's most recent command course had 12 participants, half of them women. Furthermore, the Mossad has launched a mentorship program for women who are hesitant to continue serving and advancing through the ranks when faced with the usual dilemma of how they might still raise a family and children. In some cases, the Mossad "waits" for these reluctant women, keeping them in their manpower reserves and then restoring them to the ranks after they have established a family and their children are a little older. Only recently, a woman aged 42 participated in the command course after taking just such a "break" to raise her family. +Like the air force, the Mossad takes pride in the growing number of women in its ranks, boasting that this improves the organization and its operations. It can only be hoped that this much anticipated revolution will trickle down to the somewhat less liberal bastions of Israeli society, particularly when it seems that the conservative forces are actually growing \ No newline at end of file diff --git a/input/test/Test481.txt b/input/test/Test481.txt new file mode 100644 index 0000000..273d03d --- /dev/null +++ b/input/test/Test481.txt @@ -0,0 +1,12 @@ +Central West farmer Marian McGann is helping farmers sleep better at night by developing an app that counts and records their stock numbers while they're out in the paddock. +Jobs for NSW New England Agtech cluster champion, Chris Celovic, said McGann received a $25,000 Minimum Viable Product grant from Jobs for NSW to develop the 'stock keeper' app and a synchronised web portal to manage livestock counts. +"This is a fantastic example of how Jobs for NSW is helping regional technology startups become high-growth businesses of the future," said Celovic. +"Jobs for NSW is dedicated to supporting regional startups and scaleups with 30 per cent of its $190 million fund earmarked for regional entrepreneurs," he said. +READ: +McGann has a 2,000 hectare sheep farm with 7,000 fine wool ewes at Wyangala. She said she came up with the idea after an ordinary day in the sheep yard sparked a family discussion about the difficulties of getting an accurate sheep count. +"We had sheep stolen seven years ago and it nearly broke the farm. So I went home that night and decided to develop an app to solve the problem," said McGann. +"Currently many farmers record livestock numbers in pocket notebooks, on pieces of paper, diaries or some other medium, and often when they need to review the history of stock numbers it is a very frustrating process," she said. +"I designed an app that would keep records on livestock events and tallies and commissioned Appiwork at Bathurst to construct the app with a web portal. The app and synchronised web portal creates records on livestock activity – making it a powerful reporting and decision-making tool for the farmer," said McGann. +"The app was launched in July and is quickly attracting users. It can work without mobile service – so it's always 'paddock friendly' – and automatically synchronises with the web portal," she said. +The Jobs for NSW and the NSW Government's business connect service had been immensely helpful in getting the project off the ground, said McGann. +"The Jobs for NSW funding and support from business connect advisor Russell Meadley helped me turn an idea into something tangible.I am now in the process of marketing the app across NSW and Australia and I think it would have a huge application overseas. I would like to take it global," she said. Post navigatio \ No newline at end of file diff --git a/input/test/Test4810.txt b/input/test/Test4810.txt new file mode 100644 index 0000000..6d885e4 --- /dev/null +++ b/input/test/Test4810.txt @@ -0,0 +1 @@ +Asialife Media — 17 August 2018 17:09 Bureau of Foreign Trade (MOEA), Taiwan External Trade Development Council, Thai-Taiwan Business Association and Thailand Convention and Exhibition Bureau (TCEB) are launching Taiwan Expo 2018 under the theme "Let's Tie Together" to present smart living technology, arts and culture exchange as well as to promote trade cooperation between Thailand and Taiwan. The event will be held during 30 August - 1 September 2018 at Event Hall 99, Bangkok International Trade and Exhibition Center (BITEC), Bang Na, Bangkok. Mr. Felix H. L., Chiu, Executive Director of Industry Marketing Department, Taiwan External Trade Development Council (TAITRA) talked about the main objective of Taiwan Expo 2018. "It is to strengthen relations between Taiwan and ASEAN countries. In particular, Thailand has a good relationship with Taiwan and it has a huge potential of business and consumer exposure to new technology and innovations. With the theme "Let's Tie Together", the expo will reflect the collaboration of Thailand and Taiwan and we hope that the expo will make people's everyday life more convenient and pleasant as well as to create a great opportunity to expand trade cooperation in the Asian region," says Mr. Felix H. L. "At Taiwan Expo 2018, you will find products with technology and innovation to help make your everyday living more convenient. Taiwan in a new perspective is presented through 7 highlights showcasing Smart City, Green Tech, Health Care, Culture, Talents & Tourism, Agricultural Tech and Good Living from 210 exhibitors. Visitors also have the chance to get souvenir and win 2 roundtrip tickets Bangkok – Taipei from the event," says Mr. Felix H. L. Mr. Shu-Tien Liu, President of Thai-Taiwan Business Association, presented that Taiwan Expo 2018 will be held for the first time in Thailand after having organized in various countries in Asia, such as India, Indonesia and Vietnam. Each country has been well received with average over 18,000 visitors. In 2017, Taiwan invested in Thailand, worth about USD 14,307 million or THB480 billion and there will likely be more trade cooperation in the future. "Taiwan Expo 2018 will be a bridge between Thai and Taiwanese investors to exchange views on business and trade opportunities through business matchmaking and industry forums, such as Taiwan Excellence Smart Transportation Forum, Taiwan Smart Machinery Forum and Taiwan Digital Commerce & Startups Forum. For more information and registration, please visit our website." he said. Mr. Jason, Hsu Director, Economic Division, Taipei Economic and Cultural Office in Thailand stated that Taiwan targets more investment in ASEAN and Asia-Pacific countries according to the government's New Southbound policy aiming to create international trade cooperation and to encourage Taiwanese entrepreneurs to invest in more foreign countries. In particular, Thailand is one of the countries with potential for trade as well as having similar culture and lifestyle, therefore, it is a good opportunity to exchange culture, technology, education as well as business investment, says Mr. Jason, Hsu. In addition, Mr. Chiruit Isarangkun Na Ayuthaya, Board member and Secretary, Thailand Convention and Exhibition Bureau (TCEB) says "Taiwan Expo 2018 is a great opportunity for Thai people to experience the real Taiwanese in terms of both consumers who are interested in innovation, and business people who want to grow in technology and trade. Overall, we look forward to seeing the quality of the cooperation to be expanded." About TAITRA: Founded in 1970 to help promote foreign trade, the Taiwan External Trade Development Council (TAITRA) is the foremost non-profit trade promotion organization in Taiwan. Jointly sponsored by the government, industry associations, and several commercial organizations, TAITRA assists Taiwan businesses and manufacturers with reinforcing their international competitiveness and in coping with the challenges they face in foreign markets. About TAIWAN EXPO: Taiwan Expo first launched in 2017 and has already been held in Indonesia, Vietnam, the Philippines, Malaysia, and India. Organized by Bureau of Foreign Trade and Taiwan External Trade Development Council (TAITRA), the Expo aspires to build long-term relationship between Taiwan and its ASEAN neighbors. In addition to showcasing products, parallel business meetings and industry forums are also held in order to encourage B2B interaction and cultural exchange as well as welfare activities \ No newline at end of file diff --git a/input/test/Test4811.txt b/input/test/Test4811.txt new file mode 100644 index 0000000..5c15387 --- /dev/null +++ b/input/test/Test4811.txt @@ -0,0 +1,16 @@ +Maybe we shouldn't be judging investment advisers according to whether or not they can beat the market. +That's an incredible admission from someone such as myself who has devoted his career to judging advisers in precisely that way. Nonetheless, I have been exploring this possibility more and more in recent years. I was prompted to do so by a comment that Benjamin Graham—the father of fundamental analysis—made in his investment classic "The Intelligent Investor": "The best way to measure your investing success is not by whether you're beating the market," he wrote, "but by whether you've put in place a financial plan and a behavioral discipline that are likely to get you where you want to go." +Graham's comment puts index funds in an entirely different light. Their desirability becomes less a statistical one of whether buying and holding such funds will outperform those who engage in active management. That statistical question was long ago resolved, of course, with index funds winning hands down. +But buying and holding an index fund comes up short if few investors are willing to stick with the strategy through thick and thin. And, indeed, it appears that few actually are. +On the contrary, most who say they believe in a long-term buy-and-hold strategy end up discovering — at or near the bottom of the bear market — that they don't have what it takes. That means they suffer most or all of the bear-market's losses and benefit from only a portion of the market's subsequent rebound. +In comparison, an adviser whose record looks inferior from a statistical point of view might be a better bet than the index fund. The key is whether an investor finds the adviser's approach sufficiently compelling to stick with it through a bear market. Since the key to long-term success is actually following the strategy over the long term, such an investor could actually make more money over time than the buy-and-hold investor who throws in the towel at the latter stages of a bear market. +This alternate way of viewing investment success focuses our attention on what an investor should be looking for when choosing an adviser. The key question is whether you're willing to follow an adviser through the dark days of a bear market. Though there of course is no way of knowing in advance for sure, there are several key questions investors should ask to gain insight: +• Are you following the adviser because of his track record alone? This is a danger sign, because no adviser makes money all the time. There inevitably will be a time when the adviser is out of synch with the market. And if your only loyalty to that adviser is based on performance, then you're very likely to ditch him at his first misstep. +• Do the arguments and investment rationales the adviser provides meet a smell test of plausibility? This seems a low hurdle to ask an adviser to jump over, but you'd be surprised by how few investors demand their adviser to clear it. Especially revealing is when an adviser contradicts himself from one communication to the next. For example, if he says he's bullish because of a particular indicator — say, the S&P 500 SPX, +0.79% is above its 200-day moving average — then see if he becomes bearish when the market drops below it. If he thinks so little of his own arguments to not follow them, then you're unlikely to be loyal to him when the going gets tough. +You're looking for someone who can persuade you to stay the course when that's the last thing you want to do. • Do you respect the adviser? This is an amorphous and ill-defined question, to be sure. But it's a crucial part of the puzzle. You're looking for someone who can persuade you to stay the course when that's the last thing you want to do. +The bottom line? When focusing on advisers in these ways, there's no right or wrong answer but, rather, a question of better or worse fit. An adviser who one investor finds compelling might be considered inappropriate by another. +The key to satisfaction with an adviser is to keep asking the right questions. Whether or not your adviser beats an index fund is not the only question — or the most important. +For more information, including descriptions of the Hulbert Sentiment Indices, go to The Hulbert Financial Digest or email mark@hulbertratings.com . Create an email alert for Mark Hulbert's MarketWatch columns here (requires sign-in). +Related: How to know if 'bond-king' Bill Gross has really lost his touch +Plus: Fidelity now offers zero-fee funds. What does that mean for you? +Mark Hulbert Mark Hulbert has been tracking the advice of more than 160 financial newsletters since 1980 \ No newline at end of file diff --git a/input/test/Test4812.txt b/input/test/Test4812.txt new file mode 100644 index 0000000..2b2b3dd --- /dev/null +++ b/input/test/Test4812.txt @@ -0,0 +1,20 @@ +Shutterstock photo I am baffled by the amount of media coverage given to President Trump's targeted tariffs. So far these trade wars amount to a tempest in a teapot. +[xxxmore] +I have said it many times and I will say it again - nobody wins in a trade war. But the biggest loser is always the biggest exporter. However, the media spin is out of proportion relative to the current economic impact. The Philly Fed in their monthly manufacturing survey asked how these businesses view the effects of recent trade policy on their costs, prices, sales, and profits. +At the outset of the survey, firms are asked how much of their revenue comes from foreign customers. About three-quarters of manufacturing firms and a little more than half of service firms in our surveys report having at least some foreign customers. While manufacturers largely export goods, service firms provide a wide range of offerings to foreign customers, ranging from tourism services to legal, financial, and consulting services. +Roughly two-thirds of manufacturing respondents indicated that tariffs have already had at least some upward effect on their overall input costs, and more than 70 percent anticipate that changes in trade policy will push up input costs in 2018 and 2019. Moreover, roughly half of manufacturing respondents expect trade policy to have an upward effect on their selling prices in both years. Among service sector firms, 44 percent are already seeing input price increases from tariffs, almost half see an upward effect on input prices in 2018, and well over half anticipate an upward effect in 2019. In addition to effects on prices, one in three manufacturers and one in four service firms see trade policy changes having a downward effect on sales to foreign customers in 2018. Sales to domestic customers are not seen to be affected, on balance. +Roughly 50 percent of manufacturers and 40 percent of service firms see trade policy changes as having a negative effect on profits in 2018. (Note that this does not necessarily mean that profits are projected to decline, only that they are expected to be lower than they otherwise would have been.) In addition to offering an assessment of the effects of tariffs and other trade policies on business costs and profits, a number of survey respondents commented that uncertainty about future trade policy has made planning and investing more challenging. +This post attempts to quantify the impact of the U.S. - China trade war. +The myth of free trade +Free trade usually gives consumers more choices in finding products of the best quality and lowest price. Free trade works if-and-only-if the playing field is level. A level playing field requires: +the same level of tariffs (hopefully zero) between the trading partners; the amount of taxation on a product must be equal between the trading partners [As an example, many countries refund some or all taxes paid on export - so generally imports arrive in the USA with little tax paid whilst U.S. export products arrive with U.S. taxes paid]; governments should not provide beneficial treatment to exporters. Types of support includes low cost loans, subsidized payments to exporters, government ownership stake, and government contracts which tend to reduce overhead of the exporter; exchange rates used between the trading partners must float. +Source: Pew Research Center +The cost of the tariff war to date is insignificant. The following graph shows the effects on the value of Chinese imports at various amounts and tariff levels which either has been implemented or kicked around: +no additional tariff (blue line) $50 billion Imports with 10% tariff (red line) $50 billion Imports with 25% tariff (light green line) $200 billion Imports with 10% tariff (powder blue line) $200 billion Imports with 25% tariff (purple line) +A table below summarizes the effects on China's $500+ billion in imports to the consumer. Note that total goods imports to the U.S. in 2017 were $2.4 trillion with China's component roughly 1/6th of total imports. +China 2017 Imports in millions Tariff cost per household per month (all things being equal) Cost per month for median household inflation at 2.9% Affect on Overall U.S. Tariff Rate from China Tariffs Baseline without China Tariffs $505,470 $0.00 $145.00 1.6% $50 billion Imports with 10% tariff $510,469 $3.31 $145.00 1.8% $50 billion Imports with 25% tariff $517,696 $8.09 $145.00 2.1% $200 billion Imports with 10% tariff $525,469 $13.23 $145.00 2.4% $200 billion Imports with 25% tariff $555,469 $33.07 $145.00 3.7% Will the consumers be able to see the impact of higher tariffs when being faced with the increase in costs due to inflation? +Free trade is a goal - and the world is far from achieving it. Even the U.S. government subsidizes farm products but has no problem criticizing the EU for their support of Airbus. There is obvious unfairness from all sides which needs to be addressed - and the use of small tariffs was a communication to trading partners to begin to address this unfairness is the correct sized hammer. +Other Economic News this Week: +The Econintersect Economic Index for August 2018 improvement cycle continues and remains well into territory associated with normal expansions. Our index is now at the highest level since December 2014. There are continuing warning signs of consumer over-consumption. +scorecard +The views and opinions expressed herein are the views and opinions of the author and do not necessarily reflect those of Nasdaq, Inc \ No newline at end of file diff --git a/input/test/Test4813.txt b/input/test/Test4813.txt new file mode 100644 index 0000000..04eb026 --- /dev/null +++ b/input/test/Test4813.txt @@ -0,0 +1,19 @@ +This winter, Dani Rose, a New York-based photographer, ordered an Uber to take her from an event she was working in Brooklyn to her home in Queens. She usually takes the train, but she was trying to get home before a snowstorm. A nearby driver responded to her request for a ride and starting heading in her direction. +However, after she typed her destination into the app, the driver suddenly seemed to stop moving towards her. Instead, he circled around several blocks away and refused to answer her calls, she said. He also wouldn't cancel Rose's ride request on the app, which made it impossible for her to get another Uber. Rose was stuck. +"By the time I got in a new cab, it was 40 minutes after I originally called a car and I was freezing in the snow carrying heavy photography equipment," she said. She believes that drivers would rather pull these stunts than drive her to her neighborhood, which is largely residential and may not have as many lucrative pick-ups for drivers once they arrive. +Since then, the same phenomenon has occurred once out of every three or four rides when Rose orders a car from Lyft or Uber. Several users of ride-hailing apps told MarketWatch that drivers, instead of canceling a ride when they cannot or do not want to take a fare, drive in nonsensical directions until the rider cancels and is charged a $5 fee. +Overworked and underpaid drivers may purposely opt out of less lucrative pick-ups. "If Uber had a total cap on drivers and doubled their pay, these issues would go away," said Andrew, a driver for Uber and Lyft in New Orleans. "No one wants to turn down a ride, but you're pretty much forced to sometimes." +A newly passed New York City measure that will cap the number of drivers and create a minimum wage for ride-sharing employees could help remedy the problem. Because apps penalize drivers for canceling, many will do everything they can to force the rider to cancel first, Andrew said. If he believes his customer is traveling to a place that won't give him a lucrative ride, he said, "I'll just stay where I am or go into airplane mode for five minutes." +There are a number of reasons drivers refuse to pick up riders, said Andrew, who asked his last name be withheld to avoid problems with his job. Some prefer routes to airports or other specific destinations that guarantee a good fare. Others want to avoid neighborhoods they perceive as dangerous or more crime-ridden, or simply areas that have fewer potential pickups, he said. +Ippei Takahashi, founder of rideshare comparison site RideGuru, said such practices are common on ride-hailing apps . Sometimes rather than cancelling a fare, the driver will turn off his phone for five minutes and then mark the passenger as a "no show" to avoid a fee for cancelling. +In other cases, drivers have reportedly selected "start trip" on the app without picking up a passenger, and then "end trip" without dropping a passenger off. The passenger is then charged for the short ride and the driver can claim innocence by saying he picked up the wrong passenger. +Uber has "a number of tools and policies in place" to prevent riders from incurring costs because of this kind of driver behavior, a spokesman told MarketWatch, but did not elaborate on what they are. +Lyft said it has a number of measures to ensure drivers do not cancel on riders, and to detect when drivers take inefficient routes. A driver who does this repeatedly can be suspended or banned from the app, Lyft spokesman Chris Nishimura told MarketWatch. +"Lyft has a driver and passenger re-matching system currently in place that swaps out the current driver for another who is close to a passenger's pickup destination if the app detects that the original driver is not making reasonable progress toward the pickup location," Nishimura said. +Jessica Pettway, a 23-year-old photographer, who is black, said when drivers cancel on her she wonders if it is because of her race. In the past she has obscured her face in ride-sharing app photos and excluded a photo entirely to avoid discrimination. +Drivers cannot see a passenger's photo or destination until after they accept the passenger's ride request — a policy Uber and Lyft have celebrated as an alternative for passengers of color who have trouble hailing traditional cabs. +Nonetheless, black passengers using ride-hailing apps have to wait an average of 1 minute and 43 seconds longer than white counterparts and are 4% more likely to have drivers cancel on them, a 2018 study from the University of California, Los Angeles found. This is an improvement over experiences with traditional taxis, for which black passengers have to wait six to 15 minutes longer and are 73% more likely to have drivers cancel on them. +Takahashi said if a driver is not responding to your calls or texts, a rider must cancel within two minutes of ordering to avoid a cancellation fee. Take screenshots of the trip to verify the driver's route. +"Keep an eye on the GPS location of the driver," he said. "If the vehicle is not actively moving towards you (or at all), Uber will not charge you cancellation fee. Even if they do charge you a fee, make sure to dispute this and claim the driver did not make an effort to get to your location. Since Uber tracks and records driver movements, you will have a good case." +Get a daily roundup of the top reads in personal finance delivered to your inbox. Subscribe to MarketWatch's free Personal Finance Daily newsletter. Sign up here. +Also see: Here's how much Uber drivers really make Uber allows tipping in 121 cities — here's how much you should tip your driver Reddit co-founder — and Serena Williams spouse — Alexis Ohanian on frugal living Kari Paul Kari Paul is a personal finance reporter based in New York. You can follow her on Twitter @kari_paul \ No newline at end of file diff --git a/input/test/Test4814.txt b/input/test/Test4814.txt new file mode 100644 index 0000000..7b87a3b --- /dev/null +++ b/input/test/Test4814.txt @@ -0,0 +1 @@ +Physicists reveal oldest galaxies Astronomy - Aug 17 Some of the faintest satellite galaxies orbiting our own Milky Way galaxy are amongst the very first that formed in our Universe, physicists have found. Physics - Aug 16 To tame chaos in powerful semiconductor lasers, which causes instabilities, scientists have introduced another kind of chaos. Medicine - Aug 15 Death rates from stroke declining across Europe New research, published in the European Heart Journal has shown deaths from conditions that affect the blood supply to the brain, such as stroke, are declining overall in Europe but that in some countries the decline is levelling off or death rates are even increasing. Environment - Aug 16 Coral bleaching across Australia's Great Barrier Reef has been occurring since the late 18 th century, new research shows. Mathematics - Aug 15 Universities must seek a deeper understanding of the drivers of inequality in job roles and academic ranks if they are to achieve change. Categor \ No newline at end of file diff --git a/input/test/Test4815.txt b/input/test/Test4815.txt new file mode 100644 index 0000000..6052ce9 --- /dev/null +++ b/input/test/Test4815.txt @@ -0,0 +1,11 @@ +Car racing games have always been the first choice of gaming lovers who are looking for some thrill and adventure. Here, you can find these games in different forms including car drag race, drift car race, combat car race, buggy car race, car shooting game, car battle game and more. Let's discuss some of these amazing game types here for Android. Clash for Speed +Clash for Speed offers thrilling combat car racing experience to car racing game lovers. It comes bundled with some most amazing features to offer you enhanced car racing experience. In different features, it offers amazing game environments, numerous race tracks, upgradable cars, deadly weapons, decals options, original car stickers and more. This meticulously designed combat car racing game allows you to design your own 3D racing track that is one of its unique features. To make the racing track complexed, you can add multiple on-road obstacles and set off-road road traps to make it hard for the opponent to win. Remember, complexed tracks will help you win more trophies which you can use to unlock other features of the game. +Download Now Racing In Car +If you love car chasing games at fast speed than Racing In Car is meant for you. This powerful game allows you to select the car of your choice from the garage that you always wanted to drive. During the race, you will experience unbridled thrill and adventure while driving through an amazing environment. To test your driving skills, you need to go through different obstacles and difficulty levels. Here, you need to avoid traffic, obstructions, cars and trucks, transportation and more to win the race. The feeling of soft leather in your hands, the smell of fresh rubber on road, roar of engines and cheering audience that all define this game. It offers the purest form of car racing with easy operation and realistic automotive physics. In other features, it allows you to refit your car, offers real environment effects, various epic racing cars , amazing sound effects and more. +Download Now Super Fast Car Drag Race +This powerful game allows you to select from your favorite sports car to experience ultimate drag racing experience. This classic nitro-fueled racing game is packed full of amazing cars and dynamic racing levels. To enhance racing fun you can add nitrous oxide to your cars and hit the button. You can further adjust the gear ratio to save those valuable milliseconds in the race. It offers different cars and 10 race categories to offer enhanced racing experience. It offers excellent driving specifications to help you survive in this crazy drag race. In other features, it offers different car options to choose from including roadsters, muscle cars and sports cars, realistic and smooth car handling, addictive gameplay and stunning 3D graphics. +Download Now Asphalt 8 +Asphalt 8 offers hottest and high-performing dream machines in the form of cars to bikes. Here, you will get chance to drive and ride through some amazing tracks from blazing Nevada Desert to tight turns of Tokyo streets. It offers over 220 high-performance cars and bikes from all top licensed manufacturers around the world. During the game, you will hear high-fidelity motor sounds for realistic audio immersion. Here, you can perform barrel rolls, maneuver through the air, perform 360-degree jumps, customize and upgrade your rides and ride through exotic locations. You can race through some amazing tracks in original more or its mirror variation. In other features, it offers 40 high-speed tracks in 16 different settings, plenty of shortcuts, 9 seasons, over 400 events, stunning visuals, different drift modes, prizes to earn, a detailed damage system, multi-player seasons and leagues and more. +Download Now 3D Speed Racing in Car +This amazing 3D car racing game gives you realistic car racing experience with features like rear view mirror, windscreen wipers, stunning interiors and beautiful realistic graphics. It offers an amazing physics engine to offer you thrilling racing experience. You can enjoy this powerful game with easy controls where you can tilt your phone to move the car left and right. It offers enhanced driving features to easily drive through uneven tracks and hostile terrains. It offers numerous options to upgrade your ride for the enhanced gaming experience . Further, it offers exciting background music, real dynamic game feeling, various game modes and bright 3D panoramic racing view. Conclusion +While there is a long list available of different car racing games, we have tried to discuss 5 best car racing games for Android that you should try this year. If we have missed your favorite game in the list, feel free to comment below. If you have any suggestion/edit regarding the content please contact HERE . Got a Tip? SEND US . MOST POPULA \ No newline at end of file diff --git a/input/test/Test4816.txt b/input/test/Test4816.txt new file mode 100644 index 0000000..7db00b0 --- /dev/null +++ b/input/test/Test4816.txt @@ -0,0 +1,10 @@ +The recently adopted nationality law, anchoring Israel's Jewish character, has been challenged by numerous petitions against it. On Aug. 5, Justice Minister Ayelet Shaked delivered a chilling threat to the country's Supreme Court, warning that a ruling overturning the law would be tantamount to an "earthquake, a war between the authorities." Her words prompted a public and media storm, and rightfully so. Such a direct hit on the judiciary breaches a red line that even the radical right is wary of crossing. The law, which defines Israel as the nation-state of the Jewish people, threatens to cross other red lines, as well. +As Ron Skolnik wrote for Al-Monitor Aug. 9, the language of the legislation echoes a series of laws, regulations and declarations that pave the way in principle for Israel's annexation of the West Bank . To be precise, the idea is to annex the land, not its non-Jewish inhabitants. Such action would truly be tantamount to a declaration of war on the Palestinians and the Arab world with a gross violation of international law and international agreements to which Israel is a signatory. +Critics of the nationality law have focused on the absence of a key word, "equality." However, another no less important word is also missing: "boundaries." The law states, "The land of Israel is the historical homeland of the Jewish people, in which the State of Israel was established." Where does "the State of Israel" lie? Between the Mediterranean Sea and the Jordan River (including the West Bank), the area under Israeli control for the past 51 years, only 78% of which is under its sovereignty? The law goes on to say, "The right to exercise national self-determination in the State of Israel is unique to the Jewish people." Do the Jewish people have the right to exercise self-determination in their historic homeland that lies, according to Jewish tradition, between the Euphrates and Tigris Rivers — in other words, in modern-day‎ Turkey, Syria, Iraq, Iran and Kuwait? Alternatively, perhaps the Jewish people should make do with the boundaries of British Mandatory Palestine, as secular right-wing Israelis demand? Does all this mean that the Green Line, which served as Israel's de facto border until 1967, will be wiped out forever? +Still, the Supreme Court justices evaluating the petitions need not risk war with the executive and legislative branches of government. Instead of entering into the heart of this question, they should simply demand that the attorneys representing the government outline the borders of the state mentioned in the law. If they argue that the nationality law applies the laws of the State of Israel to all the territories under its control but not to their Palestinian residents, as is currently the case, it would sound the death knell of the 1993 Oslo Accord, and at the same time constitute victory for Hamas. +The agreement, which will mark its 25th anniversary on Sept. 13, says the goal of Israeli-Palestinian negotiations is a permanent arrangement between them based on UN Resolutions 242 and 338. The agreement, signed on the White House lawn in the presence of President Bill Clinton and Russian Foreign Minister Andrei Kozyrev, mentions implementation of these resolutions once again as the intended outcome of negotiations on a permanent arrangement. +In signing the agreement with the Palestinian side, the Israeli government confirmed that the territories from which the UN resolutions oblige it to withdraw include the West Bank and Gaza Strip, which it captured in 1967. Those claiming that the government of Prime Minister Yitzhak Rabin was wrong in agreeing to terms of the deal should peruse the George W. Bush administration's Roadmap for Peace approved by the government of Prime Minister Ariel Sharon in 2004. Then-Finance Minister Benjamin Netanyahu was among those who voted in favor of the document, which includes several mentions of Resolution 242. According to the government decision at the time, "The future settlement will be reached through agreement and direct negotiations between the two parties, in accordance with the vision outlined by President Bush in his 24 June address." +The problem is that contrary to the language of the nationality law, Bush, his predecessors, successors and institutions of the UN never recognized the State of Israel's right to determine its borders based on historic affinity with the lands it conquered in 1967. On the contrary, the roadmap outlined by Bush states that Resolutions 242 and 338 constitute the basis for negotiations that would "end the occupation that began in 1967." Israel therefore agreed that the territories beyond the Green Line are occupied lands, or at most part of the Jewish people's homeland. Therefore, they are not part of the State of Israel and its laws do not apply there. +Even President Donald Trump , who has recognized Jerusalem as the capital of Israel, did not agree that Jerusalem, "complete and united," as the nationality law says, is Israel's capital. He underscored that the city's boundaries would be drawn with the consent of both sides, as will the boundaries of other territories under dispute. Nonetheless, Resolution 242 stresses that all sides deserve to live within recognized, secure borders. The safest way to agree on recognized borders was and still is diplomatic negotiations between Israel and the Palestinians based on the 1967 borders. A border, however, is not synonymous with a wall or a fence. +The founder of the Palestine Liberation Organization, Yasser Arafat, once told me in an interview that he did not rule out an Israeli-Palestinian confederacy. He could form one, the Palestinian leader added, one hour after the Palestinian people are allowed to implement their right to self-determination by establishing a state of their own between the Jordan River and the Green Line (the approximate borders of the West Bank). The nationality law states, "The right to exercise national self-determination in the State of Israel is unique to the Jewish people." As previously explained, the law does not draw the boundaries of the state, but the Jewish majority in the Knesset advocates that Israel's eastern border run along the Jordan River in any agreement with the Palestinians. That definition would strip millions of Palestinians of the right to self-determination and in any case render the confederacy idea moot. +Hundreds of thousands of Palestinian workers and business people cross the Green Line daily, and tens of thousands of Israelis, most of them Arab citizens, go in the opposite direction for business and pleasure in the West Bank. The Israeli shekel has served for decades as legal tender in the West Bank and Gaza. Israeli security officials hail the productive coordination with the security agencies of the Palestinian Authority. The nationality law, the rotten fruit of an arrogant and shortsighted worldview based on the rules of a zero-sum game, undermines Israel's prospects of being a state like any other, with recognized boundaries, living in peace and security with its neighbors. To accomplish this, the Israelis must return to the path of the Oslo spirit, on which all sides are guaranteed winners and which zealots from both sides have destroyed. Every day, the children of Gaza and those of the Israeli town of Sderot across the fence are paying the price of the war these zealots are mongering \ No newline at end of file diff --git a/input/test/Test4817.txt b/input/test/Test4817.txt new file mode 100644 index 0000000..0ecd6e1 --- /dev/null +++ b/input/test/Test4817.txt @@ -0,0 +1,9 @@ +by Hadlee Simons 2 hours ago 30 A Google Pixel 3 XL has reportedly been spotted in Toronto, Canada. A photo of the phone seems to line up with previous leaks, including a prominent notch. Google is expected to unveil the phone on October 4, following the previous Pixel reveals. +We've seen loads of rumors surrounding the Google Pixel 3 series, but one of the more constant claims is that the Pixel 3 XL will have a massive notch. Now, a MobileSyrup reader has spotted what looks like the Pixel 3 XL in Toronto, Canada. +A photo of the phone was published on the outlet's Twitter account, and it certainly looks like the claimed Pixel 3 XL seen in recent shots . A @MobileSyrup reader spotted this possible Pixel 3 XL photo in the wild on the streetcar in Toronto, Ontario today. Our team thinks the photo is legitimate, especially given the big notch and substantial chin. Do you think this is a photo of the Pixel 3 XL? pic.twitter.com/nPTGHmIVUO +— MobileSyrup (@MobileSyrup) August 16, 2018 +We can make out a large notch, housing the earpiece and what looks like two cameras (or perhaps a camera and unrelated sensor). We also see a prominent chin, which seems to line up with the latest leaks too. +There's nothing else to really glean from the photo, save for the fact that it seems to be running WhatsApp (big surprise). But this shot certainly seems to corroborate the previous Pixel 3 XL claims, so if you hate the look of the XL model, the smaller, supposedly notch-free Pixel 3 might be for you instead. Editor's Pick Android smartphones with the best battery life (July 2018) Some people might think that the most important feature in a smartphone is its display size. Others believe it comes down to a phone's processor performance, or the amount of RAM, or how much storage … +In any event, we're expecting the Pixel 3 series to offer a Snapdragon 845 chipset, at least 4GB of RAM, and what seems to be a single-camera setup. Of course, the Pixel range also receives the latest Android updates, so Android Pie is all but guaranteed out of the box. +If Google's previous Pixels are anything to go by, we're looking at an October 4 reveal date. But will Google have any features left to share with over a month to go until the expected unveiling? +What do you think of the Pixel 3 XL's supposed design? Let us know in the comments \ No newline at end of file diff --git a/input/test/Test4818.txt b/input/test/Test4818.txt new file mode 100644 index 0000000..a58ee6d --- /dev/null +++ b/input/test/Test4818.txt @@ -0,0 +1,19 @@ +The Hang Around speaker features a simple pill-shaped design with a rubber-coated body, oversized buttons at the top, a fabric loop to hang it with, and a microUSB charging cable that slots into the device for storage. +Credit: Abhimanyu Ghoshal +The Zero Chill speaker looks like a cross between the Google Home and the Amazon Echo, but it's slimmer than both devices. The rubberized bottom portion is actually a cavity for the microUSB charging cable, which can be spooled out to juice up the speaker while it's placed vertically. +Credit: Abhimanyu Ghoshal +Both speakers are IP67 rated, which means they're dust-resistant and can withstand splashes of water, as well as being submerged down to a meter's depth for half an hour. +In real life, that means you can use these speakers around water or in the shower without having to worry about damaging them. I left them out during a heavy downpour, and even left them right by a swimming pool where they were frequently hit with splashes of water as swimmers passed by – and they worked just fine afterwards. +Credit: Abhimanyu Ghoshal +I was particularly impressed by how Jam designed both speakers to fit their charging cables within their bodies, so you don't have to worry about losing them or leaving them behind before you leave for a trip. The Hang Around has spaces for both ends of the cable on its sides, and the rest of the length slots into a cavity along the bottom, like so: +Credit: Abhimanyu Ghoshal +The Zero Chill's bottom cavity has room for a short spooled cable, and said cable connects to the microUSB port down there thanks to a right-angled jack. There's an additional cutout to make it easy to plug the device into a nearly wall socket or portable charger. +Credit: Abhimanyu Ghoshal Performance +As with most Bluetooth speakers, these two don't do a whole lot beyond pairing wirelessly to play music and letting you answer calls. However, you can additionally connect two of each speaker model together for stereo sound. Sadly, I couldn't test this out for myself – I received one of each for my review, and simply couldn't get them to pair with each other. +The Zero Chill speaker sounds pretty good for $60. It can fill a room at its maximum volume, but rock and metal tracks tend to push the speaker a bit too far, causing a small amount of distortion. You should be just fine with pop and dance records, though. +Credit: Abhimanyu Ghoshal +At lower volumes, it fares pretty well with heavier material. There's enough bass to make dance tracks feel bouncy, and modern metal records like Skyharbor's Guiding Lights and Illuminant's Interiors sound full and crisp. +Sadly, the Hang Around speaker, which is $10 cheaper, doesn't perform as well. Its output starts to distort at a lower volume than the Zero Chill, higher frequencies sound rather sharp, and the bass reflex port at the back doesn't do much to boost the low end. +Credit: Abhimanyu Ghoshal +Both speakers pair quickly and painlessly, and claim up to 20 hours of play time on a single charge (the Zero Chill is rated at 22 hours). That's fairly accurate, and so you won't need to worry too much about juicing them up often on your next camping trip. Who are these speakers for? +With their thoughtful designs, Jam's new offerings are a smart choice for anyone who doesn't want to worry about their speakers getting dinged up or damaged by water. They'll happily survive some roughhousing outdoors, and still keep the party going \ No newline at end of file diff --git a/input/test/Test4819.txt b/input/test/Test4819.txt new file mode 100644 index 0000000..f3c7427 --- /dev/null +++ b/input/test/Test4819.txt @@ -0,0 +1,7 @@ +Media reacted appropriately to ball tampering incident, I hold no anger, says Cameron Bancroft +Banned Australian batsman Cameron Bancroft has joined English county side Durham as an overseas player for the 2019 season and will be available for club selection across all three formats. +Bancroft received a nine-month ban from Cricket Australia in March for his role in the ball-tampering scandal against South Africa while former Australia captain Steve Smith and test vice-captain David Warner were handed 12-month suspensions. +The 27-year-old has since played in the domestic Northern Territory Strike League and is also expected to play grade cricket for Western Australia club Willetton along with Big Bash League side Perth Scorchers. +"I am excited to join Durham for the 2019 county season. Having played at Emirates Riverside in 2017 I know what a great place it is to play cricket," Bancroft told Durham's website https://www.durhamccc.co.uk/news-and-media/bancroft-signs-for-2019 . +"With the Ashes and ODI World Cup both being played in the UK in 2019 it will be a huge summer of cricket. I am grateful for the opportunity and I can't wait to get over and make an impact with Durham." +Bancroft played in eight test matches, including the most recent Ashes series, and one Twenty20 international for Australia before his suspension. Must Watc \ No newline at end of file diff --git a/input/test/Test482.txt b/input/test/Test482.txt new file mode 100644 index 0000000..1246560 --- /dev/null +++ b/input/test/Test482.txt @@ -0,0 +1 @@ +Are robots able to persuade children? 4 hours ago Aug 17, 2018 ANI Washington D.C , Aug 16 : On comparing how adults and children respond to similar tasks when they are in the presence of both their peers and humanoid robots, interestingly, robots were found to influence children's opinions more, a new study reveals. The study shows that adults regularly have their opinions influenced by peers but they are largely able to resist being persuaded by robots. However, children aged from seven to nine years are more likely to give the same responses as the robots, even if they are incorrect.The study used the Asch paradigm, which was developed in the1950s and asked people to look at a screen showing four lines and say which two match in length. When alone, people almost never made a mistake but when they were doing the experiments with others, they tended to follow what others were saying.When children were alone in the room in this research, they scored about 87% on the test, but when they were joined by the robots, their score dropped to 75%. Of the wrong answers, 74% matched with those of the robots.Scientists said that the study provided an interesting insight into how robots could be used positively within society, but they also said that it does raise some concerns about how robots have a negative influence on vulnerable young children.Researcher Anna Vollmer said, "People often follow the opinions of others and we've known for a long time that it is hard to resist taking over views and opinions of people around us. We know this as conformity. But as robots will soon be found in the home and the workplace, we were wondering if people would conform to robots."The researchers have worked extensively to explore the positive impact robots can have in health and education settings. They led the four-year ALIZ-E programme, which showed that social robots can help diabetic children accept the nature of their condition. They are now working on designing a robot that can be used to support preschool children learning a second language.The research was led by former Plymouth researcher Anna Vollmer, now a Postdoctoral Researcher at the University of Bielefeld. The findings were published in the journal 'Science Robotics'. Share it \ No newline at end of file diff --git a/input/test/Test4820.txt b/input/test/Test4820.txt new file mode 100644 index 0000000..7755064 --- /dev/null +++ b/input/test/Test4820.txt @@ -0,0 +1,4 @@ +0 Comment +Chinese authorities moved to shore up the yuan by banning Chinese banks from certain offshore lending activities, according to Reuters, citing sources with direct knowledge of the matter. Banks may no longer deposit and lend yuan offshore through free trade zone schemes, the report said, which would in turn limit liquidity in the offshore yuan, making it more expensive to short it and pushing it higher. The move compares to action by the Hong Kong Monetary Authority in April, in which liquidity in the banking system was reduced to shore up the Hong Kong dollar . China's yuan sold off against the dollar for much of this year, weakening more than 5% in the year to date, according to FactSet. While many analysts attributed the yuan weakness to concerns about a trade war between the U.S. and China and general weakness across emerging markets currencies, others are worried about a devaluation akin to that of 2015, which jolted markets. On Thursday, the yuan rallied against the U.S. dollar. One dollar last bought 6.8726 yuan offshore , down 1.1%, and 6.8890 yuan in Beijing , down 0.7%. +Market Pulse Stories are Rapid-fire, short news bursts on stocks and markets as they move. Visit MarketWatch.com for more information on this news. +Source link Related Bank and Finance News Some local news is curated - Original might have been posted at a different date/ time! Click the source link for details. You might also like \ No newline at end of file diff --git a/input/test/Test4821.txt b/input/test/Test4821.txt new file mode 100644 index 0000000..f8577d7 --- /dev/null +++ b/input/test/Test4821.txt @@ -0,0 +1,17 @@ +0 +Have your say Barely one in seven police reports of so called upskirting in Scotland lead to court action, official figures have revealed. +It has raised fresh concerns over a "legal or procedural obstacle" to prosecutors in Scotland proceeding with such cases after specific laws were introduced to crack down on the problem in 2011. +The Scotsman revealed last week that concerns over loopholes in the law north of the Border had prompted concerns over the legislation aimed at cracking down on compromising pictures being taken of women, often on mobile phones. +At the time it was revealed that in the first six years of the law being in operation, just 21 prosecutions had taken place - an average of about three a year. It has now emerged that there were a total of 142 charges reported to the Crown Office and Procurator Fiscal's Office in Scotland over the same period, meaning just 15 per cent of reports make court. +Scottish Liberal Democrat justice spokesperson Liam McArthur has now stepped up calls for answers from the prosecution service in Scotland. +Mr McArthur said: "There have been more than 140 charges reported to COPFS but only 21 people prosecuted. While this may be a result of individuals facing multiple charges, it also leaves open the possibility that some procedural or legal obstacle is preventing these cases from being taken forward. Experts have warned of loopholes in the law. +"I hope the Crown Office will be able to throw some light on this to help encourage victims of upskirting to come forward in the future. +"I have also written to the Lord Advocate and I would welcome his view on whether or not the law in this area, and guidance to prosecutors, remains fit for purpose." +Upskirting was banned as a specific offence in Scotland in 2010. +The offences reported by police were mainly voyeurism offences under the Sexual Offences (Scotland) Act 2009 +A Crown Office spokesman said: "We can confirm that the Crown Office have received correspondence from Liam McArthur MSP and a response will be issued in due course." +One teaching union has warned the laws introduced in Scotland at start of the decade are not working and want mobile phones banned in schools because of the growing problem of pupils using them to take inappropriate photographs. +An upskirting bill is currently being passed south of the Border. But campaigners involved with legislation have raised concerns over "limitations" in the law north of the Border, which they are seeking to address in the Westminster bill. +They claim images that are shared on social media for "group bonding" purposes or sold for financial gain, to a magazine or newspaper, can escape prosecution. +Clare McGlynn, a professor of law at Durham University has been working with MPs on the proposed changes and said the Scottish legislation "doesn't cover every single instance of upskirting". +The Scottish Government has said in addition to the specific "upskirting" ban north of the Border, a new offence was established last year of sharing "intimate images" without consent under the Abusive Behaviour and Sexual Harm Act which was backed by a high profile media campaign to raise awareness \ No newline at end of file diff --git a/input/test/Test4822.txt b/input/test/Test4822.txt new file mode 100644 index 0000000..57dce7f --- /dev/null +++ b/input/test/Test4822.txt @@ -0,0 +1,16 @@ +By Takashi Mochizuki +This article is being republished as part of our daily reproduction of WSJ.com articles that also appeared in the U.S. print edition of The Wall Street Journal (August 17, 2018). +TOKYO -- Tesla Inc. has backed away from an agreement to buy all of the output from a solar-panel factory it operates with Panasonic Corp., the Japanese company said Thursday, another sign of the uncertain outlook for Tesla's SolarCity subsidiary. +Panasonic said it began making solar cells and modules at the factory in Buffalo, N.Y., in August 2017, under a deal that called for Tesla to buy the entire output for its home solar-panel business. But Panasonic said the deal was revised early this year, and since then it has been selling some of the production to other panel makers. Tesla is still buying some modules and cells from the plant as well. +Tesla said it was never obligated to buy the full output of the Buffalo plant, which it calls Gigafactory 2, and it continues to have a strong relationship with Panasonic. +"We continue to use cells and solar modules produced in Buffalo by Panasonic" in Tesla's solar products, a Tesla spokesman said. He said this was "in line with our contract, which contains no requirement of exclusivity." The spokesman added that "we anticipate using the full production capacity of Gigafactory 2 over time as we reach higher output and installation volumes." +The Buffalo factory is part of SolarCity, which Tesla acquired in 2016. Solar installations by the business have been slowing as Tesla retreats from riskier financing arrangements. +The solar business is one of many challenges on the plate of Tesla Chief Executive Elon Musk, who is facing an investigation by U.S. securities regulators over a tweet saying he had secured funding to take the electric-car maker private. +The solar business has taken a back seat as Tesla pushes to get production of its Model 3 vehicle up to speed. In early July, the company said it had achieved a long-delayed goal of assembling 5,000 of the sedans in about a week. +Panasonic's joint effort with Tesla in the solar business, first announced in 2016, builds on their cooperation for developing electric cars since Tesla's early days. The two companies jointly invested in the Gigafactory facility in Nevada, which supplies batteries for the Model 3. +Even though demand from Tesla has fallen short, Panasonic said overall demand for its U.S.-made solar-panel components remained intact because of tariffs the Trump administration placed on imported panels earlier this year. That has hit Chinese-made panels, which previously had a big share of the U.S. market. +The Osaka-based industrial and consumer-electronics conglomerate had said it planned to spend Yen30 billion ($271 million) to beef up production lines at the Tesla-owned facility in Buffalo, and on Thursday it said the plan was unchanged. +Panasonic's solar business in its home market has been losing money after the Japanese government cut subsidies and demand for panels stagnated. Analysts said the contract change with Tesla raised concerns over whether Panasonic could face similar problems in the U.S. Panasonic's shares fell 2.1% in Tokyo trading on Thursday after the Nikkei newspaper reported on the contract revision. +Corrections & Amplifications Tesla Inc. backed off an agreement to buy all the output from a solar-panel factory it operates with Panasonic Corp. An earlier version of this article misspelled Tesla's name in the headline as Telsa. (Aug. 16, 2018) +Write to Takashi Mochizuki at takashi.mochizuki@wsj.com +(END) 17, 2018 02:47 ET (06:4 \ No newline at end of file diff --git a/input/test/Test4823.txt b/input/test/Test4823.txt new file mode 100644 index 0000000..419b9f6 --- /dev/null +++ b/input/test/Test4823.txt @@ -0,0 +1,7 @@ +Neil Segil and Qi-Long Ying (Photos/Chris Shinn) Keck School stem cell researchers awarded $4 million NIH grants +Two Keck School of Medicine of USC stem cell scientists have received new research grants from the National Institutes of Health. +Neil Segil, PhD, professor of research stem cell biology and regenerative medicine, will use his $2.82 million grant to explore why humans and other mammals cannot recover from hearing loss, while birds and reptiles can. To understand this uniquely mammalian limitation, Segil's team will focus on the regulatory processes that prevent genes from driving the replacement of new sensory hearing cells. +"Our goal is to identify the molecular obstacles to sensory hearing cell regeneration in the inner ear, as well as to discover ways to overcome those obstacles to stimulate regeneration and restore hearing in deafened individuals," Segil said. +Qi-Long Ying, PhD, professor of stem cell biology and regenerative medicine and integrative anatomical sciences, has received $1.32 million to investigate how two proteins, called GSK3 and ERK, influence whether stem cells self-renew to produce more stem cells, or differentiate into more specialized cell types. When the levels of either of these two proteins are out of wack, people can develop a wide range of diseases, including cancer, diabetes, Alzheimer's disease, Parkinson's disease and mood disorders. +"Our study will have important implications for regenerative medicine as well as for developing therapies for diseases caused by a dysfunction of GSK3 or ERK," Ying said. +— Cristy Lytal Amanda Busick 2018-08-15T12:52:58+00:00 August 15th \ No newline at end of file diff --git a/input/test/Test4824.txt b/input/test/Test4824.txt new file mode 100644 index 0000000..82efc0f --- /dev/null +++ b/input/test/Test4824.txt @@ -0,0 +1,13 @@ +home / health & living center / prevention & wellness a-z list / opioid epidemic fueling life expectancy decline article U.S. Opioid Epidemic Fueling Life Expectancy Decline Latest Prevention & Wellness News +THURSDAY, Aug. 16, 2018 (HealthDay News) -- The opioid epidemic may be a major reason for recent declines in Americans' life expectancy, a new study says. +A second study found rising death rates among Americans ages 25 to 64, but cited a number of factors as potential causes. +In the first study, researchers looked at 18 wealthy nations and found that most of them had declines in life expectancy in 2015. It's the first time in recent decades that many of these countries had simultaneous declines in life expectancy for both men and women, and the declines were larger than in the past. +In countries other than the United States, the declines in life expectancy were mostly among people 65 and older. The main causes were influenza and pneumonia , respiratory disease, heart disease , Alzheimer's disease , and other mental and nervous system disorders. +Among Americans, the decline in life expectancy was concentrated among people in their 20s and 30s, and was largely due to a rise in opioid overdose deaths, according to report authors Jessica Ho, from the University of Southern California, and Arun Hendi, of Princeton University. +They noted that life expectancy in the United States and the United Kingdom continued to decline in 2016, which raises questions about future trends. +The second study found that death rates among Americans ages 25 to 64 rose between 1999 and 2016. Drug overdoses, suicides and alcoholism were the main reasons for this increase, but this age group also had a significant increase in deaths from heart, lung and other organ diseases. +"The opioid epidemic is the tip of an iceberg," study author Dr. Steven Woolf, from Virginia Commonwealth University, said in a news release from BMJ . Both studies were published Aug. 15 in the journal. +Woolf's research also found that rising death rates in this age group include all racial and ethnic groups, reversing years of progress in lowering death rates among black and Hispanic adults. +Death rates were higher among men than women, but the relative increase in drug overdose deaths and suicides was greater in women. That finding matches other research showing an increasing health disadvantage among American women, according to Woolf and his team. +They said no "single factor, such as opioids," explains the decrease in life expectancy, and urged "prompt action by policymakers to tackle the factors responsible for declining health in the U.S." +-- Robert Preidt SOURCE: BMJ , news release, Aug. 15, 201 \ No newline at end of file diff --git a/input/test/Test4825.txt b/input/test/Test4825.txt new file mode 100644 index 0000000..b4a0086 --- /dev/null +++ b/input/test/Test4825.txt @@ -0,0 +1,6 @@ + Lisa Pomrenke on Aug 17th, 2018 // No Comments +Bonavista Energy Corp (TSE:BNP) has earned an average rating of "Hold" from the eleven analysts that are currently covering the firm, MarketBeat Ratings reports. Five research analysts have rated the stock with a hold rating and one has given a buy rating to the company. The average 12 month target price among analysts that have issued ratings on the stock in the last year is C$2.26. +BNP has been the topic of several research analyst reports. Raymond James upped their price target on shares of Bonavista Energy from C$1.25 to C$1.50 in a report on Tuesday, April 24th. CIBC decreased their price target on shares of Bonavista Energy from C$1.75 to C$1.65 in a report on Friday, July 20th. BMO Capital Markets upped their price target on shares of Bonavista Energy from C$1.35 to C$1.75 in a report on Friday, May 4th. TD Securities decreased their price target on shares of Bonavista Energy from C$3.00 to C$2.75 and set a "buy" rating on the stock in a report on Friday, May 4th. Finally, National Bank Financial upped their price target on shares of Bonavista Energy from C$1.40 to C$1.65 and gave the stock a "sector perform" rating in a report on Wednesday, August 1st. Get Bonavista Energy alerts: +Shares of BNP stock opened at C$1.40 on Tuesday. Bonavista Energy has a 1 year low of C$1.11 and a 1 year high of C$3.24. Bonavista Energy Company Profile +Bonavista Energy Corporation acquires, develops, and holds interests in oil and natural gas properties and assets in Western Canada. As of December 31, 2017, its proved reserves totaled 275.0 million barrels of oil equivalent; and proved plus probable reserves were 437.7 million barrels of oil equivalent. +See Also: Diversification Receive News & Ratings for Bonavista Energy Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Bonavista Energy and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4826.txt b/input/test/Test4826.txt new file mode 100644 index 0000000..a0fe181 --- /dev/null +++ b/input/test/Test4826.txt @@ -0,0 +1,59 @@ +Source: FOX SPORTS Can Winx break Black Caviar's consecutive race win streak? Source: Getty Images A USEFUL horse called Winx will be lighting up Royal Randwick on Saturday in her self-titled Group One race — the Winx Stakes — but she has a proper test in front of her with classy Godolphin galloper Kementari throwing down the gauntlet. Can the mighty mare break Black Caviar's record of 25 straight wins and keep her own stunning streak intact? +The track is rated a Good 4 with no rain predicted between now and raceday. Rail is out 7m the entire circuit. +Check out our full preview & verdicts for the nine-race card... The field for Randwick race 1. Source: Supplied +RACE 1 +A big day of racing kicks off with the Highway Plate over 1600m. +Panzerfaust (14) looks the horse on the up and the hardest to beat here. He has looked very good in all career runs to date and steps up to the mile, which should suit. The form from his last start has stacked up with the winner running well since and happy to be with him. +Evopex (2) has won his last two and commands respect. He beat two in-form horses last time out and it's hard to knock winning form. +Cisco Bay (1) meets Evopex 4kg better for a half-length defeat two back and that ties him in. Forgive his last run with excuses and he must come into calculations. +The leader in the race looks to be Wallander (6) and he likes to dictate from the front. He has led all the way in two of his last three, including a Highway back on July 28 at Rosehill. He can give a great account of himself. +Verdict: Panzerfaust The field for Randwick race 2. Source: Supplied +RACE 2 +Just Shine (3) and Raqeeq (8) met two starts back with Just Shine 4kg better off here for that 1.3 length defeat. That may be enough to turn the tables from a perfect gate. The way he's been finishing off suggests the 2400m shouldn't be an issue. +Red Alto (2) has a good record over this distance and Angland sticks with him from his famous last start victory against a field of Waller runners. Screamarr (9) is racing in good heart. The 2400m is a new challenge but the way he's been finishing off his races suggests it is within his grasp. +Verdict: Happy to sit this one out. The field for Randwick race 3. Source: Supplied +RACE 3 +Benchmark 78 and the speed looks good. +Almanzora (8) was luckless last start and can improve sharply second up. She got sent out favourite fresh but couldn't get warm in what was a complete forgive. Her trial suggested she's going well and can win this. +Rebel Miss (4) is hard to catch and needs things to go her way as she only has a short sprint on her. If things pan out for her though, she does possess the quality to run well. The tempo should suit. +Lightz (9) has always shown ability but has been disappointing on the race track. He went forward last start and won in good style. He can improve off that and give a good sight. +Gwenneth (7) will keep him company up on speed. Brook Magic (3) should get a nice run in transit from gate three and run well. +Verdict: Almanzora (BEST BET) The field for Randwick race 4. Source: Supplied +RACE 4 +Great race for the 3YO fillies. Speed from Ready To Prophet and while she doesn't possess the ability or race record of some of her rivals she may give them something to catch. +Could make a strong case to say Oohood (3) was the best 2YO in the country last season, despite (quite amazingly) still being a maiden. She placed in a Group 1 Blue Diamond, Golden Slipper and Sires' Produce. Liked her Flemington jump-out, travelling nicely although not being asked to do too much. She's a deserved favourite and tipping her on top here but she will get back - want to see how the track is playing before diving in at $2.20. +Keep a close eye on Futooh (6) on the back of some impressive trials. She may need further but she's in for a good campaign. Look for her to be running on strongly. +Outback Barbie (4) and Fiesta (1) also trialled well leading in and both possess plenty of talent. Outback Barbie (4) may be able to settle a bit closer than her rivals, which looks a benefit. Can't fault. +Verdict: Oohood on top from Futooh but assess track pattern. The field for Randwick race 5. Source: Supplied +RACE 5 +Group Three 1300m event for the 3YOs. +Like the recent trial of Encryption (1) and he may be sharper than some of his rivals over this distance fresh. He won the Black Opal in nice style and wasn't far away in a Group One Sires' Produce. +He finished alongside Spin (3) who broke his maiden in fine style first-up. That will do him the world of good and he can go on with it. +Irukandji (2) may be looking for further but hit the line impressively in a recent trial. He has ability and can't be dismissed. +Danawi (9) and Military Zone (8) met at Randwick on August 4 with the latter proving too strong. Both have chances. +Verdict: Encryption Each Way The field for Randwick race 6. Source: Supplied +RACE 6 +The feature race of the day. In terms of how the race will play out, the speed looks good with Religify and Cabeza De Vaca likely to set the tempo. Ace High and Classic Uniform are looking for further but can be handy enough fresh. There should be enough pressure here. Kementari can be closer up to 1400m. +In a race named in her own honour, Winx (10) sets out to break Black Caviar's record of 25 straight wins here. These 1400m events early in her campaign on firmer surfaces are where she is vulnerable but she has overcome plenty before and it would take a brave person to tip against her. Loved her two trials, running through the line brilliantly on both occasions. If you needed any more convincing, Hugh Bowman got off her in her most recent and said it was probably the best she's gone in a trial. +The most interesting runner here is Kementari (7) who's had a boom on him for some time. He was a late entry for this with the stablemate Alizee ruled out for the Spring. He has the fitness edge with the one run under his belt and up to 1400m he can possie up closer than he did last start. He's all quality and looks set to run well. +D'argento (9) worked home well in the same trial as Winx and looks to be in really good order. He's already a Group One winner and his career record is superb having won 4 of 7. While I fully expect that to change here against the worlds best, it's worth noting he's yet to be beaten first-up. +Ace High (8) is all quality and probably still underrated. Liked his trial leading in and he can figure in the first four. +Verdict: Watch and enjoy the wonder mare. The field for Randwick race 7. Source: Supplied +RACE 7 +Expecting Siege Of Quebec (7) to lead and be very hard to get past with a light weight. Don't mind the wide barrier for him as Tim Clark can take his time to cross. His two trials have been pleasing, winning both over the short course. He covered plenty of ground in his latest trial but responded to riding to beat a good field. +Dal Cielo (4) wasn't far away behind Trekking last week and is well off at the weights on the minimum. He carried 61kg last start and won't know himself here. +Le Romain (1) is the class galloper and is a deserved top weight. He will find this easier than the Group Ones he contested last campaign and has been trialling pleasingly. He hasn't won for some time which is the concern, along with the big weight. +Verdict: Siege of Quebec WIN The field for Randwick race 8. Source: Supplied +RACE 8 +The Group One Toy Show Quality for the Fillies and Mares over 1300m. Very little speed engaged which is not only a surprise, but it makes it tricky to map. +Completely putting a pen through the first-up run of Egyptian Symbol (1). Her trials prior to that were superb and she can bounce back in a big way. She's too good to ignore and her best would be winning this. +Insensata (8) is flying and looks set to peak third up over 1300m. Her run third-up last campaign in the Group Two Millie Fox suggests she's right up to this and she get's a lovely run from barrier 2. Well off on the minimum weight. +I Am Coldplay (2) has been trialling pleasingly but she did get back in them which raises a query as to where she'll get to here. 1300m looks ideal first-up and Bowman takes the ride, which is a positive. She is Group 2 placed in New Zealand and can run well here before improving into her campaign. +Luvaluva (5) is all class and she too has gone well in both trials. She might find a couple of these a bit sharp but look for her to be running on. She's got bigger fish to fry in the Spring. +Verdict: Egyptian Symbol (BEST VALUE) The field for Randwick race 9. Source: Supplied +RACE 9 +Looking to finish the day on a high with a nice each-way play in the form of Best Of Days (1). The former international has been running over 2000m+ in recent times but his two career wins were over 1400m and the mile. First-up at 1400m on the back of two nice trials, he looks well suited and happy to be with him. +Kaonic (5) had plenty of favours last time but has always been a horse with a lot of ability. He can go on with it. +Souchez (3) was fantastic fresh, running smart late sectionals in closing off well for 6th. He's a two time winner second up and looks well suited at the 1400m from a good gate. +Onslaught (8) in for fourth. +Verdict: Best of Days Each Wa \ No newline at end of file diff --git a/input/test/Test4827.txt b/input/test/Test4827.txt new file mode 100644 index 0000000..2a605dc --- /dev/null +++ b/input/test/Test4827.txt @@ -0,0 +1,11 @@ +Data Respons has signed contracts with a German customer within the Banking industry. The contracts comprise smarter solutions and R&D Services to improve product offerings and efficiency in this changing industry. It includes application and SW framework modernization, provision of B2C processes into multiple channels, security aspects and integration of core software into a private cloud infrastructure. +- Midsize and larger banks are making massive investments to transform their businesses into digital service providers. Our key competences and relevant experience from other industries makes us an interesting partner in this market, says Kenneth Ragnvaldsen, CEO of Data Respons ASA. +For further information: +Kenneth Ragnvaldsen, CEO, Data Respons ASA, tel. +47 913 90 918. +Rune Wahl, CFO, Data Respons ASA, tel. + 47 950 36 046 +About Data Respons Data Respons is a full-service, independent technology company and a leading player in the IoT, Industrial digitalisation and the embedded solutions market. We provide R&D services and embedded solutions to OEM companies, system integrators and vertical product suppliers in a range of market segments such as Transport & Automotive, Industrial Automation, Telecom & Media, Space, Defense & Security, Medtech, Energy & Maritime, and Finance & Public Sector. +Data Respons ASA is listed on the Oslo Stock Exchange (Ticker: DAT), and is part of the information technology index. The company has offices in Norway, Sweden, Denmark, Germany and Taiwan. www.datarespons.com +This information is subject of the disclosure requirements pursuant to section 5-12 of the Norwegian Securities Trading Act. +Attachments +Original document Permalink Disclaimer +Data Respons ASA published this content on 17 August 2018 and is solely responsible for the information contained herein. Distributed by Public, unedited and unaltered, on 17 August 2018 10:15:04 UT \ No newline at end of file diff --git a/input/test/Test4828.txt b/input/test/Test4828.txt new file mode 100644 index 0000000..ee52bfa --- /dev/null +++ b/input/test/Test4828.txt @@ -0,0 +1,8 @@ +$1.38 19.67 +Statoil has higher revenue and earnings than Trecora Resources. Statoil is trading at a lower price-to-earnings ratio than Trecora Resources, indicating that it is currently the more affordable of the two stocks. +Summary +Statoil beats Trecora Resources on 9 of the 17 factors compared between the two stocks. +Trecora Resources Company Profile +Trecora Resources manufactures and sells various specialty petrochemical products and synthetic waxes in the United States. The company operates in two segments, Petrochemical and Specialty Waxes. The Petrochemical segment offers hydrocarbons and other petroleum based products, including isopentane, normal pentane, isohexane, and hexane for use in the production of polyethylene, packaging, polypropylene, expandable polystyrene, poly-iso/urethane foams, and crude oil from the Canadian tar sands, as well as in the catalyst support industry. It also owns and operates pipelines. The Specialty Waxes segment provides specialty polyethylene for use in the paints and inks, adhesives, coatings, and PVC lubricants markets; and specialized synthetic poly alpha olefin waxes for use as toner in printers, as well as additives for candles. The company also provides custom processing services; and produces copper and zinc concentrates, and silver and gold doré. Trecora Resources was formerly known as Arabian American Development Company and changed its name to Trecora Resources in June 2014. Trecora Resources was founded in 1967 and is based in Sugar Land, Texas. +Statoil Company Profile +Statoil ASA, an energy company, explores for, produces, transports, refines, and markets petroleum and petroleum-derived products, and other forms of energy in Norway and internationally. The company operates through Development & Production Norway; Development & Production USA; Development & Production International; Marketing, Midstream & Processing; New Energy Solutions; Technology, Projects & Drilling; Exploration; and Global Strategy & Business Development segments. It also transports, processes, manufactures, markets, and trades oil and gas commodities, such as crude, condensate, gas liquids, products, natural gas, and liquefied natural gas; markets and trades electricity and emission rights; and operates refineries, processing and power plants, and terminals. In addition, the company develops wind, and carbon capture and storage projects, as well as offers other renewable energy and low-carbon energy solutions. As of December 31, 2017, it had proved oil and gas reserves of 5,367 million barrels of oil equivalent. The company was formerly known as StatoilHydro ASA and changed its name to Statoil ASA in November 2009. Statoil ASA was founded in 1972 and is headquartered in Stavanger, Norway. Receive News & Ratings for Trecora Resources Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Trecora Resources and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4829.txt b/input/test/Test4829.txt new file mode 100644 index 0000000..deecaf0 --- /dev/null +++ b/input/test/Test4829.txt @@ -0,0 +1,19 @@ +The "Photonic Integrated Circuit (PIC) - Global Strategic Business Report" report has been added to ResearchAndMarkets.com's offering. +The report provides separate comprehensive analytics for the US, Canada, Japan, Europe, Asia-Pacific, Latin America, and Rest of World. Annual estimates and forecasts are provided for the period 2015 through 2024. The report analyzes the worldwide markets for Photonic Integrated Circuit (PIC) in US$ Thousand. +The global market is further analyzed by the following Applications and Integration Methods: +Market by Application +Optical Signal Processing Optical Communications Others Market by Integration Methods +Packaging Monolithic Integration Module Integration The report profiles 38 companies including many key and niche players such as: +Broadcom Inc. (USA) Ciena Corporation (USA) Enablence Technologies, Inc. (Canada) Huawei Technologies Co. Ltd. (China) Infinera Corporation (USA) Kaiam Corporation (USA) Lumentum Operations LLC (USA) NeoPhotonics Corporation (USA) Nokia Networks (Finland) Oclaro, Inc. (USA) Key Topics Covered +1. Introduction, Methodology & Product Definitions +2. Industry Overview +3. Market Trends & Growth Drivers +Growing Bandwidth Needs Necessitates Strengthening of Fiber Optic Networks - Strong Business Case for PIC Key Factors Influencing IP Traffic Growth & Bandwidth Needs Sharp Increase in Number of Internet Subscribers High Penetration of IP-enabled Devices Growing Role of Virtualization High Tide in Wi-Fi Equipment Installations Bodes Well for Market Growth Biophotonics: A Niche Market Segment for PIC Expanding Application Base for Biophotonics Generates Parallel Opportunities for PIC Increased Focus on Optical In-Vitro Diagnostics Augurs Well Northbound Trajectory in Fiber Optic Sensors Vertical Gives Impetus to Market Growth Smart Cities Concept to Underpin Sales Growth in the Coming Years Establishment of Collaborative Initiatives Fosters Development of Innovative Products Next Generation Silicon Photonics and Polymer Based Photonic ICs Enhance Speed, Bandwidth and Scalability and more... +4. Product/Technology Overview +5. Competitive Landscape +5.1 Focus on Select Global Players +5.2 Recent Industry Activity +6. Global Market Perspective +Total Companies Profiled: 38 (including Divisions/Subsidiaries - 42) +The United States (18) Canada (5) Japan (2) Europe (13) France (1) Germany (1) Spain (1) Rest of Europe (9) Asia-Pacific (Excluding Japan) (2) Middle East (2) For more information about this report visit https://www.researchandmarkets.com/research/lz3qx2/global_strategic?w=4 +View source version on businesswire.com: https://www.businesswire.com/news/home/20180817005126/en \ No newline at end of file diff --git a/input/test/Test483.txt b/input/test/Test483.txt new file mode 100644 index 0000000..89fb9de --- /dev/null +++ b/input/test/Test483.txt @@ -0,0 +1,6 @@ +Turkish lira steady despite new threats from Trump 2018-08-17T08:26:02Z 2018-08-17T09:10:29Z (AP Photo/Lefteris Pitarakis). A general view of Istanbul, Thursday, Aug. 16, 2018. Turkey's finance chief tried to reassure thousands of international investors on a conference call Thursday, in which he pledged to fix the economic troubles that have ... +ANKARA, Turkey (AP) - Turkey's currency remains steady against the dollar despite an apparent threat of possible new sanctions by U.S. President Donald Trump. +The Turkish lira stood at 5.80 per dollar on Friday, up about 0.4 percent against the dollar. +The currency has recovered from record lows earlier this week. Investors, already worried about Turkey's economy, were irked by a diplomatic and trade dispute with the United States over the continued detention of an American pastor Andrew Brunson on espionage and terror-related charges. +In a tweet on Thursday, Trump urged Brunson to serve as a "great patriot hostage" while he is jailed and criticized Turkey for "holding our wonderful Christian Pastor." +Trump added: "We will pay nothing for the release of an innocent man, but we are cutting back on Turkey!" Copyright 2018 The Associated Press. This material may not be published, broadcast, rewritten or redistributed \ No newline at end of file diff --git a/input/test/Test4830.txt b/input/test/Test4830.txt new file mode 100644 index 0000000..c923e6a --- /dev/null +++ b/input/test/Test4830.txt @@ -0,0 +1 @@ +17 August 2018 11:45:08 17 August 2018 11:45:08 | Appointments , News , NFU NFU's legal panel confirmed following intensive six-month review The firms appointed to the Panel deal with farming and growing matters The NFU has confirmed the appointment of its Legal Panel firms after an intensive six-month review, with fifteen of its original members set to continue to serve on the panel. The Legal Panel, which was originally appointed in its current format in May 2008, is reviewed every three years.Each review considers the firms' legal services, fee structures and commitment to the organisation and its members, as well as feedback from NFU members and staff.The NFU Legal Panel firms are: East Anglia: Tees, Hewitsons LLP, East Midlands: Wilkin Chapman LLP, Bowcock Cuerden LLP, Josiah Hincks, North East: Jacksons Law Firm, Crombie Wilkinson Solicitors LLP, North West: Napthens Solicitors, Bowcock, Cuerden LLP, South East: Thrings LLP, South West: Clarke Willmott LLP, Foot Anstey LLP, Wales: JCP Solicitors Ltd, Allington Hughes Law, West Midlands: Lanyon Bowdler, Shakespeare Martineau.The firms appointed to the Panel deal with farming and growing matters and offer legal service in non-farming areas such as succession planning, diversification, renewable energy, the new telecommunication code, mediation services, planning, probate, family and conveyancing.NFU director of finance and business services, Ken Sutherland said: "The Legal Panel is a vital part of the services offered to NFU members, and following a rigorous and robust review process I am delighted to confirm that fifteen firms have been reappointed."The firms have built upon and strengthened their agricultural and rural teams, and their professionalism and depth of knowledge is second-to-none."Chairman of the Legal Board, Trevor Foss added: "The increase in regulation in the industry over the past few years has put the Legal Panel in high demand and we are committed to delivering a high quality service for all. "The reappointments will serve to strengthen the bond between the NFU, the LAS and the panel solicitors, which together delivers tangible benefits for all NFU members and LAS subscribers. \ No newline at end of file diff --git a/input/test/Test4831.txt b/input/test/Test4831.txt new file mode 100644 index 0000000..2d2fae8 --- /dev/null +++ b/input/test/Test4831.txt @@ -0,0 +1,33 @@ +In Franklin's anthems, women heard an empowering message By: Jocelyn Noveck, The Associated Press Posted: 08/17/2018 2:14 AM | Comments: Tweet Print Email +NEW YORK - Aretha Franklin never saw herself as a feminist heroine. That, she quipped, was Gloria Steinem's role. But she leaves a legacy of indelible anthems that resonated deeply with women by celebrating their strength and individuality — and demanding, well, just a little respect. +"I don't think I was a catalyst for the women's movement," she told Rolling Stone in 2014. "Sorry. But if I were? So much the better!" +The women's movement was just getting going in 1967 when Franklin took on Otis Redding's "Respect," which soon became known as an anthem both for civil rights and for feminism. Franklin changed the song's meaning, radically, just by singing it in her own, inimitable voice. She may not have intended it to be a feminist anthem, but she surely knew how it would resonate. Instead of a man asking for his "propers" when he got home, here a woman was asking for — no, requiring — that same respect, from her man and in a broader sense, from society. +"'Respect' is THE second-wave feminist anthem, more than any other song I can think of," says Evelyn McDonnell, editor of the anthology "Women Who Rock" and professor at Loyola Marymount University. "Aretha was intersectional before the term existed." She notes that Franklin's version of "Respect" was the quintessential "answer record" to Redding's — in this case, with the very same song. +Get the full story. +After that, pay as little as $0.99 per month for the best local news coverage in Manitoba. +Subscribers Log in below to continue reading, not a subscriber? Create an account to start a 60 day free trial. +Log in Create your account Your free trial has come to an end. +We hope you have enjoyed your trial! To continue reading, we recommend our Read Now Pay Later membership. Simply add a form of payment and pay only 27¢ per article. +For unlimited access to the best local, national, and international news and much more, try an All Access Digital subscription: +Thank you for supporting the journalism that our community needs! Your free trial has come to an end. +We hope you have enjoyed your trial! To continue reading, we recommend our Read Now Pay Later membership. Simply add a form of payment and pay only 27¢ per article. +For unlimited access to the best local, national, and international news and much more, try an All Access Digital subscription: +Thank you for supporting the journalism that our community needs! We hope you have enjoyed your free trial! To continue reading, select a plan below: All Access Digital Unlimited online reading and commenting Daily newspaper replica e-Edition News Break - our award-winning iOS app Exclusive perks & discounts Only pay for what you read Refunds available +*Introductory pricing schedule for 12 month: $0.99/month plus tax for first 3 months, $5.99/month for months 4 - 6, $10.99/month for months 7 - 9, $13.99/month for months 10 - 12. Standard All Access Digital rate of $16.99/month begins after first year. We hope you have enjoyed your free trial! To continue reading, select a plan below: Read Now Pay Later Only pay for what you read Refunds available Unlimited online reading and commenting Daily newspaper replica e-Edition News Break - our award-winning iOS app Exclusive perks & discounts +FILE - In this March 26, 1973 file photo, soul singer Aretha Franklin appears at a news conference. A person close to Franklin said on Monday that the 76-year-old singer is ill. Franklin canceled planned concerts earlier this year after she was ordered by her doctor to stay off the road and rest up. (AP Photo, File) +NEW YORK - Aretha Franklin never saw herself as a feminist heroine. That, she quipped, was Gloria Steinem's role. But she leaves a legacy of indelible anthems that resonated deeply with women by celebrating their strength and individuality — and demanding, well, just a little respect. +"I don't think I was a catalyst for the women's movement," she told Rolling Stone in 2014. "Sorry. But if I were? So much the better!" +The women's movement was just getting going in 1967 when Franklin took on Otis Redding's "Respect," which soon became known as an anthem both for civil rights and for feminism. Franklin changed the song's meaning, radically, just by singing it in her own, inimitable voice. She may not have intended it to be a feminist anthem, but she surely knew how it would resonate. Instead of a man asking for his "propers" when he got home, here a woman was asking for — no, requiring — that same respect, from her man and in a broader sense, from society. +"'Respect' is THE second-wave feminist anthem, more than any other song I can think of," says Evelyn McDonnell, editor of the anthology "Women Who Rock" and professor at Loyola Marymount University. "Aretha was intersectional before the term existed." She notes that Franklin's version of "Respect" was the quintessential "answer record" to Redding's — in this case, with the very same song. +To music writer Caryn Rose, Franklin's message in that song was deliberate. "She knew what the message was, and she intended it," says Rose, who wrote the essay on Franklin in "Women Who Rock." Redding himself basically conceded defeat — with good humour — when singing the song at the Monterey Pop Festival. "This next song is a song that a girl took away from me," he said. "A good friend of mine ... but I'm still gonna do it anyway." It's hard now to imagine a male voice singing the song. +Franklin would later say she intended to convey a message about respect that was broader than any one movement. "The statement was something that was very important, and where it was important to me, it was important to others," she told Vogue magazine. "Not just me or the civil rights movement or women — it's important to people. ... Because people want respect, even small children, even babies. As people, we deserve respect from one another." +Franklin was, of course, the first woman to be inducted into the Rock and Roll Hall of Fame, in 1987, opening the door for other women. But to call her the greatest female singer is to ignore that in the view of so many she was the greatest singer, period. "There is no one who can touch her," wrote Mary J. Blige in Rolling Stone, when the magazine chose Franklin as the top singer of all time. "She is the reason why women want to sing." +Though "Respect" was probably her most famous anthem of female empowerment, there were other songs of great resonance to women, like "(You Make Me Feel Like) A Natural Woman," written by Carole King. It's a love song, of course. But in Franklin's rendition, somehow it became, unmistakably, about womanhood. "It's celebrating in the gloriousness of being female," says McDonnell. "So yes, it's a feminist anthem, too." +No performance of that song was more lauded than when Franklin performed it for King herself at the 38th annual Kennedy Center Honors in December 2015. As is customary, King didn't know that Franklin would be there to honour her. She was overwhelmed from the first second. As for President Barack Obama, he was wiping away tears. When Franklin threw off her fur coat toward the end and raised her arms, the crowd erupted. +Asked later what the song meant to her, she told Vogue: "I can relate to it very easily. I'm very natural." But she said she'd never expected it to become an anthem for women. "Women just seemed to take to it like that, and it became a mantra," she said. +She did allow that she could see herself as an example for strong women: "You could say that," she said. "I am a natural woman. I think women have to be strong. If you don't, some people will run right over you." Franklin was even an idol for Murphy Brown, the ultimate career woman, appearing in a charming 1991 cameo to sing "Natural Woman" with the starstruck news anchor played by Candice Bergen. +Among other resonant Franklin songs for women, there was the 1968 "Think": "You better think (think) about what you're trying to do to me," she sang. "That line just resonates in terms of respect and how women want to be treated," says Gail Mitchell, a senior editor at Billboard. +And of course there was Franklin's 1985 duet with the Eurythmics, "Sisters Are Doin' it For Themselves." The song announced: "We're comin' out of the kitchen, 'cause there's somethin' we forgot to say to you." It was covered by everyone from the Pointer Sisters to the Spice Girls to Lisa Simpson on "The Simpsons." And it was the rousing finale to a 2011 Franklin tribute at the Grammys, performed by Christina Aguilera, Florence Welch, Jennifer Hudson, Martina McBride and Yolanda Adams. +In the end, however Franklin chose to describe her impact on women, she left them words to live by — in the world, and in relationships. +"They say it's a man's world," she sang on her album "I Never Loved a Man The Way I Love You" in 1967, "but you can't prove that by me. And as long as we're together baby, show some respect for me." +Online: For more, visit https://apnews.com/tag/ArethaFranklin Advertisemen \ No newline at end of file diff --git a/input/test/Test4832.txt b/input/test/Test4832.txt new file mode 100644 index 0000000..9ade3e6 --- /dev/null +++ b/input/test/Test4832.txt @@ -0,0 +1,18 @@ +by Jocelyn Noveck, The Associated Press Posted Aug 17, 2018 4:13 am ADT Last Updated Aug 17, 2018 at 5:00 am ADT +NEW YORK, N.Y. – Aretha Franklin never saw herself as a feminist heroine. That, she quipped, was Gloria Steinem's role. But she leaves a legacy of indelible anthems that resonated deeply with women by celebrating their strength and individuality — and demanding, well, just a little respect. +"I don't think I was a catalyst for the women's movement," she told Rolling Stone in 2014. "Sorry. But if I were? So much the better!" +The women's movement was just getting going in 1967 when Franklin took on Otis Redding's "Respect," which soon became known as an anthem both for civil rights and for feminism. Franklin changed the song's meaning, radically, just by singing it in her own, inimitable voice. She may not have intended it to be a feminist anthem, but she surely knew how it would resonate. Instead of a man asking for his "propers" when he got home, here a woman was asking for — no, requiring — that same respect, from her man and in a broader sense, from society. +"'Respect' is THE second-wave feminist anthem, more than any other song I can think of," says Evelyn McDonnell, editor of the anthology "Women Who Rock" and professor at Loyola Marymount University. "Aretha was intersectional before the term existed." She notes that Franklin's version of "Respect" was the quintessential "answer record" to Redding's — in this case, with the very same song. +To music writer Caryn Rose, Franklin's message in that song was deliberate. "She knew what the message was, and she intended it," says Rose, who wrote the essay on Franklin in "Women Who Rock." Redding himself basically conceded defeat — with good humour — when singing the song at the Monterey Pop Festival. "This next song is a song that a girl took away from me," he said. "A good friend of mine … but I'm still gonna do it anyway." It's hard now to imagine a male voice singing the song. +Franklin would later say she intended to convey a message about respect that was broader than any one movement. "The statement was something that was very important, and where it was important to me, it was important to others," she told Vogue magazine. "Not just me or the civil rights movement or women — it's important to people. … Because people want respect, even small children, even babies. As people, we deserve respect from one another." +Franklin was, of course, the first woman to be inducted into the Rock and Roll Hall of Fame, in 1987, opening the door for other women. But to call her the greatest female singer is to ignore that in the view of so many she was the greatest singer, period. "There is no one who can touch her," wrote Mary J. Blige in Rolling Stone, when the magazine chose Franklin as the top singer of all time. "She is the reason why women want to sing." +Though "Respect" was probably her most famous anthem of female empowerment, there were other songs of great resonance to women, like "(You Make Me Feel Like) A Natural Woman," written by Carole King. It's a love song, of course. But in Franklin's rendition, somehow it became, unmistakably, about womanhood. "It's celebrating in the gloriousness of being female," says McDonnell. "So yes, it's a feminist anthem, too." +No performance of that song was more lauded than when Franklin performed it for King herself at the 38th annual Kennedy Center Honors in December 2015. As is customary, King didn't know that Franklin would be there to honour her. She was overwhelmed from the first second. As for President Barack Obama, he was wiping away tears. When Franklin threw off her fur coat toward the end and raised her arms, the crowd erupted. +Asked later what the song meant to her, she told Vogue: "I can relate to it very easily. I'm very natural." But she said she'd never expected it to become an anthem for women. "Women just seemed to take to it like that, and it became a mantra," she said. +She did allow that she could see herself as an example for strong women: "You could say that," she said. "I am a natural woman. I think women have to be strong. If you don't, some people will run right over you." Franklin was even an idol for Murphy Brown, the ultimate career woman, appearing in a charming 1991 cameo to sing "Natural Woman" with the starstruck news anchor played by Candice Bergen. +Among other resonant Franklin songs for women, there was the 1968 "Think": "You better think (think) about what you're trying to do to me," she sang. "That line just resonates in terms of respect and how women want to be treated," says Gail Mitchell, a senior editor at Billboard. +And of course there was Franklin's 1985 duet with the Eurythmics, "Sisters Are Doin' it For Themselves." The song announced: "We're comin' out of the kitchen, 'cause there's somethin' we forgot to say to you." It was covered by everyone from the Pointer Sisters to the Spice Girls to Lisa Simpson on "The Simpsons." And it was the rousing finale to a 2011 Franklin tribute at the Grammys, performed by Christina Aguilera, Florence Welch, Jennifer Hudson, Martina McBride and Yolanda Adams. +In the end, however Franklin chose to describe her impact on women, she left them words to live by — in the world, and in relationships. +"They say it's a man's world," she sang on her album "I Never Loved a Man The Way I Love You" in 1967, "but you can't prove that by me. And as long as we're together baby, show some respect for me." +___ +Online: For more, visit https://apnews.com/tag/ArethaFrankli \ No newline at end of file diff --git a/input/test/Test4833.txt b/input/test/Test4833.txt new file mode 100644 index 0000000..88ee572 --- /dev/null +++ b/input/test/Test4833.txt @@ -0,0 +1 @@ +Astronomy/Space Science | Physics/Materials Science Some of the faintest satellite galaxies orbiting our own Milky Way galaxy are amongst the very first that formed in our Universe, physicists have found. Findings by a team of academics, including physicists Professor Carlos Frenk and Dr Alis Deason from the Institute for Computational Cosmology (ICC) at Durham University and Dr Sownak Bose from the Harvard-Smithsonian Center for Astrophysics in America, suggest that galaxies including Segue-1, Bootes I, Tucana II and Ursa Major I are over 13 billion years old. Their findings are published in The Astrophysical Journal . Professor Carlos Frenk, Director of Durham University's ICC, said: "Finding some of the very first galaxies that formed in our Universe orbiting in the Milky Way's own backyard is the astronomical equivalent of finding the remains of the first humans that inhabited the Earth. It is hugely exciting. "Our finding supports the current model for the evolution of our Universe, the 'Lambda-cold-dark-matter model' in which the elementary particles that make up the dark matter drive cosmic evolution." Bursting into light Cosmologists believe that when the Universe was about 380,000 years old, the very first atoms formed. These were hydrogen atoms, the simplest element in the periodic table. These atoms collected into clouds and began to cool gradually and settle into the small clumps or "halos" of dark matter that emerged from the Big Bang. This cooling phase, known as the "cosmic dark ages", lasted about 100 million years. Eventually, the gas that had cooled inside the halos became unstable and began to form stars - these objects are the very first galaxies ever to have formed. With the formation of the first galaxies, the Universe burst into light, bringing the cosmic dark ages to an end. Cosmic dark ages The research team identified two populations of satellite galaxies orbiting the Milky Way. The first was a very faint population consisting of the galaxies that formed during the cosmic dark ages. The second was a slightly brighter population consisting of galaxies that formed hundreds of millions of years later, once the hydrogen that had been ionized by the intense ultraviolet radiation emitted by the first stars was able to cool into more massive dark matter halos. Remarkably, the team found that a model of galaxy formation that they had developed previously agreed perfectly with the data, allowing them to infer the formation times of the satellite galaxies. Dr Sownak Bose, who was a PhD student at the ICC when this work began and is now a research fellow at the Harvard-Smithsonian Center for Astrophysics, said: "A nice aspect of this work is that it highlights the complementarity between the predictions of a theoretical model and real data. "A decade ago, the faintest galaxies in the vicinity of the Milky Way would have gone under the radar. With the increasing sensitivity of present and future galaxy censuses, a whole new trove of the tiniest galaxies has come into the light, allowing us to test theoretical models in new regimes." Formation of the Milky Way The intense ultraviolet radiation emitted by the first galaxies destroyed the remaining hydrogen atoms by ionizing them (knocking out their electrons), making it difficult for this gas to cool and form new stars. The process of galaxy formation ground to a halt and no new galaxies were able to form for the next billion years or so. Eventually, the halos of dark matter became so massive that even ionized gas was able to cool. Galaxy formation resumed, culminating in the formation of spectacular bright galaxies like our own Milky Way. Dr Alis Deason, who is a Royal Society University Research Fellow at the ICC, said: "This is a wonderful example of how observations of the tiniest dwarf galaxies residing in our own Milky Way can be used to learn about the early Universe." Link \ No newline at end of file diff --git a/input/test/Test4834.txt b/input/test/Test4834.txt new file mode 100644 index 0000000..3037694 --- /dev/null +++ b/input/test/Test4834.txt @@ -0,0 +1 @@ +Published New Discard Success! Auth 21 years old Finance Agents Cruz Hutton from Thorold, really loves boating, eyelash serum and texting. Has been encouraged how huge the world is after visiting Heritage of Mercury. Almadén and Idrija \ No newline at end of file diff --git a/input/test/Test4835.txt b/input/test/Test4835.txt new file mode 100644 index 0000000..2accce0 --- /dev/null +++ b/input/test/Test4835.txt @@ -0,0 +1 @@ +Desperate India set for reshuffle in do-or-die Test PTI August 17, 2018 13:07 IST By Chetan Narula
; ; ; ; Nottingham, Aug 17 (PTI) Shaken by abject surrender in the first two Tests, a desperate India are expected to ring in a slew of changes as they aim at redemption against a rampaging England in a do-or-die third Test, starting tomorrow.
; ; ; ; For Indian team, the Trent Bridge Test will be their last chance to save the series after being outplayed in the first two Test matches -- by 31 runs Edgbaston and innings and 159 runs at the Lord's.
; ; ; ; Down 0-2 with only five and half days of competitive cricket in all, skipper Virat Kohli and coach Ravi Shastri will be aiming to get the team combination right having bungled at the Lord's.
; ; ; ; As a result, India will play their 38th combination in as many matches that skipper Kohli had led.
; ; ; ; The most awaited change will be 20-year-old Rishabh Pant's imminent Test debut replacing a horribly out-of-form Dinesh Karthik, who might well have played his last international game in the longest format.
; ; ; ; With scores of 0, 20, 1 & 0 in four innings coupled with shoddy glovework meant that Karthik was seen giving catching practice to Pant, who also spend considerable time batting at the nets.
; ; ; ; Being hailed as Mahendra Singh Dhoni's successor, Pant's entry into the squad happened after three half-centuries in the two first-class matches against England Lions.
; ; ; ; Despite a triple hundred and a healthy first-class average of 54 plus, it will still be baptism by fire for the Roorkee-born youngster. He will be facing Messrs Jimmy Anderson, Stuart Broad, Chris Woakes and Sam Curran, ready to make life miserable for him just like they have done with his illustrious seniors.
; ; ; ; If Pant's Test debut has generated a lot of interest, there is a prayer on every fan's lips that skipper Kohli gets fit enough to wield the willow.
; ; ; ; It is the impact of the last defeat in swing-friendly conditions across just over six sessions that is still hurting the Indian camp. Throughout the week, they have been left picking up the pieces, mostly in terms of re-evaluating fitness of their key players.
; ; ; ; In that aspect atleast, there is some good news. Jasprit Bumrah is fit again; Ravichandran Ashwin and Hardik Pandya have recovered completely from their hand injuries suffered while batting at Lords, and skipper Kohli has more or less recovered from his back problems.
; ; ; ; Never has an injury invoked so much interest since Sachin Tendulkar's tennis elbow. Kohli's condition seemed to have improved a lot and as he had maintained, he will be out there at the toss alongside Joe Root.
; ; ; ; This is where the hard part begins for India. Having admitted their mistake in picking two spinners at Lord's, it is about time skipper Kohli and coach Shastri hit upon the optimal team combination.
; ; ; ; Nevertheless, there are bound to be changes in the playing eleven for some vital members of the squad are now seemingly bereft of confidence.
; ; ; ; Murali Vijay, for example, has scored only 128 runs in 10 overseas Test innings against South Africa and England. An average of 12.8 is tough to ignore, but for a batsman of his calibre, the team management could still afford another chance given that India need to win this game.
; ; ; ; At the same time however, it brings Shikhar Dhawan back into contention. He averages 17.75 against South Africa and England in two Tests this year, and his overall average in England is 20.12 (four Tests). In these two instances, he has scored at a strike-rate of 68.93 and 57.29, respectively, which could once again go in his favour.
; ; ; ; Thus, there is every chance that India could opt for their third different opening pairing – of Dhawan and KL Rahul – in as many Tests, the middle order will be untouched. Especially with Kohli regaining fitness, Karun Nair still isn't seen to be active during practice sessions. It was the case in Birmingham and London, as well as in Nottingham, and playing an extra specialist batsman is not in the management's immediate plans as yet.
; ; ; ; If it so transpires, Umesh Yadav will once again be unlucky to miss out, for the team management will be eager to get their best possible combination out on the field.
; ; ; ; The pitch at Trent Bridge bore a different look than 2014, when these two teams met here. India scored 457 and 391/9 decl in two innings on a flat surface, as England had scored 496 whilst batting once and the match petered out to a draw.
; ; ; ; The forecast for this third Test is of decent cloud cover through the first four days, and if the Indian team takes into consideration, they would surely opt for just the lone spinner.
; ; ; ; Meanwhile, England have a big selection headache on their hands. Ben Stokes' re-assimilation in the squad has gone off smoothly, and after spending the past week away, he went through rigorous batting and bowling sessions on Thursday.
; ; ; ; He got a decent reception from a sizeable fan gathering ahead of the game, but how the crowd reacts to his presence in the game on Saturday could be a worry for the team management.
; ; ; ; Teams:
; ; ; ; India: Virat Kohli (c), Shikhar Dhawan, Murali Vijay, KL Rahul, Cheteshwar Pujara, Ajinkya Rahane, Dinesh Karthik (wk), Rishabh Pant, Karun Nair, Hardik Pandya, R Ashwin, Ravindra Jadeja, Kuldeep Yadav, Ishant Sharma, Umesh Yadav, Shardul Thakur, Mohammed Shami, Jasprit Bumrah.
; ; ; ; England: Joe Root (c), Alastair Cook, Keaton Jennings, Jonny Bairstow, Jos Buttler, Oliver Pope, Moeen Ali, Adil Rashid, Jamie Porter, Sam Curran, James Anderson, Stuart Broad, Chris Woakes, Ben Stokes. Match starts at: 3.30 pm IST. PTI CN KHS
KHS DOWNLOA \ No newline at end of file diff --git a/input/test/Test4836.txt b/input/test/Test4836.txt new file mode 100644 index 0000000..f513ef3 --- /dev/null +++ b/input/test/Test4836.txt @@ -0,0 +1,25 @@ +PROPOSALS to hand everyone in Scotland a basic, flat-rate income are an attempt to "euthanise" the working class as a political concept, a think-tank director has said. +Tom Kibasi, director of the left-wing Institute for Public Policy Research (IPPR), insisted the scheme was to the UK's economic problems "what snake oil is to medicine". +He argued it would mean "getting into bed with the billionaires" by letting capitalism off the hook and entrenching power inequalities. +READ MORE: Councils draw up plans for universal basic income It comes after Nicola Sturgeon pledged to fund research into a universal basic income (UBI) last year, with £250,000 set aside for potential pilots in four council areas. Shadow chancellor John McDonnell has also said pilots could be included in the next Labour manifesto. +Mr Kibasi was debating the issue at the Edinburgh International Book Festival with economist and basic income campaigner Annie Miller and economist and journalist Stewart Lansley. +Ms Miller, co-founder of Citizen's Basic Income Network Scotland, suggested every adult could be paid £162 a week. This would be funded by hiking income tax to at least 45%. +The IPPR previously said such a scheme would cost £20 billion a year in Scotland and would risk making child poverty worse. +Agreeing the economy is in crisis and in need of fundamental reform, Mr Kibasi said a basic income was seductive "precisely because it's a big idea, but the problem is that big ideas aren't necessarily good ideas". +He added: "My real objection to UBI is that it lets capitalism off the hook. It is giving in, it is embracing defeat." +He said the policy was widely supported by Silicon Valley tycoons such as Elon Musk, former Google chairman Eric Schmidt and Facebook founder Mark Zuckerberg – as well as Richard Branson. +He continued: "In politics you always get strange bedfellows – that's absolutely the case. But if you're going to get into bed with the billionaires, you've got to ask yourself, 'Why are they in favour of it?' +"The reason is that UBI actually maintains unequal power relations." +Kenny MacAskill: For the sake of society the wealthy must be made to pay their way He said introducing a basic income risked leaving 20 or 30 per cent of the population as a "dependent class", and insisted it was "trying to attempt a form of kind of euthanasia for the working class as a political category and a political concept". +Dismissing the idea as "magical thinking", he argued money should instead be spent on building good homes, boosting the budget of the NHS or improving schools. +He also insisted UBI would "solidify and reinforce" gender inequality, because women would come under pressure to stay at home and look after their children. +He added: "UBI is to our economic problems what snake oil is to medicine." +Glasgow , Edinburgh, Fife and North Ayrshire councils are all considering basic income pilots. +They will be ready to begin their trials in March 2020 – subject to a final decision on whether or not the proposals are feasible. +Gordon Brown: Scotland set to be engulfed in devastating child poverty crisis Supporters deny the scheme is being held up as a "silver bullet" that will solve all of society's problems. +Ms Miller said UBI would help "emancipate" people and prevent poverty, and branded the current social security system "very cruel". +But she said it would need to be introduced gradually to prevent disruption and allow the system to settle in. +She said UBI would live up to the four words engraved on the mace in the Scottish Parliament : justice, integrity, compassion and wisdom. +"I can't think of a better foundation for a society than a basic income, bringing about some of these changes that I hope will happen," she added. +A Scottish Government spokesperson said: "We are interested in any proposals to help reduce poverty and inequality. +"We have awarded £250,000 over the next two years to four local authorities developing work that seeks to better understand the impact of a citizen's basic income – including costs, benefits and savings. \ No newline at end of file diff --git a/input/test/Test4837.txt b/input/test/Test4837.txt new file mode 100644 index 0000000..4f33b5d --- /dev/null +++ b/input/test/Test4837.txt @@ -0,0 +1,18 @@ +New York Lottery numbers drawn Thursday By The Associated Press +ALBANY, N.Y. >> These New York lotteries were drawn Thursday: +Numbers Midday +(two, three, eight; Lucky Sum: thirteen) +Win 4 Midday +(six, three, four, seven; Lucky Sum: twenty) +Numbers Evening +(three, one, nine; Lucky Sum: thirteen) +Win 4 Evening +(four, three, four, nine; Lucky Sum: twenty) +Take 5 +(one, four, ten, eighteen, thirty-two) +Pick 10 +03-04-07-08-09-20-24-28-32-36-40-44-45-47-52-58-61-65-72-77 +(three, four, seven, eight, nine, twenty, twenty-four, twenty-eight, thirty-two, thirty-six, forty, forty-four, forty-five, forty-seven, fifty-two, fifty-eight, sixty-one, sixty-five, seventy-two, seventy-seven) +Cash4Life +(nine, twenty-five, twenty-eight, twenty-nine, forty-eight; Cash Ball: one) +Mega Million \ No newline at end of file diff --git a/input/test/Test4838.txt b/input/test/Test4838.txt new file mode 100644 index 0000000..4f33b5d --- /dev/null +++ b/input/test/Test4838.txt @@ -0,0 +1,18 @@ +New York Lottery numbers drawn Thursday By The Associated Press +ALBANY, N.Y. >> These New York lotteries were drawn Thursday: +Numbers Midday +(two, three, eight; Lucky Sum: thirteen) +Win 4 Midday +(six, three, four, seven; Lucky Sum: twenty) +Numbers Evening +(three, one, nine; Lucky Sum: thirteen) +Win 4 Evening +(four, three, four, nine; Lucky Sum: twenty) +Take 5 +(one, four, ten, eighteen, thirty-two) +Pick 10 +03-04-07-08-09-20-24-28-32-36-40-44-45-47-52-58-61-65-72-77 +(three, four, seven, eight, nine, twenty, twenty-four, twenty-eight, thirty-two, thirty-six, forty, forty-four, forty-five, forty-seven, fifty-two, fifty-eight, sixty-one, sixty-five, seventy-two, seventy-seven) +Cash4Life +(nine, twenty-five, twenty-eight, twenty-nine, forty-eight; Cash Ball: one) +Mega Million \ No newline at end of file diff --git a/input/test/Test4839.txt b/input/test/Test4839.txt new file mode 100644 index 0000000..38561f7 --- /dev/null +++ b/input/test/Test4839.txt @@ -0,0 +1,21 @@ +Login Subscribe Welcome to our new website +As well as being able to load content faster than ever before, you'll now find it's much easier to find all the content you need about the Asian business world. Visit our improved website Singapore exports beat forecasts, again thanks to drugs Shipments to US increase in July but those to China stay flat August 17, 2018 16:04 JST Shipments to the U.S., Japan and the European Union increased while sales to China were unchanged compared to a year ago. © Reuters +SINGAPORE (Nikkei Markets) -- Singapore doubled its overseas shipments of pharmaceuticals and food preparations in July from year-ago levels, lifting exports data well above expectations and underlining the strength of manufacturing activity in the city-state. +However, several economists warned that last month's gains were not sustainable given the continued weakness in shipments of electronics as well as the brewing trade war between the U.S. and China. +Based on data from trade agency Enterprise Singapore, non-oil exports grew 11.8% year on year in July. That was above market consensus for around 7.5% growth and much faster than June's on-year expansion of 0.8%. +The pace was also better than that of some other major technology exporters in the region - South Korea recently reported exports growth of 6.2% in July, while Taiwan posted a 4.7% rise. +Compared to a month ago, non-oil domestic exports rose 4.3% to a seasonally adjusted 15.7 billion Singapore dollars ($11.4 billion), reversing June's on-month fall of 11.1%, Enterprise Singapore said. +Singapore reports non-oil domestic exports as these provide a better gauge of the country's economic activity. This is because prices of refined oil products tend to be volatile while total exports include the billions of dollars of goods produced elsewhere that are shipped through Singapore's container ports, the world's second busiest after Shanghai. +Although the July figures were better than the consensus expectation, electronics exports still lag behind last year's levels, Robert Carnell, ING's Asia-Pacific chief economist and head of research, said in a note to clients. +"An eye-watering 109% year-on-year gain in pharmaceuticals - mainly driven by last year's weakness - played a helping role in this month's outsize recovery," he added. +Exports of drugs, a sector that tends to be volatile due to sharp variations in production cycles, have helped offset the drag from waning demand for electronics in recent months. +According to Enterprise Singapore, electronics exports declined 3.8% in July from a year ago, hurt by slower shipments of integrated circuits, diodes and transistors, and personal computer parts. However, the pace was slower than June's 8.6% fall. +In contrast, shipments of non-electronic products expanded 18.8% on year, following the 4.5% rise in the previous month. Besides pharmaceuticals and food preparations, the primary chemicals segment was the other star performer with growth of 41.3% on year. +Among key export markets, shipments to the U.S., Japan and the European Union increased while sales to China were unchanged compared to a year ago, Enterprise Singapore said. Exports to China shrank by 15.8% on year in June. +Looking ahead, Selena Ling, head of treasury research and strategy at Oversea-Chinese Banking Corp. , said exports growth would likely slow in coming months due to the higher base a year ago and escalating tensions between the U.S. and China. +Since pharmaceuticals output and exports can be rather volatile, "it is unclear how long this current uptick will sustain beyond the immediate few months ahead," she added. +For the whole of this year, OCBC expects non-oil exports growth of 4% to 5%, which is below the first seven months' pace of 6.2%. +Earlier this week, Enterprise Singapore upgraded its exports growth outlook to 2.5% to 3.5% this year as against its earlier estimate of 1% to 3%. +However, gross domestic product growth data for the second quarter, released a few days ago, fell below analysts' forecasts. +According to the Ministry of Trade and Industry, Singapore's economy expanded 3.9% on year during the April-June period. MTI also said full-year growth would likely fall between 2.5% and 3.5%, amid risks posed by U.S. tariffs on imports from major trading partners. +--Kevin Li \ No newline at end of file diff --git a/input/test/Test484.txt b/input/test/Test484.txt new file mode 100644 index 0000000..d333a63 --- /dev/null +++ b/input/test/Test484.txt @@ -0,0 +1,6 @@ +Pune's problem: Most liveable city in country but not best in any category +Maharashtra might soon see the delisting of oilseeds and cereals from wholesale markets, allowing trade in these commodities anywhere. Minister of State for Agriculture and Marketing Sadashiv Khot has indicated that the state government would take a final call on this soon. The yearly turnover of trade in oilseeds and cereals in the state is around Rs 20,000 crore. Mandis in Marathwada and Vidharbha dominate the trade, given the crop demographics of the area. Delisting of the commodities will hit these markets the most as they depend on cess for their day-to-day running. The move to delist oilseeds and cereals, it may be recalled, has been opposed tooth and nail by these markets in the past. +Market reforms, including delisting of agri-commodities, have been one of the major reforms undertaken by the BJP-led government in the state. In 2015, the government had delisted fruits and vegetables from wholesale markets to help farmers get better prices. Delisting allows trade in the agri-commodities outside the geographical boundaries of mandis, which otherwise control the trade dynamics. Absence of alternative markets and the stranglehold of traders and commission agents in these markets have long been the grouse of farmers who have complained of low prices. +Khot said that the government was in the process of finalising the policy in this regard. "We will soon bring this policy, which will help farmers get better prices," he said. Senior officials in the Agriculture department indicated that the policy might be discussed and finalised in the next Cabinet meeting. Also, chances of bringing about the move through an ordinance is also not being ruled out by the officials. Khot said that they were exploring all avenues before taking a decision. +The decision to delist oilseeds and cereals has been a contentious issue with market committees in Vidharbha and Marathwada opposing it. A special committee headed by the director of marketing had also indicated that the move would be counter-productive and farmers might not be able to sell their produce at the government-declared Minimum Support Price (MSP). A special committee with representatives of farmers, traders and other stakeholders has also been constituted to study the issue and it is in the final stages of preparing its report. +The ruling BJP also controls markets in Vidharbha and naturally such leaders are opposed to the move. It might be recalled that the delisting of fruits and vegetables had caused a 10-15 per cent dip in arrivals of the produce in mandis. Khot said such opposition was illogical and apprehension of the market committees were unfounded. "Business should not be run on monopoly and the market committees should look at this as healthy competition," he said. Must Watc \ No newline at end of file diff --git a/input/test/Test4840.txt b/input/test/Test4840.txt new file mode 100644 index 0000000..ac86e3e --- /dev/null +++ b/input/test/Test4840.txt @@ -0,0 +1,7 @@ +speccomm | August 16, 2018 +The tobacco industry's 'global online activities' need to be regulated, according to researchers in Australia. +'Transnational tobacco companies are using Twitter to oppose tobacco control policy and shape their public identity by promoting corporate social responsibility initiatives in violation of [the] WHO [World Health Organization] Framework Convention on Tobacco Control,' the researchers concluded in the abstract of a Tobacco Control paper published on the BMJ Journals website. +'The tobacco industry has a long history of opposing tobacco control policy and promoting socially responsible business practices. With the rise of social media platforms, like Twitter, the tobacco industry is enabled to readily and easily communicate these messages. +The researchers said that all tweets published by the primary corporate Twitter accounts of British American Tobacco, Imperial Brands, Philip Morris International and Japan Tobacco International had been downloaded in May 2017 and manually coded under 30 topic categories. +Out of the 3,301 tweets analysed the most prominent categories of tweets were said to have been on topics that opposed or critiqued tobacco control policies (36.3 percent of BAT's tweets, 35.1 percent of Imperial's tweets, 34.0 percent of JTI's tweets and 9.6 percent of PMI's tweets). +All companies were said to have tweeted consistently to promote an image of being socially and environmentally responsible. Share this \ No newline at end of file diff --git a/input/test/Test4841.txt b/input/test/Test4841.txt new file mode 100644 index 0000000..a01bc54 --- /dev/null +++ b/input/test/Test4841.txt @@ -0,0 +1,12 @@ +By Linda Holmes • 2 hours ago L to R: Anna Cathcart, Janel Parrish, and Lana Condor play Kitty, Margot, and Lara Jean Covey in To All the Boys I've Loved Before . Netflix +Well, it's safe to say Netflix giveth and Netflix taketh away. +Only a week after the Grand Takething that was Insatiable , the streamer brings along To All The Boys I've Loved Before , a fizzy and endlessly charming adaptation of Jenny Han's YA romantic comedy novel. +In the film, we meet Lara Jean Covey (Lana Condor), who's in high school and is the middle sister in a tight group of three: There's also Margot, who's about to go to college abroad, and Kitty, a precocious (but not too precocious) tween. Unlike so many teen-girl protagonists who war with their sisters or don't understand them or barely tolerate them until the closing moments where a bond emerges, Lara Jean considers her sisters to be her closest confidantes — her closest allies. They live with their dad (John Corbett); their mom, who was Korean, died years ago, when Kitty was very little. +Lara Jean has long pined for the boy next door, Josh (Israel Broussard), who is Margot's boyfriend, and ... you know what? This is where it becomes a very well-done execution of romantic comedy tricks, and there's no point in giving away the whole game. Suffice it to say that a small box of love letters Lara Jean has written to boys she had crushes on manages to make it out into the world — not just her letter to Josh, but her letter to her ex-best-friend's boyfriend Peter (Noah Centineo), her letter to a boy she knew at model U.N., her letter to a boy from camp, and her letter to a boy who was kind to her at a dance once. +This kind of mishap only happens in romantic comedies (including those written by Shakespeare), as do stories where people pretend to date — which, spoiler alert, also happens in Lara Jean's journey. But there's a reason those things endure, and that's because when they're done well, they're as appealing as a solid murder mystery or a rousing action movie. +So much of the well-tempered rom-com comes down to casting, and Condor is a very, very good lead. She has just the right balance of surety and caution to play a girl who doesn't suffer from traditionally defined insecurity as much as a guarded tendency to keep her feelings to herself — except when she writes them down. She carries Han's portrayal of Lara Jean as funny and intelligent, both independent and attached to her family. +In a way, Centineo — who emerges as the male lead — has a harder job, because Peter isn't as inherently interesting as Lara Jean. Ultimately, he is The Boy, in the way so many films have The Girl, and it is not his story. But he is what The Boy in these stories must always be: He is transfixed by her, transparently, in just the right way. +There is something so wonderful about the able, loving, unapologetic crafting of a finely tuned genre piece. Perhaps a culinary metaphor will help: Consider the fact that you may have had many chocolate cakes in your life, most made with ingredients that include flour and sugar and butter and eggs, cocoa and vanilla and so forth. They all taste like chocolate cake. Most are not daring; the ones that are often seem like they're missing the point. But they deliver — some better than others, but all with similar aims — on the pleasures and the comforts and the pattern recognition in your brain that says "this is a chocolate cake, and that's something I like." +When crafting a romantic comedy, as when crafting a chocolate cake, the point is to respect and lovingly follow a tradition while bringing your own touches and your own interpretations to bear. Han's characters — via the Sofia Alvarez screenplay and Susan Johnson's direction — flesh out a rom-com that's sparkly and light as a feather, even as it brings along plenty of heart. +And yes, this is an Asian-American story by an Asian-American writer. It's emphatically true, and not reinforced often enough, that not every romantic comedy needs white characters and white actors. Anyone would be lucky to find a relatable figure in Lara Jean; it's even nicer that her family doesn't look like most of the ones on American English-language TV. +The film is precisely what it should be: pleasing and clever, comforting and fun and romantic. Just right for your Friday night, your Saturday afternoon, and many lazy layabout days to come. Copyright 2018 NPR. To see more, visit http://www.npr.org/. © 2018 Hawaii Public Radi \ No newline at end of file diff --git a/input/test/Test4842.txt b/input/test/Test4842.txt new file mode 100644 index 0000000..0956bbd --- /dev/null +++ b/input/test/Test4842.txt @@ -0,0 +1,38 @@ +China, unsure of how to handle trump, braces for 'new Cold War' Published 42 minutes US President Donald Trump interacts with Chinese President Xi Jinping at Mar-a-Lago state in Palm Beach, Florida April 6, 2017. — Reuters pic +BEIJING, Aug 17 — Perhaps nowhere outside America's heartland is Donald Trump given more credit than in Beijing. +In government offices and think tanks, universities and state-run newsrooms, there is an urgent debate underway about what many here see as the hidden motive for Washington's escalating trade war against President Xi Jinping's government: A grand strategy, devised and led by Trump, to thwart China's rise as a global power. +"The Trump administration has made it clear that containing China's development is a deeper reason behind the tariff actions," said He Weiwen, a former commerce ministry official and now a senior fellow at the Center for China and Globalization, an independent research group filled with former bureaucrats. +These sentiments were echoed by many of the more than two dozen current and former government officials, business executives, state-affiliated researchers, diplomats and state-run media editors interviewed for this article. Most requested anonymity to speak their minds about sensitive matters. +A common suspicion ran through the conversations — that the tariffs are just a small part of Trump's plan to prevent China from overtaking the US as the world's largest economy. Several people expressed concern that the two nations may be heading into a long struggle for global dominance that recalls the last century's rivalry between the US and Soviet Union. +US-China trade war only the start of fight for world dominance +"The trade war has prompted thinking in China on whether a new cold war has begun," said An Gang, a senior research fellow at the Pangoal Institution, an independent research group in Beijing whose experts include former government officials. The dispute, he says, "now has military and strategic implications" — reflecting concern among some in Beijing that tensions could spill over into Taiwan, the South China Sea and North Korea. +The general pessimism is a major shift among China's elite, many of whom had initially welcomed the rise of a US president viewed as a transactional pragmatist who would cut a deal to narrow a US$375 billion trade deficit for the right price. Now, with tariffs on US$34 billion of goods already in effect and duties on another US$216 billion in the pipeline, a majority saw no quick fix to a problem that is starting to rattle the country's top leaders. +'Smart negotiator' +The turning point came a few months ago, when Trump put a stop to a deal for China to buy more energy and agricultural goods to narrow the trade deficit. Not only did that insult Xi, China's all-powerful leader who had sent a personal emissary to Washington for the negotiations, but it crystallised a view in Beijing that Trump won't quit until he thwarts China's rise once and for all. +"Donald Trump is a smart negotiator who has accumulated abundant experience in doing business for many years — and also from the show 'The Apprentice,'" said Wang Huiyao, an adviser to China's cabinet and founder of the Center for China and Globalization, whose advisory council is stacked with former lawmakers. While "China is open to negotiations," he said, Trump's pressure tactics "will only arouse Chinese nationalism, which will be counterproductive." +The ramifications of that are now rippling through a society that has embraced America's consumer culture — Big Macs, Bentley cars and Chanel handbags are ubiquitous in Beijing — even as it retains a one-party political system that champions large state enterprises and has little tolerance for dissent. +The trade war is leading to some soul searching in Beijing. Discussions quickly turn to the sustainability of China's state-centred economy and the leadership of Xi, who can rule the country indefinitely after he led a successful effort earlier this year to repeal presidential term limits. +Xi criticism +The hushed debate centres over the wisdom of Xi's goals for rapid growth and his decision to announce China's ambitions to the world. This was a dramatic shift from former leader Deng Xiaoping's famous dictum, "Hide your strength, bide your time.'' Critics of Xi say policies like Made in China 2025 (a plan to dominate industries such as aircraft, new energy vehicles and biotechnology) and the Belt and Road Initiative (a mechanism to finance infrastructure investments around the globe) raised alarm in the West, and prompted the US to target China before it could build critical technologies. +This was seen by how swiftly Trump could bring down ZTE Corp, China's second-largest telecommunications equipment maker. In April, his administration prohibited the company from buying essential components from American suppliers after it violated laws banning the sale of US technology to Iran. The move prompted ZTE to cease major operating activities until Trump came to the rescue and helped engineer a settlement. +Although ZTE is now back up and running, the episode showed China just how dependent the nation is on the US for high-end know-how. It has also highlighted wider efforts to block Chinese firms from acquiring tech companies by the Committee on Foreign Investment in the United States, which reviews deals on national security grounds. All in all it amounts to "high-tech containment" of China, said Shi Yinhong, a foreign affairs adviser to the State Council and director of Renmin University's Center on American Studies in Beijing. +The US, of course, sees things differently. Officials have repeatedly said they don't want to prevent China from growing, they just want to stop it from breaking the rules and stealing intellectual property — allegations that officials in Beijing repeatedly deny. +'Off-the-books nonsense' +The Pentagon recently named China and Russia as two US rivals actively seeking to "co-opt or replace the free and open order that has enabled global security and prosperity since World War II." Last month, US Secretary of State Michael Pompeo obliquely criticized China for wooing developing countries with cheap financing for infrastructure projects, saying the US believes in "strategic partnerships, not strategic dependency." +"With American companies, citizens around the world know that what you see is what you get: honest contracts, honest terms and no need for off-the-books nonsense," Pompeo said in a speech before he attended a regional security forum in Singapore. Another advantage of the US, he said, is that "we will help them keep their people free from coercion or great power domination." +Across the political spectrum in China, from reformers to nationalists, there's a growing consensus that the nation needs to open up more to foreign business, better protect intellectual property and create a more level playing field. The confrontation with the US was "due in large part to China doing nothing for many years" to reduce the surplus, widen market access and ease state control, according to Shi from Renmin University. "China faces a new, uncertain situation and needs to undergo review and adjustment," he said. "We didn't consider other nations' feelings in our strategic great leap forward." +Yet sentiments like these are tempered by a reluctance to be seen as bending to Trump's demands. Several people said that at first they viewed the US tariffs as not all bad if they prompted the government to make long overdue adjustments in China's approach to doing business with the West. But as the trade war, and the war of words, has escalated, many of these same people are now digging in against the US, saying China won't be bullied. +Apart from some criticism from academics and grumbling from unnamed officials, so far there's little visible sign from China's opaque government that the trade war has impacted Xi's ability to control the levers of money and power. If Xi and his ministers are themselves suffering any doubts, it's not reflected in the official press. The People's Daily newspaper — the main mouthpiece of the Communist Party — recently confronted critics who say it was a mistake for China to be so public with its global goals. +"Such a heavyweight cannot be hidden by taking a 'low key' approach," the paper said in a commentary last week, "just like an elephant cannot conceal its body behind a small tree." +Is Xi Jinping's bold China power grab starting to backfire? +Beijing has signalled a willingness to strike a deal that narrows the trade deficit. But policy advisers see little room to budge on some of Trump's other demands, including an end to subsidies for strategic industries, a stop to forced technology transfer and more competition for state-owned enterprises. Those stipulations — shared widely by both Republicans and Democrats alike — are seen as posing an existential threat to the Communist Party, whose legitimacy to rule hinges on its ability to improve livelihoods. +Trump has tried to portray China as an adversary on the ropes, with a falling stock market, sliding currency and slowing economy. It's certainly true that the US economy is far stronger than China's. But in Beijing, there is general confidence that in a test of wills between the two presidents, it's Xi — who doesn't have to worry about elections or the wrath of special interest groups — who can endure more pain. +Five sticking points keeping Xi and Trump from a trade deal +China has also hinted there are ways to turn up the pressure on Trump, if necessary. Tariffs on automobiles, semiconductors and Boeing airplanes aren't off the table, according to Wei Jianguo, a former vice commerce minister and now vice director of China Center for International Economic Exchanges, a group with a mission to "improve China's soft power." While China is dependent on US chips to make high-performance mobile devices and can't completely cut ties with Boeing, it served as the second-largest market for American-made cars after Canada. +"If you want to hit Trump hard, give him a right hook so he remembers the pain," Wei said. +The instinct to fight back comes naturally to China. The "Century of Humiliation'' that followed the Opium Wars in the mid-1800s — in which foreign powers forced China to open its markets and provide access to strategic ports — is etched on the national psyche and used in Communist Party propaganda to spur nationalism. +'Most dangerous period' +Nearly everyone interviewed in Beijing was looking ahead to the mid-term elections in the US to see where things go next. While Standard Bank predicted on Aug. 15 that Trump would look to cut a deal before then to ride a stock-market surge to victory, the consensus in China saw a higher chance of a deal if the Republicans get walloped, as polls predict. China announced yesterday that lower-level talks were set to resume later this month. +"We're talking to China, they very much want to talk," Trump said yesterday at a cabinet meeting at the White House. "They just are not able to give us an agreement that is acceptable, so we're not going to do any deal until we get one that's fair to our country." +Next to nobody is betting on a quick resolution. While Trump could tactically shift course at any time — similar to what he's done with Nafta, the European Union and North Korea — with China he's persistently ignored opportunities to lower tensions. +"The US and China are now in the most dangerous period in the past 40 years," said Lu Xiang, an expert in relations between the countries at the government-run Chinese Academy of Social Sciences. "Mr. Trump put a knife on our neck. We will never surrender." — Bloomberg \ No newline at end of file diff --git a/input/test/Test4843.txt b/input/test/Test4843.txt new file mode 100644 index 0000000..8caeaaf --- /dev/null +++ b/input/test/Test4843.txt @@ -0,0 +1,12 @@ +By Linda Holmes • 1 hour ago L to R: Anna Cathcart, Janel Parrish, and Lana Condor play Kitty, Margot, and Lara Jean Covey in To All the Boys I've Loved Before . Netflix +Well, it's safe to say Netflix giveth and Netflix taketh away. +Only a week after the Grand Takething that was Insatiable , the streamer brings along To All The Boys I've Loved Before , a fizzy and endlessly charming adaptation of Jenny Han's YA romantic comedy novel. +In the film, we meet Lara Jean Covey (Lana Condor), who's in high school and is the middle sister in a tight group of three: There's also Margot, who's about to go to college abroad, and Kitty, a precocious (but not too precocious) tween. Unlike so many teen-girl protagonists who war with their sisters or don't understand them or barely tolerate them until the closing moments where a bond emerges, Lara Jean considers her sisters to be her closest confidantes — her closest allies. They live with their dad (John Corbett); their mom, who was Korean, died years ago, when Kitty was very little. +Lara Jean has long pined for the boy next door, Josh (Israel Broussard), who is Margot's boyfriend, and ... you know what? This is where it becomes a very well-done execution of romantic comedy tricks, and there's no point in giving away the whole game. Suffice it to say that a small box of love letters Lara Jean has written to boys she had crushes on manages to make it out into the world — not just her letter to Josh, but her letter to her ex-best-friend's boyfriend Peter (Noah Centineo), her letter to a boy she knew at model U.N., her letter to a boy from camp, and her letter to a boy who was kind to her at a dance once. +This kind of mishap only happens in romantic comedies (including those written by Shakespeare), as do stories where people pretend to date — which, spoiler alert, also happens in Lara Jean's journey. But there's a reason those things endure, and that's because when they're done well, they're as appealing as a solid murder mystery or a rousing action movie. +So much of the well-tempered rom-com comes down to casting, and Condor is a very, very good lead. She has just the right balance of surety and caution to play a girl who doesn't suffer from traditionally defined insecurity as much as a guarded tendency to keep her feelings to herself — except when she writes them down. She carries Han's portrayal of Lara Jean as funny and intelligent, both independent and attached to her family. +In a way, Centineo — who emerges as the male lead — has a harder job, because Peter isn't as inherently interesting as Lara Jean. Ultimately, he is The Boy, in the way so many films have The Girl, and it is not his story. But he is what The Boy in these stories must always be: He is transfixed by her, transparently, in just the right way. +There is something so wonderful about the able, loving, unapologetic crafting of a finely tuned genre piece. Perhaps a culinary metaphor will help: Consider the fact that you may have had many chocolate cakes in your life, most made with ingredients that include flour and sugar and butter and eggs, cocoa and vanilla and so forth. They all taste like chocolate cake. Most are not daring; the ones that are often seem like they're missing the point. But they deliver — some better than others, but all with similar aims — on the pleasures and the comforts and the pattern recognition in your brain that says "this is a chocolate cake, and that's something I like." +When crafting a romantic comedy, as when crafting a chocolate cake, the point is to respect and lovingly follow a tradition while bringing your own touches and your own interpretations to bear. Han's characters — via the Sofia Alvarez screenplay and Susan Johnson's direction — flesh out a rom-com that's sparkly and light as a feather, even as it brings along plenty of heart. +And yes, this is an Asian-American story by an Asian-American writer. It's emphatically true, and not reinforced often enough, that not every romantic comedy needs white characters and white actors. Anyone would be lucky to find a relatable figure in Lara Jean; it's even nicer that her family doesn't look like most of the ones on American English-language TV. +The film is precisely what it should be: pleasing and clever, comforting and fun and romantic. Just right for your Friday night, your Saturday afternoon, and many lazy layabout days to come. Copyright 2018 NPR. To see more, visit http://www.npr.org/. © 2018 WXP \ No newline at end of file diff --git a/input/test/Test4844.txt b/input/test/Test4844.txt new file mode 100644 index 0000000..de91936 --- /dev/null +++ b/input/test/Test4844.txt @@ -0,0 +1 @@ +Domestic Politics Social affairs Economy military Terrorism Cooperation Science &Issue Education Africa Europe North America South America Oceania Middle East United Nations Religion US Army in Korea UAE nuclear Finance UAE Southeast Asia United Nations ROC Leisure&Sports Olympics Footbal \ No newline at end of file diff --git a/input/test/Test4845.txt b/input/test/Test4845.txt new file mode 100644 index 0000000..0561aab --- /dev/null +++ b/input/test/Test4845.txt @@ -0,0 +1,2 @@ +Testing tools for the Automated Testing process (Bangalore, India, 05:59 05:59 Expires On : Thursday, 15 November, 2018 04:59 Reply to : (Use contact form below) +Our professional testing teams skillfully tune the data stores underlying applications i.e. databases, LDAP servers and web servers. We provide cutting-edge testing services for applications that are stand-alone, client/server or web-based. We have set up numerous automated and interactive regression test environments, which ensure that the future releases of the application will be of superior quality and will be delivered as per schedule. Posted ID-mayb981 It is ok to contact this poster with commercial interests \ No newline at end of file diff --git a/input/test/Test4846.txt b/input/test/Test4846.txt new file mode 100644 index 0000000..478ba84 --- /dev/null +++ b/input/test/Test4846.txt @@ -0,0 +1 @@ +Lip Care Market Research Report Presents Growth Opportunity and Trends Analysis through the 2017-2026 including Market Classification by Product Type (Lip Balm, Lip Butter, Lip Conditioner and Scrub, etc.) and Packaging Form (Sticks, Tubes, Cosmetic Conta Press release from: Fact.MR Lip care products are witnessing robust adoption worldwide on the back of their protection and nourishment to lips against drying effects caused by cold & wind, harmful sun rays, and dust. Sales of lip care products will further witness a rise with surging demand for multi-purpose, organic lip care products coupled with rising concerns regarding use of their synthetic counterparts. This report, compiled by FactMR, provides in-depth analysis of the global Lip Care Market for the forecast period 2017-2022, and offers key insights about future market direction.The scope of FactMR's report is to analyze the global lip care market for the forecast period 2017-2022 and provide readers an unbiased and accurate analysis. Lip care manufacturers, stakeholders, and suppliers in the global consumer goods sector can benefit from the analysis offered in this report. This report offers a comprehensive analysis, which can be of interest to leading trade magazines and journals pertaining to lip care.Request a Free Sample Report Here - www.factmr.com/connectus/sample?flag=S&rep_id=495 The ever-growing importance of grooming, along with rising interest toward presentable appearance among aspirational, urban population for creating positive impression has paved numerous opportunities in the cosmetics sector. The emerging interest of personal grooming in working professionals in light of rising living standards has led to innovations in various cosmetic products, and lip care is no exception. A large number of revolutionary lip care products have been launched globally with an aesthetic appeal that peeks attention of consumers, thereby fuelling sales. Lip care products have gained immense traction among beauty- and health-conscious consumers, as these products provide nourishment and protection to lips against dust, drying effects of cold & wind, and harmful sun rays.However, chemicals utilized in lip care products are being viewed as harmful for health, thereby resulting into a paradigm shift toward adoption of organic lip care products. Manufacturers are therefore introducing multi-purpose and organic lip care products in order to stay in line with the growing trend. Demand for lip care products with sun protection factor among the youth population is another major trend being witnessed worldwide. Entertaining and convincing advertisements that promote utilization of lip care products, along with endorsements by popular celebrities on TV and social media are further expected to accelerate sales of lip care products in the near future.Asia-Pacific excluding Japan (APEJ) currently dominates the global lip care market and is expected to prevail as the most lucrative region in the market. Dominance of APEJ in the lip care market can be highly attributed to rising availability of branded lip care products, increased affordability of consumers, and increasing presence of international and local brands in the region. In addition, robust expansion of the urban population in APEJ countries such as China and India has a pivotal role in growth of the region's cosmetic sector, which in turn will positively influence rise of the lip care market in the region.View Full Report Here - www.factmr.com/report/495/lip-care-market Sticks to Remain Leading Packaging Form for Lip Care ProductsLip care products packed in sticks are highly sought-after among consumers on the back of the convenience offered in carrying and application of the product on lips. Sticks will therefore remain the leading packaging form used for lip care products, with sales estimated to exceed US$ 2,000 Mn by 2026-end.Based on price range, economic lip care products will remain preferred by consumers, followed by medium priced lip care products. Revenues from both these price range segments are expected to collectively hold over four-fifth share of the market by 2026-end. Modern trade will spearhead the global lip care products market in terms of revenues, on the basis of sales channels.Competition TrackingKey players profiled by FactMR's report include L'Oréal S.A., Johnson & Johnson Services, Inc., Beiersdorf Aktiengesellschaft, Avon Products, Inc., Shiseido Co., Ltd., The Procter & Gamble Company, Unilever PLC, Kao Corporation, Kiehl's, The Estee Lauder Companies Inc., and Subaru Corporation.Table of Contents Global Lip Care Market - Executive Summary Global Lip Care Market Overview 3.1. Introduction 3.1.1. Global Lip Care Market Taxonomy 3.1.2. Global Lip Care Market Definition3.2. Global Lip Care Market Size (US$ Mn) & Volume (Units) and Forecast, 2012-2026 3.2.1. Global Lip Care Market Y-o-Y Growth3.3. Global Lip Care Market Dynamics3.4. Supply Chain3.6. Global Personal Care Products Market3.7. Global Personal Care Products Market Growth Rate Trends3.8. Forecast Factor \ No newline at end of file diff --git a/input/test/Test4847.txt b/input/test/Test4847.txt new file mode 100644 index 0000000..6cf4324 --- /dev/null +++ b/input/test/Test4847.txt @@ -0,0 +1,2 @@ +RSS Orthodontic Mouthpieces Market Analysis by Key Players 2018-2025: Nivol, Orchestrate Orthodontic Technologies A closer look at the overall Orthodontic Mouthpieces business scenario presented through self-explanatory charts, tables, and graphics images add greater value to the study. +New York, NY -- ( SBWIRE ) -- 08/17/2018 -- The latest market research report on Orthodontic Mouthpieces market, samples and measures quality data on the overall business environment for the forecast period 2018-2025.Comprehensive data on growing investment pockets evaluated in the report on Orthodontic Mouthpieces market are powered and backed by human answers. Comprehensive coverage of aspects such as market potential, size, share, and growth aims at creating an equation for profitability- whether stakeholders, business owners, and field marketing executives need to understand their market foothold and dynamics identify the white spaces or increase their yield. The broad scope of information on the current and future trends enable product owners to plan their growth such as the geography they should pursue and technology required for their success. Request for free sample report in PDF format @ https://www.marketexpertz.com/sample-enquiry-form/16347 In market segmentation by manufacturers, the report covers the following companies Armstrong Medical, ClearCorrect, Derby Dental, FORESTADENT BERNHARD FOERSTER, G&H Orthodontics, K Line Europe, LM-INSTRUMENTS, Nivol, Orchestrate Orthodontic Technologies, Ormco, SICAT, TP Orthodontics Scope of the report: The extensive assessment of real-time data on the business environment offers a more specialized view of threats and challenges companies are likely to face in the years to come. In addition, the unique expertise of the researchers behind the study in strategic growth consulting enables product owners identifies important definition, product classification, and application. Coverage of critical data on investment feasibility, return on investment, demand and supply, import and export, consumption volume and production capability aim at supporting the business owners in multiple growth phases including the initial stages, product development and prioritizing potential geography. All valuable data assessed in the report are presented through charts, tables, and graphic images. Ask for discount on the report @ https://www.marketexpertz.com/discount-enquiry-form/16347 In market segmentation by geographical regions, the report has analysed the following regions- North America (USA, Canada and Mexico) Europe (Germany, France, UK, Russia and Italy) Asia-Pacific (China, Japan, Korea, India and Southeast Asia) South America (Brazil, Argentina, Columbia etc.) Middle East and Africa (Saudi Arabia, UAE, Egypt, Nigeria and South Africa) In market segmentation by types of Orthodontic Mouthpieces market, the report covers- - Transparent In market segmentation by applications of the Coated Papers, the report covers the following uses- - Hospital - Other Purchase complete report @ https://www.marketexpertz.com/checkout-form/16347 For further granularity, the study digs deep into aspects such as market segmentation, key driving forces, opportunities and threats for the forecast period of 2018-2025. To help business strategist strengthens their strategic planning and executes a plan to maintain and gain a competitive edge the research weighs up on buyer preferences, gross margin, profit and sale across different regions. Strong focus on financial competency, strengths, and weaknesses of the companies and recent acquisition and merger speaks a lot about the future adjacencies around the core business due to the on-going development in the Orthodontic Mouthpieces market. The research provides answers to the following key questions: - What will be the growth rate and the market size of the Orthodontic Mouthpieces industry for the forecast period 2018-2025? - What are the major driving forces expected to impact the development of the Orthodontic Mouthpieces market across different regions? - Who are the major driving forces expected to decide the fate of the industry worldwide? - Who are the prominent market players making a mark in the Orthodontic Mouthpieces market with their winning strategies? - Which industry trends are likely to shape the future of the industry during the forecast period 2018-2025? - What are the key barriers and threats believed to hinder the development of the industry? - What are the future opportunities in the Orthodontic Mouthpieces market? The report is distributed over 15 Chapters to display the analysis of the global Orthodontic Mouthpieces market. Chapter 1 covers the Orthodontic Mouthpieces Introduction, product scope, market overview, market opportunities, market risk, market driving force; Chapter 2 talks about the top manufacturers and analyses their sales, revenue and pricing decisions for the duration 2018-2025; Chapter 3 displays the competitive nature of the market by discussing the competition among the top manufacturers. It dissects the market using sales, revenue and market share data for 2018-2025; Chapter 4, shows the global market by regions and the proportionate size of each market region based on sales, revenue and market share of Coated Papers, for the period 2018-2025; Chapter 5, 6, 7, 8 and 9, are dedicated to the analysis of the key regions, with sales, revenue and market share by key countries in these regions; Chapter 10 and 11, talk about the application and types of Orthodontic Mouthpieces in the market using the same set of data for the period 2018-2025; Chapter 12 provides the market forecast by regions, types and applications using sales and revenue data for the period 2018-2025; Chapter 13, 14 and 15 describe the value chain by focusing on the sales channel and the distributors, traders, dealers of the Coated Papers. The concluding chapter also includes research findings and conclusion. Browse complete report description @ https://www.marketexpertz.com/industry-overview/orthodontic-mouthpieces-market About MarketExpertz Planning to invest in market intelligence products or offerings on the web? Then marketexpertz has just the thing for you - reports from over 500 prominent publishers and updates on our collection daily to empower companies and individuals catch-up with the vital insights on industries operating across different geography, trends, share, size and growth rate. There's more to what we offer to our customers. With marketexpertz you have the choice to tap into the specialized services without any additional charges. Contact Us: 40 Wall St. 28th floor New York City, NY 10005 United States sales@marketexpertz.co \ No newline at end of file diff --git a/input/test/Test4848.txt b/input/test/Test4848.txt new file mode 100644 index 0000000..c137564 --- /dev/null +++ b/input/test/Test4848.txt @@ -0,0 +1 @@ +Press release from: Global Market Insights Asphalt Mixing Plants Market Asia Pacific Asphalt Mixing Plants Market generated revenue over USD 2.5 billion and is foreseen to hold a major share of the market pie over the coming years. Owing to the robust growth in the countries of Asia Pacific and Latin America, asphalt mixing plants industry from road construction application generated revenue over USD 5.5 billion in 2016. The governments of various Asian countries including China, Malaysia, Thailand, India, and Japan are financing huge amount of capital to develop road infrastructure as they act as catalyst to country's development and economic growth.Sample copy of this Report @ www.gminsights.com/request-sample/detail/1998 Strong growth outlook in the civil construction industry has charted a profitable roadmap for asphalt mixing plants market over the coming years. The spurt in demand for asphalt is being significantly driven by the repair and construction segment, that builds the world's asphalt driveways, tunnels, highways, bridges, and airport runways. The importance of good highways for the infrastructural development has strongly agitated the growth of asphalt mixing plants industry in several countries. In fact, speaking on statistical terms, more than 70% of the overall asphalt production is utilized for road developments across the globe. The developing countries with immense growth opportunities are expected to become significant hotspots for investment. Interestingly, asphalt mixing plants industry players are looking to tap the growing demand by launching innovative products with competitive technical properties. One such example is of the 2013's collaboration of Ammann Research & Development Center with Apollo India Private Ltd, to innovate and manufacture asphalt pavers, soil compactors and asphalt mixing plants. The governments of various Asian countries including China, Malaysia, Thailand, India, and Japan are financing huge amount of capital to develop road infrastructure as they act as catalyst to country's development and economic growth. In 2016, Asia Pacific asphalt mixing plants market generated revenue over USD 2.5 billion and is foreseen to hold a major share of the market pie over the coming years. Owing to the robust growth in the countries of Asia Pacific and Latin America, asphalt mixing plants industry from road construction application generated revenue over USD 5.5 billion in 2016. Browse Report Summery @ www.gminsights.com/industry-analysis/asphalt-mixing-plant... The harmful gases and volatile organic compounds emitted from the asphalt mixing plants pose a major threat to the growth of this industry. The environment threats pertaining to asphalt components and its quality and usage are being strongly monitored by the agencies such as EAPA, NAPA, and Association of Asphalt Paving Technology, which may hamper the asphalt mixing plants market expansion. However, many asphalt mixing plants industry players are adopting the sustainable green technology and environment friendly raw materials to combat the pollution problems associated with asphalt mixing plants. This is set to create huge growth opportunities for the industry players to develop sustainable and eco-friendly materials with regards to asphalt mixing and grab lucrative growth avenues over the coming years. One such instance is of Local Self-Government Department of Thiruvananthapuram, India. In a move to adopt green technology, the LSGD used an emulsion-based mix in asphalt instead of hot bitumen for the construction of road. Globally, asphalt mixing plants industry is set to witness a remarkable growth trajectory with a CAGR estimation of 1.4% and exceed revenue generation of USD 7 billion by 2024.Partial Chapter of the Table of Content Chapter 2. Executive Summary2.1. Asphalt mixing plants industry 360° synopsis, 2013 – 2024 2.1.1. Business trend \ No newline at end of file diff --git a/input/test/Test4849.txt b/input/test/Test4849.txt new file mode 100644 index 0000000..29341cc --- /dev/null +++ b/input/test/Test4849.txt @@ -0,0 +1,4 @@ +Hyderabad: A 23-year-old law student from Bengaluru was found hanging at a lodge in Begum Bazaar on Thursday morning. +According to the Begum Bazaar police, Chiranjeevi, an LLB second year student from a law college in Bengaluru, had turned his mobile phone switched off since Monday. He took a room in My Choice lodge on Tuesday for two days and at night bought liquor and food. He consumed the liquor, but did not have food. "After having liquor, he is suspected to have committed suicide by hanging himself from the ceiling. No suicide note was found," the police said. +The incident came to light on Thursday, when the staff in the lodge sensed a foul smell emanating from his room. When they knocked on the door, there was no response from inside. When they broke it open, they found his body in a decomposed state on the bed. +A case was booked and being probed. Police said no reason was found yet. His family in Bengaluru was informed and the body shifted to Osmania General Hospital \ No newline at end of file diff --git a/input/test/Test485.txt b/input/test/Test485.txt new file mode 100644 index 0000000..3d2407d --- /dev/null +++ b/input/test/Test485.txt @@ -0,0 +1,19 @@ +What would no-deal Brexit mean for food and medicine? +It comes as Brexit talks resumed in Brussels between UK and EU officials. +There has been growing speculation about the possibility of the UK leaving the European Union without a deal in March 2019. +Bank of England governor Mark Carney said this month the possibility of the UK and EU failing to reach agreement on the terms of departure was "uncomfortably high". +He was criticised as "the high priest of Project Fear" by Tory MP Jacob Rees-Mogg, who leads the Tory pro-Brexit European Research Group. +International Trade Secretary Liam Fox, a leading Brexiteer, has put the chance of failing to come to an agreement at "60-40", blaming the "intransigence" of the European Commission. +Mr Hunt told ITV on Thursday that he believed the government's Chequers plan was the "framework on which I believe the ultimate deal will be based". +But he said, although the UK must be "prepared for all outcomes", if the UK were to leave without a negotiated deal: "It would be a mistake we would regret for generations, if we were to see a fissure, if we had a messy, ugly divorce. +"Inevitably that would change British attitudes towards Europe." At-a-glance: The new UK Brexit plan +He also said it was his job as foreign secretary to tell other governments that "the implications of not getting a deal are profound in terms of our friendship and co-operation with foreign countries across a whole range of areas". +On the subject of whether the UK would consider EU proposals that the UK should accept EU environmental and social legislation, in order to facilitate a free trade deal he said: "I think we have to see what their proposal was, some of those things can have an impact on the level playing field, some won't." +On Friday, he tweeted : "Important not to misrepresent my words. Britain would survive and prosper without a deal... but it would be a big mistake for Europe because of inevitable impact on long-term partnership with UK. We will only sign up to deal that respects referendum result." +The government has been touting its plans for Brexit agreed in July at Chequers - the prime minister's country residence in Buckinghamshire - to the EU and its leaders, including the French President Emmanuel Macron, whom Theresa May met at his summer retreat. +But the EU's chief negotiator Michel Barnier appeared to rule out a key UK proposal - allowing the UK to collect EU customs duties on its behalf - in July. +Liam Fox said earlier this month: "It's up to the EU27 to determine whether they want the EU Commission's ideological purity to be maintained at the expense of their real economies." +Meanwhile, Buzzfeed News is reporting that it has seen a list of 84 areas of British Life - from organic food production to travelling with pets - which would be affected, should the UK leave the EU without a negotiated withdrawal. +Brexit talks resumed in Brussels this week between UK and EU officials, with the focus on the Irish border - a key sticking point - and future relations. +A European Commission spokesman said: "As this week's round is at technical level there won't be a meeting between Michel Barnier and Dominic Raab. +"We will confirm in due course whether a subsequent meeting has been arranged." Related Topic \ No newline at end of file diff --git a/input/test/Test4850.txt b/input/test/Test4850.txt new file mode 100644 index 0000000..e9aebea --- /dev/null +++ b/input/test/Test4850.txt @@ -0,0 +1,9 @@ +As a seasoned executive, I thought I understood the customer and their needs. After all, I discussed their strategy, established a trusted rapport and persuaded them to purchase our products and services. However, I never fully appreciated the trials and tribulations of our customers and, more specifically, information technology (IT) organizations, because I have never truly walked a mile in their shoes. That is, until I became a chief information officer (CIO). As CIO, every decision is a balancing act between running lean or investing in the future, embracing the latest technology or waiting until it is a bit more secure, and mending legacy applications or moving to an entirely new platform. The role encompasses all this and much more, all while staying hyper-focused on supercharging performance, stability and scalability. It's a predicament only CIOs can truly understand. +On paper, this made sense. However, the reality of the role didn't truly set in until I was CIO at a leading enterprise technology company where I was tasked with cutting costs, moving to the cloud, opening a state-of-the-art data center, enhancing our end-user experience and strengthening our security posture following a breach. Today, as a CEO, this unique vantage point provides me with the customer engagement insight and experience needed to confidently oversee a company's product strategy, marketing, sales and go-to-market activities. Here's how: +Look behind the curtain. While we may wish that implementing technologies at the enterprise level was as easy as it is at home, this could not be further from the truth. Before purchasing a product, IT professionals need to consider numerous implications and all possible outcomes. How will it interact with other applications? What security and business ramifications may arise? How much change or pain will it inflict on users? Will this work the way it should or become a point of failure? What skills do we need to successfully implement this technology? These insights are key when evaluating our product, service and support strategy at Puppet. +Be a customer of IT. In addition to my role as the CIO, I ran our centers of excellence and used the same tools we provided our employees. While some were innovative, others were less so. It's no surprise we were competing with shadow IT. This objective "customer" view enabled me to challenge the team to enhance our service delivery and user experience. As CEO, this means building better and more customer-centric products. +Empathize with your users. My employees may not have necessarily thought this was necessary, but I did. In one instance, I even remember employees complaining directly to me that an outage was impacting their ability to be productive at work and otherwise. As CIO, I grew a thicker skin, listened to constructive criticism and even learned to meditate. In fact, I still do yoga because patience is also invaluable as a CEO. +Listen to and learn from customers. As CIO, I created the company's "IT Proven" program to share our own unvarnished best practices and lessons learned with our customers. While it was therapeutic to commiserate with my peers, I learned that they were also grappling with IT challenges and I applied customer best practices within our own IT organization as a result. This proved that we still have a lot to learn from our customers. +Technology is important, but so is the partner ecosystem. I depended on business partners and vendors that understood our priorities and constraints and helped us build or buy the best solution to accomplish our objective. Today, I am leading a team that strives to do the same for our customers. +Without a doubt, there is no better way to get into the customer's head than walking a mile in their shoes. While becoming a CIO certainly isn't for everyone, the experience and customer engagement insight gained in IT is critical for all CEOs and leaders to understand and implement. +Forbes Technology Council is an invitation-only community for world-class CIOs, CTOs and technology executives. Do I qualify \ No newline at end of file diff --git a/input/test/Test4851.txt b/input/test/Test4851.txt new file mode 100644 index 0000000..38c7314 --- /dev/null +++ b/input/test/Test4851.txt @@ -0,0 +1,12 @@ + Charlotte Bryant on Aug 17th, 2018 // No Comments +Brokerages expect TerraForm Power Inc (NASDAQ:TERP) to report $251.03 million in sales for the current quarter, according to Zacks Investment Research . Two analysts have made estimates for TerraForm Power's earnings. The highest sales estimate is $287.05 million and the lowest is $215.00 million. TerraForm Power reported sales of $153.43 million in the same quarter last year, which would suggest a positive year-over-year growth rate of 63.6%. The company is expected to issue its next earnings results on Thursday, November 8th. +On average, analysts expect that TerraForm Power will report full year sales of $766.21 million for the current year, with estimates ranging from $728.00 million to $804.41 million. For the next fiscal year, analysts expect that the firm will post sales of $937.03 million per share, with estimates ranging from $852.00 million to $1.02 billion. Zacks' sales averages are a mean average based on a survey of research analysts that cover TerraForm Power. Get TerraForm Power alerts: +TerraForm Power (NASDAQ:TERP) last released its quarterly earnings data on Monday, August 13th. The solar energy provider reported ($0.13) earnings per share (EPS) for the quarter, meeting the consensus estimate of ($0.13). The firm had revenue of $179.89 million for the quarter, compared to analyst estimates of $162.69 million. TerraForm Power had a negative return on equity of 0.11% and a negative net margin of 8.33%. The business's revenue for the quarter was up 5.6% compared to the same quarter last year. During the same quarter in the prior year, the company earned $0.08 earnings per share. Several analysts have issued reports on the company. ValuEngine lowered TerraForm Power from a "hold" rating to a "sell" rating in a research note on Friday. Oppenheimer upgraded TerraForm Power from a "market perform" rating to an "outperform" rating and set a $14.00 price objective on the stock in a research note on Wednesday. UBS Group upgraded TerraForm Power from a "market perform" rating to an "outperform" rating in a research note on Wednesday. BMO Capital Markets assumed coverage on TerraForm Power in a research note on Wednesday, July 25th. They issued a "market perform" rating and a $11.50 price objective on the stock. Finally, BidaskClub lowered TerraForm Power from a "sell" rating to a "strong sell" rating in a research note on Wednesday, July 25th. Four equities research analysts have rated the stock with a sell rating, one has given a hold rating, five have given a buy rating and one has issued a strong buy rating to the company's stock. TerraForm Power has a consensus rating of "Hold" and a consensus price target of $13.44. +In other news, major shareholder Brookfield Asset Management In bought 60,975,609 shares of the firm's stock in a transaction dated Monday, June 11th. The shares were bought at an average price of $10.66 per share, with a total value of $649,999,991.94. The purchase was disclosed in a filing with the Securities & Exchange Commission, which is available at this hyperlink . 0.01% of the stock is currently owned by corporate insiders. +Institutional investors have recently bought and sold shares of the company. United Services Automobile Association acquired a new position in shares of TerraForm Power in the second quarter valued at approximately $119,000. Amalgamated Bank acquired a new position in shares of TerraForm Power in the second quarter valued at approximately $119,000. Jane Street Group LLC acquired a new position in shares of TerraForm Power in the second quarter valued at approximately $121,000. Cubist Systematic Strategies LLC grew its position in shares of TerraForm Power by 314.4% in the first quarter. Cubist Systematic Strategies LLC now owns 11,799 shares of the solar energy provider's stock valued at $127,000 after purchasing an additional 8,952 shares during the last quarter. Finally, Teacher Retirement System of Texas acquired a new position in shares of TerraForm Power in the second quarter valued at approximately $158,000. 48.06% of the stock is currently owned by institutional investors. +NASDAQ:TERP opened at $11.25 on Friday. The company has a debt-to-equity ratio of 1.41, a quick ratio of 0.64 and a current ratio of 0.64. The company has a market capitalization of $1.58 billion, a price-to-earnings ratio of -9.30 and a beta of 0.90. TerraForm Power has a 12-month low of $9.90 and a 12-month high of $14.20. +The company also recently announced a quarterly dividend, which will be paid on Saturday, September 15th. Stockholders of record on Saturday, September 1st will be given a $0.19 dividend. This represents a $0.76 annualized dividend and a dividend yield of 6.76%. The ex-dividend date of this dividend is Thursday, August 30th. TerraForm Power's payout ratio is -62.81%. +TerraForm Power Company Profile +TerraForm Power, Inc, together with its subsidiaries, owns and operates clean power generation assets. As of December 31, 2017, its portfolio consisted of solar and wind projects located in the United States, Canada, the United Kingdom, and Chile with a combined nameplate capacity of 2,606.4 megawatts. +Get a free copy of the Zacks research report on TerraForm Power (TERP) +For more information about research offerings from Zacks Investment Research, visit Zacks.com Receive News & Ratings for TerraForm Power Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for TerraForm Power and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test4852.txt b/input/test/Test4852.txt new file mode 100644 index 0000000..3930375 --- /dev/null +++ b/input/test/Test4852.txt @@ -0,0 +1,18 @@ +News With reported $92M price tag, Trump's military parade is delayed In this file photo, military units participate in the inaugural parade from the Capitol to the White House in Washington, Friday. A U.S. official says the 2018 Veterans Day military parade ordered up by President Donald Trump would cost about $92 million — more than three times the maximum initial estimate. Cliff Owen — The Associated Press file By Lolita C. Baldor, The Associated Press Posted: # Comments +WASHINGTON >> The Defense Department says the Veterans Day military parade ordered up by President Donald Trump won't happen in 2018. +Col. Rob Manning, a Pentagon spokesman, said Thursday that the military and the White House "have now agreed to explore opportunities in 2019." +The announcement came several hours after The Associated Press reported that the parade would cost about $92 million, according to U.S. officials citing preliminary estimates more than three times the price first suggested by the White House. +According to the officials, roughly $50 million would cover Pentagon costs for aircraft, equipment, personnel and other support for the November parade in Washington. The remainder would be borne by other agencies and largely involve security costs. The officials spoke on condition of anonymity to discuss early planning estimates that have not yet been finalized or released publicly. Advertisement +Officials said the parade plans had not yet been approved by Defense Secretary Jim Mattis. +Mattis himself said late Thursday that he had seen no such estimate and questioned the media reports. +The Pentagon chief told reporters traveling with him to Bogota, Colombia, that whoever leaked the number to the press was "probably smoking something that is legal in my state but not in most"— a reference to his home state of Washington, where marijuana use is legal. +He added: "I'm not dignifying that number ($92 million) with a reply. I would discount that, and anybody who said (that number), I'll almost guarantee you one thing: They probably said, 'I need to stay anonymous.' No kidding, because you look like an idiot. And No. 2, whoever wrote it needs to get better sources. I'll just leave it at that." +The parade's cost has become a politically charged issue, particularly after the Pentagon canceled a major military exercise planned for August with South Korea, in the wake of Trump's summit with North Korean leader Kim Jong Un. Trump said the drills were provocative and that dumping them would save the U.S. "a tremendous amount of money." The Pentagon later said the Korea drills would have cost $14 million. +Lt. Col. Jamie Davis, a Pentagon spokesman, said earlier Thursday that Defense Department planning for the parade "continues and final details are still being developed. Any cost estimates are pre-decisional." +The parade was expected to include troops from all five armed services — the Army, Navy, Air Force, Marine Corps and Coast Guard — as well as units in period uniforms representing earlier times in the nation's history. It also was expected to involve a number of military aircraft flyovers. +A Pentagon planning memo released in March said the parade would feature a "heavy air component," likely including older, vintage aircraft. It also said there would be "wheeled vehicles only, no tanks — consideration must be given to minimize damage to local infrastructure." Big, heavy tanks could tear up streets in the District of Columbia. +The memo from Mattis' office provided initial planning guidance to the chairman of the Joint Chiefs of Staff. His staff is planning the parade along a route from the White House to the Capitol and would integrate it with the city's annual veterans' parade. U.S. Northern Command, which oversees U.S. troops in North America, is responsible for the actual execution of the parade. +Earlier this year, the White House budget director told Congress that the cost to taxpayers could be $10 million to $30 million. Those estimates were likely based on the cost of previous military parades, such as the one in the nation's capital in 1991 celebrating the end of the first Gulf War, and factored in some additional increase for inflation. +One veterans group weighed in Thursday against the parade. "The American Legion appreciates that our President wants to show in a dramatic fashion our nation's support for our troops," National Commander Denise Rohan said. "However, until such time as we can celebrate victory in the War on Terrorism and bring our military home, we think the parade money would be better spent fully funding the Department of Veteran Affairs and giving our troops and their families the best care possible." +Trump decided he wanted a military parade in Washington after he attended France's Bastille Day celebration in the center of Paris last year. As the invited guest of French President Emmanuel Macron, Trump watched enthusiastically from a reviewing stand as the French military showcased its tanks and fighter jets, including many U.S.-made planes, along the famed Champs-Elysees. +Several months later Trump praised the French parade, saying, "We're going to have to try and top it. \ No newline at end of file diff --git a/input/test/Test4853.txt b/input/test/Test4853.txt new file mode 100644 index 0000000..5a8dda9 --- /dev/null +++ b/input/test/Test4853.txt @@ -0,0 +1,11 @@ +Symbility Solutions to Announce Q2 2018 Financial Results and Host Conference Call Friday August 24, 2018 Canada NewsWire +TORONTO, Aug. 17, 2018 +TORONTO , Aug. 17, 2018 /CNW/ - Symbility Solutions Inc. ("Symbility") (TSX.V: SY), a global software company focused on modernizing the insurance industry, confirmed that it will release its second quarter financial results for the three months ended June 30, 2018 , before the market opens on Friday, August 24, 2018 . The press release, with accompanying financial information, will be posted on Symbility's website at www.symbilitysolutions.com and on www.sedar.com . +Symbility will follow with a webcast and conference call Friday, August 24 , at 11 a.m. EDT to review highlights of its quarterly results. All interested parties are welcome to join the live webcast, which can be accessed at https://event.on24.com/wcc/r/1804244/EA67DE9BCE2A92180ADB9C25BEB468B6 . Participants may also join the conference call by dialing toll free (888) 231-8191 or (647) 427-7450 for international participants. A replay of the webcast will be available on Symbility's website . +ABOUT SYMBILITY +Symbility (TSX.V: SY) believes in creating world-class experiences that simplify business and improve lives. With a history in modernizing insurance claims solutions for the property and health industries, Symbility has established itself as a partner that puts security, efficiency and customer experience first. Symbility PROPERTY ™ brings smarter thinking to property insurance. Our strategic services team, Symbility INTERSECT ™ empowers a variety of businesses with smarter mobile and IoT product development strategy, design thinking and engineering excellence. With our three segments pushing industries forward, Symbility proves that change for the better is entirely possible. symbilitysolutions.com +Neither TSX Venture Exchange nor its Regulation Services Provider (as that term is defined in the policies of the TSX Venture Exchange) accepts responsibility for the adequacy or accuracy of this release. +All trade names are the property of their respective owners. + with multimedia: http://www.prnewswire.com/news-releases/symbility-solutions-to-announce-q2-2018-financial-results-and-host-conference-call-friday-august-24-2018-300698719.html +SOURCE Symbility Solutions Inc. + with multimedia: http://www.newswire.ca/en/releases/archive/August2018/17/c4935.htm \ No newline at end of file diff --git a/input/test/Test4854.txt b/input/test/Test4854.txt new file mode 100644 index 0000000..55477fb --- /dev/null +++ b/input/test/Test4854.txt @@ -0,0 +1 @@ +Patrick Bane – Arrowsmith, Illinois Download Photo Raising pigs has been a life-long passion for Patrick Bane, whose family has been raising pigs for three generations. Bane raises 74,000 pigs on his farm in west-central Illinois, where he focuses on protecting public health, hiring the best people and maintaining herd health. Bill Luckey – Columbus, Nebraska Download Photo Farming and raising pigs is a family tradition for Bill Luckey, who is a fourth-generation farmer. Luckey, along with his wife and three sons, market 10,000 pigs a year. They also raise cattle, corn and soybeans on their farm. Brad Lundell, Kiron, Iowa Download Photo Being a good caretaker of the pigs drives Brad Lundell's passion. Learning from five generations of family farming, Lundell hopes consumers see why pig farming is family-oriented. With the help of his wife Sarah, and four children, they also raise turkeys, corn and soybeans. Kevin Rasmussen, Goldfield, Iowa Download Photo Employee care is important in providing a safe product at KLR Pork, where Rasmussen markets 26,000 pigs a year from his farrow-to-finish farm. As a fourth-generation Iowa farmer, he considers the employees who work for him as family, and that makes all the difference in the product they produce. About the Expert Judging Panel: Members of the five-member panel include Robin Ganzert, president and CEO of American Humane; Sarah Hendren, RDN, Nutrition & Quality Assurance Manager at Culver's; Kari Underly, a third-generation butcher, author and principal of Range®, Inc., a meat marketing and education firm; J. Scott Vernon, professor, College of Agriculture, Food and Environmental Sciences, Cal Poly; and Leon Sheets, 2017 America's Pig Farmer of the Year \ No newline at end of file diff --git a/input/test/Test4855.txt b/input/test/Test4855.txt new file mode 100644 index 0000000..df6d11f --- /dev/null +++ b/input/test/Test4855.txt @@ -0,0 +1 @@ +Domestic Politics Social affairs Economy military Terrorism Science Issue Education Asia Africa Europe North America South America Oceania Middle East GCC countries United Nations Religion US Army in Korea UAE nuclear Terrorism ASEAN Taiwan Life & Style Culture Travel Food & Beverage Books Peoples Fashion Health Women Faith Youth education Religion Charity Business Economy Finance Technology Automode Trade Local Business Capital Business UAE Philippines Green Biz UAE Oceania South Korea Southeast Asia United Nations Leisure Resorts Golf Entertainment Hobbies Car Racing Issue Sports Olympics Football Worldwide Events Exhibitions Tourism Expatriates Media Social Media Opinions Medical Terrorism Tourism Asia Europe Middle East Europe North America South America Oceania South Pacific Philippines Taiwan Airlines Empowerment not a feverish race between men and women: Jawaher Al Qasimi min | mi \ No newline at end of file diff --git a/input/test/Test4856.txt b/input/test/Test4856.txt new file mode 100644 index 0000000..3cb9631 --- /dev/null +++ b/input/test/Test4856.txt @@ -0,0 +1,6 @@ +The Toyota Avensis is no longer available for order. +Production, which takes place in Toyota's Burnaston plant in Derbyshire , will cease in the coming weeks as the last orders are fulfilled. After this, the only Avensis models left will be dealer stock. The Burnaston factory has been subject to £240 million in investment last year to upgrade it for production of cars using the Toyota New Global Architecture (TNGA) platform. +The Avensis makes way for the Camry hybrid , with the Camry name returning to the UK after a 14-year hiatus. Sales of the Avensis have been slow, given the decline of D-segment saloons as buyers opt for SUVs. Toyota sold 3473 examples of the Avensis in 2017, compared with 3921 RAV4s. +News of the Avensis's demise follows Toyota's confirmation that the Verso MPV has been taken off sale . The two models were the last to be offered with diesel engines in the UK apart from the Land Cruiser, which is considered by the company as a more specialist product. +The RAV4 diesel was cut from the range earlier this year . Toyota confirmed last year that it would not launch any more diesels in Europe, as the industry turns to electrification and demand plummets amid the ongoing diesel debate. +Our Verdict Toyota Auris The new Toyota Auris is super-rational and a good ownership proposition, but it lacks character and dynamics of the best in clas \ No newline at end of file diff --git a/input/test/Test4857.txt b/input/test/Test4857.txt new file mode 100644 index 0000000..8dbd4db --- /dev/null +++ b/input/test/Test4857.txt @@ -0,0 +1,9 @@ +DENVER , Aug. 17, MJ Freeway has been ranked 1975 on the 37th annual Inc. 5000, the most prestigious ranking of the nation's fastest-growing private companies compiled by Inc magazine. The list provides a unique look at the most successful companies within the American economy's most dynamic segment—its independent small businesses. Microsoft, Dell, LinkedIn, and many other well-known names gained their first national exposure as honorees on the Inc. 5000. +"MJ Freeway has the best team of people who have achieved growth that puts us in an elite category with four consecutive years on the Inc. 5000 list. Our team's genius zone is finding the best tech solutions for cannabis businesses. And our clients continue to trust us. MJ Freeway has processed more than $10 billion in legal cannabis sales," says Jessica Billingsley , CEO and Co-Founder. +Much of MJ Freeway's recent growth can be attributed to the release of MJ Platform, the first ever generation 2 software for the cannabis industry. Serving multi-state and multi-vertical cannabis retail, cultivation, and manufacturing businesses, MJ Platform provides the tech for cannabis businesses to mine business insights and intelligence, elevate their customer experience, and scale operations all over the world. +"If your company is on the Inc. 5000, it's unparalleled recognition of your years of hard work and sacrifice," says Inc. editor-in-chief James Ledbetter . "The lines of business may come and go, or come and stay. What doesn't change is the way entrepreneurs create and accelerate the forces that shape our lives." +Not only have the companies on the 2018 Inc. 5000 been very competitive within their markets, but the list as a whole shows staggering growth compared with prior lists. The 2018 Inc. 5000 achieved an astounding three-year average growth of 538.2 percent, and a median rate of 171.8 percent. The Inc. 5000's aggregate revenue was $206.1 billion in 2017, accounting for 664,095 jobs over the past three years. +To view MJ Freeway's profile and the complete results of the Inc. 5000, visit www.inc.com/inc5000 . +About MJ Freeway : MJ Freeway® is the largest global cannabis technology company having processed more than $10B in sales with clients in Australia , Canada, Europe, New Zealand, South America , and the United States in 23 states and the District of Columbia. Founded in 2010 by technologists creating tech specifically for cannabis businesses, MJ Freeway's tracking software includes patent-pending inventory control and grow management applications to streamline workflow and increase efficiency. MJ Freeway's Leaf Data Systems software solution enables governments to track cannabis plants from seed-to-sale and ensure patient, public, and product safety. MJ Freeway also offers a complete suite of professional consulting services for cannabis businesses. For more information, call 888-932-6537 or visit mjfreeway.com . +SOURCE MJ Freeway +Related Links http://mjfreeway.co \ No newline at end of file diff --git a/input/test/Test4858.txt b/input/test/Test4858.txt new file mode 100644 index 0000000..9cdcfc2 --- /dev/null +++ b/input/test/Test4858.txt @@ -0,0 +1,8 @@ +TORONTO , Aug. 17, 2018 /PRNewswire/ - Symbility Solutions Inc. ("Symbility") (TSX.V: SY), a global software company focused on modernizing the insurance industry, confirmed that it will release its second quarter financial results for the three months ended June 30, 2018 , before the market opens on Friday, August 24, 2018 . The press release, with accompanying financial information, will be posted on Symbility's website at www.symbilitysolutions.com and on www.sedar.com . +Symbility will follow with a webcast and conference call Friday, August 24 , at 11 a.m. EDT to review highlights of its quarterly results. All interested parties are welcome to join the live webcast, which can be accessed at https://event.on24.com/wcc/r/1804244/EA67DE9BCE2A92180ADB9C25BEB468B6 . Participants may also join the conference call by dialing toll free (888) 231-8191 or (647) 427-7450 for international participants. A replay of the webcast will be available on Symbility's website . +ABOUT SYMBILITY +Symbility (TSX.V: SY) believes in creating world-class experiences that simplify business and improve lives. With a history in modernizing insurance claims solutions for the property and health industries, Symbility has established itself as a partner that puts security, efficiency and customer experience first. Symbility PROPERTY ™ brings smarter thinking to property insurance. Our strategic services team, Symbility INTERSECT ™ empowers a variety of businesses with smarter mobile and IoT product development strategy, design thinking and engineering excellence. With our three segments pushing industries forward, Symbility proves that change for the better is entirely possible. symbilitysolutions.com +Neither TSX Venture Exchange nor its Regulation Services Provider (as that term is defined in the policies of the TSX Venture Exchange) accepts responsibility for the adequacy or accuracy of this release. +All trade names are the property of their respective owners. +SOURCE Symbility Solutions Inc. +Related Links www.symbilitysolutions.co \ No newline at end of file diff --git a/input/test/Test4859.txt b/input/test/Test4859.txt new file mode 100644 index 0000000..2f85b69 --- /dev/null +++ b/input/test/Test4859.txt @@ -0,0 +1 @@ +Domestic Politics Social affairs Economy military Terrorism Science &Issue Education Asia Africa Europe North America South America Faith Economy Finance Capital Business UAE Philippines Green Biz Leisure&Sports Exhibition \ No newline at end of file diff --git a/input/test/Test486.txt b/input/test/Test486.txt new file mode 100644 index 0000000..fa22dce --- /dev/null +++ b/input/test/Test486.txt @@ -0,0 +1,7 @@ +Ankush Nikam 0 Comments Increase in the demand for fuel efficient vehicle coupled with increasing stringent emissions norms are driving the demand for hybrid vehicles. In mild hybrid vehicles, energy is produced while applying brake pedal and it turns into electric energy that is then stored in a battery, this stored energy is used to turn on the starter motor for start-stop function.At present mild hybrid vehicle are preferred over battery electric vehicles and hybrid vehicles, as the cost involved with them is quite high as compared with mild hybrid vehicles. +Mild-hybrids make use of regenerative braking and start stop technology, but they tend not to return as high an EPA rated mpg as electric vehicles or full hybrids. In many countries such as U.S., Germany, and UK, government provides subsidies and incentives to support the purchase of the electric vehicle. For instance, in U.S., government provide tax credit $2,500 to $7,500 per new electric vehicle purchased. Similarly, in Germany, government provides a subsidy of $4,000 on a purchase of new electric vehicle. The government also launched US$ 1,069.2 Mn electric vehicle incentive program launched in Germany for electric vehicle customers. +Stringent government emission norms, increasing awareness regarding hybrid vehicles, and environmental concerns will spur the demand for mild hybrid vehicles market . Along with this, mild hybrid vehicles provide better fuel economy than the conventional vehicles which acts as attractive parameter for the end users to purchase the vehicle as the rise in the prices of petroleum products increases the operation costs of the vehicles. The concerns for rising pollution is also driving the market for hybrid vehicles including mild hybrids specifically in developed countries. There are some countries where governments have removed subsidy on mild hybrid vehicles which will hamper the growth of mild hybrid vehicle. For instance in India, government withdraw the subsidy on mild hybrid diesel cars under FAME (Faster Adoption and Manufacturing of Hybrid and Electric Vehicles) scheme. This decision is tends to affect the market for mild hybrid vehicles in India. +Mild Hybrid Vehicles Market: Segmentation: Mild Hybrid Vehicles Market Segmentation By Capacity – 12 Volt, 24 Volt, 48 Volt, Others; By Vehicle Type – Passenger Car, LCV, HCV; By Battery – Lead Based, Lithium Ion, Others +Mild Hybrid Vehicles Market: Outlook / Trend: It is estimated that mild hybrid vehicle will capture significant share in the Western European market by the next decade. Western Europe, North America and Japan are expected to be the prominent market for mild hybrid vehicles due to the increasing demand for hybrid vehicles and awareness regarding the hybrid vehicles. However, in Asia Pacific (excluding Japan), Latin America, Eastern Europe, and Middle East & Africa region the demand for the mild hybrid vehicles is limited as compared with the developed regions. Though it is anticipated that demand will increase with the significant growth rate in the coming years. +The market is also benefitted by the introduction of various mild hybrid vehicles by the key automakers. The automakers and component suppliers are developing advanced battery and other component solutions to enhance the performance of the mild hybrid vehicles.Mild Hybrid Vehicles Market: Market Participants: Examples of some of the market participants identified in the mild hybrid vehicles market across the globe are: Honda Motor Company, Suzuki Motor Corporation, Renault-Nissan, Toyota Motor Corporation, Daimler AG, Volvo Group, Volkswagen AG, Audi AG, BMW AG, Groupe PSA, General Motors Company, Changan Automobile (Group) Co., Ltd. +Request Report Sample@ https://www.futuremarketinsights.com/reports/sample/rep-gb-4843 Fishing Hooks Market to Grow at a CAGR of 2.0% through 2018 to 2028 → Ankush Nikam Ankush Nikam is a seasoned digital marketing professional, having worked for numerous online firms in his distinguished career. He believes in continuous learning, considering that the digital marketing sector's rapidly evolving nature. Ankush is an avid music listener and loves to travel. You May Also Lik \ No newline at end of file diff --git a/input/test/Test4860.txt b/input/test/Test4860.txt new file mode 100644 index 0000000..1340773 --- /dev/null +++ b/input/test/Test4860.txt @@ -0,0 +1,11 @@ +Tezos Foundation to issue grants for blockchain research Date: in: Altcoin 10 Views +Tezos Foundation will issue grants for Blockchain and Smart Contract Research to four leading research institutions. +According to the official announcement, grants will be issued to Cornell University, the University of Beira Interior, Decet Consulting, and France-IOI. Sponsored Links +With this step the foundation is showing its support to leading research institutions and educational initiatives in their efforts to advance the Tezos protocol and ecosystem. Four more grants issued! We are excited to support teams at @Cornell (led by @el33th4xor ), @UBI_pt , Decet Consulting, and @france_ioi as they contribute to the #tezos project. https://t.co/Z9UbvdkuyX +— Tezos Foundation (@TezosFoundation) August 9, 2018 +"The Tezos Foundation's core mission is to support the long-term success of the Tezos protocol and ecosystem. By funding projects imagined by scientists, researchers, entrepreneurs, and enthusiasts, the Foundation encourages decentralized development and robust participation," the announcement reads. +The team at Cornell University, led by Associate Professor and Co-Director of the Initiative for Cryptocurrencies and Smart Contracts Emin Gün Sirer will begin a two-year research effort on consensus algorithms, particularly focusing on sharding in blockchain protocols. +Portugal's University of Beira Interior will start two master's and two Ph.D. theses, focusing on formal verification techniques and support for machine-checked smart contracts. +Et Consulting, LLC research institution "will build a robust, clear, and accessible online developer documentation resource for the Tezos ecosystem". The documentation will include technical specifications, tutorials, and instructional guides for both developers and non-developers to better understand Tezos and how to build on top of it". +At the same time France-IOI, in partnership with the Institut Mines-Télécom, the Blaise Pascal Foundation, and others will develop educational tools, content, and activities to help a growing number of students learn about programming, high-level algorithmics, and the technology underpinning Tezos. +In addition, Tezos Foundation will announce a formal call for research grant proposals later in August \ No newline at end of file diff --git a/input/test/Test4861.txt b/input/test/Test4861.txt new file mode 100644 index 0000000..974dfcb --- /dev/null +++ b/input/test/Test4861.txt @@ -0,0 +1,54 @@ +Girvan Dempsey attacking philosophy Bath Rugby Share Get Daily updates directly to your inbox Subscribe Thank you for subscribing! Could not subscribe, try again later Invalid Email +To see Leinster ripping through the best defences in Europe as if they were running a training drill unopposed, one would assume they had some kind of magic formula. +Those slick strike moves, those sneaky trick plays off the back of concrete set piece. +But when Girvan Dempsey – the Irish province's backs coach when they won last season's Pro14 and Champions Cup double – is asked for the secret, he says there is no silver bullet. +For a man who can craft such intricate but devastating attacking play, his philosophy is simple. +Now the attack coach at Bath Rugby, Dempsey is determined to turn the Blue, Black and White into a collective, try-scoring force. So what is his philosophy? +"The foundation is in the fundamental basics," he says. "You can't get away from the importance of being able to catch, pass, run straight and make good decisions under pressure." +It sounds too simple to be true, but when you watch Leinster, or double reigning Super Rugby champions Crusaders, or the double World Cup-winning All Blacks, you can see it in action – precision, timing and a clarity of thought in pressure situations. +"Make smart decisions and adapt," Dempsey adds. "We don't want to be seen as a one-trick pony. We don't want to be seen as a rigid, structured side. +"From my point of view we want to be a challenging attacking team who can play a different style of game depending on the opposition we face, and the conditions." Girvan Dempsey in the changing room at St Mary's College RFC (Image: Leinster Rugby/Sportsfile) The element of surprise ... +An inability to adapt was evident too many times for Bath last season. When they were failing to break teams down, it was not necessarily followed by a change of tack. Not an obvious one, anyway. +Leinster certainly had the element of surprise to go with a very effective Plan A as they conquered all before them last year. The likes of Exeter Chiefs, Montpelier, Saracens and Stade Francais were all vanquished on their way to their fourth European crown. +Just when defences thought they might have figured them out, the rug was pulled from under them and Leinster had scored yet another try. +That is what Dempsey wants Bath to do, but in terms of any new moves or strategies he's already put in place, he kept his powder dry. +"I'm not going to give to much away, but definitely," he says. "Defences are very well organised in the modern game. You have to be smart." Leinster backs coach Girvan Dempsey, who is joining Bath Rugby as attack coach (Image: Leinster Rugby/Sportsfile) Why leave Leinster for Bath Rugby? +After a couple of weeks' living in a cottage on the grounds of Farleigh House, Dempsey, wife Anne-Marie and sons Peter, eight, and Patrick, six, have found a place to call "home" and are settling in nicely. +But why would you want to leave Leinster for a club which hasn't won a senior trophy for ten years and hasn't won a league title since 1996? +"One reason was family," the former Ireland full-back explains. "We felt the timing was right. Myself and Anne-Marie had travelled, but we'd never had the opportunity to live abroad. +"We felt the time was right for the boys. There were opportunities on the horizon and this was one of them. +"I met the guys here and was really excited about the direction of the club, where they wanted to take it and the playing group and new signings. +"I'd been at Leinster a long time. I think as a coach you do need to challenge yourself and test yourself and experience different environments, clubs and competitions." Girvan Dempsey in action for Ireland (Image: Jamie McDonald/Getty Images) +Dempsey wasn't given carte blanche to rip up Bath's attack and start again when he arrived. Besides, he didn't want that. +He aims to take the best of what he learned at Leinster, the best of what was here already and is also willing to listen to the players if they have ideas. +The 42-year-old added: "Players showing ownership is a big one for me, and their leadership qualities. +"I'm certainly not a dictator. I was very conscious when I came in that I didn't just want to say: 'We're doing this'. +"I want players to be involved in the gameplan, the whole process and feel that they have a voice. +"If they do that they'll have greater energy and enthusiasm to play the game that you want them to play. +"You see what's there. You get a feel for the players and get to know them on a one-on-one basis. +"You have good conversations – good rugby conversations with them. There are some very smart players here and some players with a huge wealth of experience who understand the game. Leinster backs coach Girvan Dempsey, who is joining Bath Rugby as attack coach (Image: Leinster Rugby/Sportsfile) +"There are certain things players have mentioned to me that I haven't done before, but they have and they've had good success. +"We've worked through that in training and now it's fitted into our game. It's a very connected approach. +"We've got some very exciting players and not just in the backline, in the pack as well. +"We will look to use their strengths within the game we want to play." What does Dempsey want to achieve with Bath? +Dempsey wants to achieve "success" at Bath. To do that he knows performances need to not just be consistent, but to be consistently good. +Over the last three years the number of complete 80-minute performances backed up by another can be counted on one hand. +Dempsey admitted it took Leinster several years to get it right and not without lots of hard work across the board. +He said: "For me, ultimately success looks like us putting ourselves in position where we can compete for silverware. +"Getting to the knockout stages of competitions, getting yourself into those special days. +"You have hopes and aspirations that it can be done this season, but we will face challenges. +"Every team is recruiting, looking to grow, developing, changing their game and getting better. +"We've got to look to excel beyond that. It may be a longer-term process, but we feel if we can implement our systems and structures in attack and defence, and play the game we want to play, we can build that culture. +"That's what happened in Leinster. It's that winning culture and winning does become a habit. +"You actually get to a stage when you forget what it feels like to lose a match and when you're in those high pressure situations you find a way to win. +"What I'm looking for is growth and to develop that consistency in performance, so we have a benchmark and we consistently perform to that. +"Leinster would have had that problem a number of years ago. They gained that over the years. +"Two years ago was an almost season – two semi-finals – but we learnt the lessons of those and last year was testament to that. +"Here in Bath it's about getting to a stage where we can get consistency of performance, learn and grow together." The quest for consistency... +How do you get consistency? +"From the fundamentals of our game. Basic skill set," he adds. "That's where the top teams are excelling – their basics and decision-making under pressure and the durability of their skillset under pressure. +"People think of the Crusaders as this amazing thing, but if you actually breakdown their game and analyse it they don't do anything massively special. +"They do what they do very effectively. You look at Exeter and Sarries, they have a certain way of playing but they do that extremely well and that's what we're hoping to achieve here." +In terms of talent within the squad, he likes what he sees. And as a man who coached Leinster's Academy before becoming a first-team coach under Joe Schmidt in ???, he has a keen eye on the young talent at Bath, some of whom have already impressed him in the long hot summer at Farleigh House. +"There's huge potential here," he added. "There's a core group of players who are very strong and some very exciting academy players on the horizon. +"The club is in a good place. That will definitely lend itself to us being successful." Like us on Faceboo \ No newline at end of file diff --git a/input/test/Test4862.txt b/input/test/Test4862.txt new file mode 100644 index 0000000..daecf33 --- /dev/null +++ b/input/test/Test4862.txt @@ -0,0 +1,28 @@ +Bookmark the permalink . +The Canadian Council for International Education has submitted a proposal to the Ottawa parliament calling on the government to invest CA$10m to support outward student mobility. A "very limited" number of Canadian students access an international education experience during their studies. Photo: Brian/Wikimedia Commons Share this: About Claudia Civinini Born and bred in Genoa, Italy, Claudia moved to Australia during her masters degree to teach Italian. She studied and worked in Melbourne for five years before moving to London, where she finally managed to combine her love for writing and her passion for education. She worked for three years as a reporter for the EL Gazette before joining The PIE News. +CBIE called for a swift coordinated action and strategic investment +The long-term goal, in line with the Global Education for all Canadians report, would be to see a quarter of all Canadian students undertaking periods of government supported mobile study by 2028. +CBIE called on the federal administration to support a minimum of 100 opportunities per key region, per year, to help finance studying abroad for academic credit. The council recommended a five year program to begin with. +"We recommend that the government initially invest $10 million in a five-year program allowing Canadian high school, college and university students to take advantage of international learning programs," Larissa Bezo, CBIE Interim President and CEO told The PIE News . +"The next generation of Canadian leaders will require international experience" +"Most educational institutions offer learning abroad opportunities, but the overall uptake is low." +A "very limited" number of Canadian students currently access international education experiences during their studies – 3% per year , or about 11% of undergraduate students over the course of a degree. +In the submission, CBIE referenced the success of other countries through programs such as '100,000 Strong' and 'Generation Study Abroad' in the US, the 'Proyecta 10,000 /100,000' in Mexico, the New Colombo Plan in Australia, the EU's Erasmus program and the UK Strategy for Outward Student Mobility. +Developed with input from members and stakeholders across the industry, the document is a response to the consultation launched by the House of Commons Standing Committee on Finance on the priorities for the 2019 budget. +Stakeholders were invited to submit evidence on how the government can support economic growth "in the face of a changing economic landscape." +"CBIE, along with other key stakeholder groups across the sector, believes that Canada urgently needs to cultivate students with open minds and global competencies that can help to advance Canada's diplomatic and trade relationships abroad," Bezo explained. +"The reality is such that the next generation of private and public-sector Canadian leaders will require international experience, intercultural understanding and skills to excel in tomorrow's inter-connected and interdependent world." +The Global Education for Canadians report has served as a rallying point for key stakeholders to advocate for strategic investment in outward student mobility, Bezo explained, and she anticipates advocacy on this topic will continue in the future. +However, there is a sense of urgency to the submission, which insists on the need for a swift coordinated action and strategic investment, explaining that Canada is lagging behind its competitors in a "race" the country "cannot afford to lose." +"Business as usual is not an option," the document reads. +"The time for action is now. CBIE would welcome a catalytic investment in learning abroad as part of the next federal budget," Bezo explained. +The submission also focuses on the need to widen access to an international education experience for students from all backgrounds, citing evidence that educational mobility often produces he greatest results for students from disadvantaged background. +It also recommends that access to funds and international education opportunities should be made available across the full spectrum of education, for K-12 and beyond. +"Business as usual is not an option" +"Funding should not be exclusively for postsecondary students, as it is often too late for individuals at this stage on their education path to make the necessary personal arrangements or pull together required financial resources," the submission warns. +Randall Martin, executive director of British Columbia Council for International Education, told The PIE that he thinks the government will agree with the recommendations in principle. However, if the federal government is not able to fully meet the funding recommendations, other sources can be tapped into. +"[Funding can come from] a coordinated approach with and supported by the government to tap into the private sector, especially the multi-nationals benefitting from a globally-literate workforce," he explained. +But beyond funding, there are other factors that have slowed down Canadian students' participation in international education, Martin explained, and that need to be addressed. +He said study abroad experiences need to be integrated in the core curriculum, and appropriate messaging needs to be delivered to families explaining the value of an international experience for personal and academic development. +Ease of academic credit transfer and flexibility of education programs is another area worth investing in, Martin added, as different systems may cause students to delay graduation if they choose to study abroad for a period. +Still looking? Find by category \ No newline at end of file diff --git a/input/test/Test4863.txt b/input/test/Test4863.txt new file mode 100644 index 0000000..e2d90ab --- /dev/null +++ b/input/test/Test4863.txt @@ -0,0 +1,5 @@ +Dr. Oz Show Today: The Key to Longevity August 16, 2018 by Linda Pena Leave a Comment +New research suggests that your subjective age may be just as important for your health as your chronological age. Postdoctoral psychology researcher, Jennifer Bellingtier, investigated this phenomenon by conducting a survey involving 116 adults, ages 60 to 90, and 106 adults, ages 18 to 36. Over a period of nine days, the participants were asked how old and how in-control of their life they felt. Both groups expressed a feeling of change in their subjective age each day. However, in the older group the changes of subjective age were correlated with feeling a sense of control and in the younger group, the changes were linked to health and stress levels. +Bellingtier told TIME, "The power of feeling in-control may be two-fold. When you feel more controlled, you feel younger, and then you feel like you can accomplish more things." This sense of empowerment may boost mental health and motivate a person to make healthy choices. It is important for older people to feel that their actions matter and this can be supported by environmental and internal changes. Other research studies have also found that physical activity and social interaction are associated with a lower subjective age for elderly people. All in all, age is just a number and how old you feel depends on a variety of factors that are fortunately fluid and manageable. Viewers shared their age-defying secrets: After you wash your face with warm water and cleanser in the morning, dunk your face in ice water for 10-15 seconds. This is an old Hollywood technique. It tightens your skin, shrinks your pores, and give your skin a perky color. A lady who was 60 but her skin looked 41 under the scope. Her secret is wheatgrass shots in the morning. She says it is her anti-aging vitamin and also helps cuts down on headaches. Another viewer was 71 years old. The scanner showed her skin to be 52. Her tip she attributes to her beautiful skin is eating lots of vegetables. She eats a lot of stewed prunes (at least twice a week.) She says you will have a constipated face if your body is not functioning properly. +Oz talked about how lobsters can live 140 years and are still fertile. This is because their shell (skin) gets renewed every few years. Oz found an audience member that was 91 years old, his father. His dad says his mental age is not 91 because of his passion of family and eating right. Oz reminds us that stress is our biggest aging culprit. +Photo courtesy of Bing.co \ No newline at end of file diff --git a/input/test/Test4864.txt b/input/test/Test4864.txt new file mode 100644 index 0000000..4907564 --- /dev/null +++ b/input/test/Test4864.txt @@ -0,0 +1,12 @@ +Municipal Msukaligwa not one of five municipalities considered to be placed under administration Mr Mandla Zwane said Mr Mashilo made no mention on which of the five municipalities would be put under administration and that the MEC only mentioned that COGTA would be engaging and informing these five particular municipalities in due course. 5 hours ago Five municipalities in Mpumalanga are considered to be put under administration, however the Msukaligwa Municipality says it has not received any directive from the provincial executive, meaning the municipality is safe, for now. +At a South African Local Government Association (Salga) provincial members assembly that took place from 2 to 3 August, it was said that five Mpumalanga municipalities are under consideration to be placed under administration in terms of Section 139 (1) (b) of the Municipal Finance Management Act (MFMA) for gross financial mismanagement. +The Cooperative Governance and Traditional Affairs (COGTA) MEC, Mr Speedy Mashilo, and Parliament's Standing Committee on Public Accounts (Scopa), revealed the five municipalities owe Eskom a combined total of R4,4 billion. +However, residents of Msukaligwa will be glad to know that the local municipality is not going under administration yet. Five municipalities in Mpumalanga are considered to be put under administration, however the Msukaligwa Municipality says it has not received any directive from the provincial executive, meaning the municipality is safe, for now. Five municipalities in Mpumalanga are considered to be put under administration, however the Msukaligwa Municipality says it has not received any directive from the provincial executive, meaning the municipality is safe, for now. +In his speech, Mr Mashilo emphasised Section 139(1) of the MFMA that reads: +"If a municipality, as a result of a crisis in its financial affairs, is in a serious or persistent material breach of its obligations to provide basic services or to meet its financial commitments, or admits that it is unable to meet its obligations or financial commitments, the provincial executive must promptly request the Municipal Financial Recovery Service." +When the Highvelder enquired at the municipality whether it is one of the five municipalities on the list and if there is a possibility of it ever going under administration, the municipal spokesman, Mr Mandla Zwane, responded on behalf of the municipality and said Mr Mashilo made no mention of which of the five municipalities would be put under administration and that the MEC only mentioned that COGTA would be engaging and informing the five municipalities in due course. +"As of 13 August, the provincial executive has not issued a directive to the municipality as required before it can assume responsibility, describing the extent of the failure to fulfill its obligations and stating any steps required to meet its obligations," Mr Zwane said. +If municipalities go under administration for various reasons with Eskom debt at the forefront, Msukaligwa has confirmed that their Eskom debt is currently being paid. +As reported in the Highvelder on 10 August, " Msukaligwa's Eskom debt being paid ", the municipality is paying the power utility giant its monthly instalment. +According to the municipality, it owed Eskom an outstanding amount of R61 103 4448 million on 31 July. +Also read \ No newline at end of file diff --git a/input/test/Test4865.txt b/input/test/Test4865.txt new file mode 100644 index 0000000..1097672 --- /dev/null +++ b/input/test/Test4865.txt @@ -0,0 +1,2 @@ +Follow more jobs like this +Get real-time updates by following related social accounts. Follow Ellie Mae (NYSE:ELLI) is the leading cloud-based platform provider for the mortgage finance industry. Ellie Mae's technology solutions enable lenders to originate more loans, reduce origination costs, and reduce the time to close, all while ensuring the highest levels of compliance, quality and efficiency. Visit ‪ EllieMae.com or call ‪ (877) 355-4362 to learn more. Summary of Responsibilities The Product Specialist will review and interpret investor product and underwriting guidelines, and maintain content in the product eligibility database to support AllRegs by Ellie Mae products. In addition, the Product Specialist will work closely with our publishing department, clients, and integration partners to coordinate and support loan product search needs. Primary Responsibilities & Objectives Translate product and underwriting guidelines into an alternative consistent format for inclusion in the product eligibility database, while maintaining the intended message of the source content. Incumbent must follow established departmental and company quality control processes to ensure consistency, optimal presentation and data integrity. The incumbent will be expected to effectively manage a pipeline of investors, multiple priorities and projects while meeting service level agreements. Maintain current expertise and knowledge of the mortgage industry. Experience, Skills & Qualifications A minimum of 5 years mortgage banking experience in the positions of credit analyst, mid level underwriting, senior processing, and/or quality control. Experience is required with DU and LPA systems, thorough knowledge of Agency and multiple private investor's underwriting and product guidelines. The incumbent should have a good understanding of all phases of mortgage banking loan originations from sales, processing through servicing; and strong working knowledge of mortgage programs. Ability to review and analyze investor information and determine the appropriate content to be captured. Must be able to identify conflicting or ambiguous guideline information and seek clarification and attempt to resolve the issue. Must be able to work independently, manage and prioritize own workload, demonstrate superior organizational skills, strong attention to detail and concern for accuracy, Previous experience with a variety of software applications including but not limited to the following: MS Office Suite, WebEx, basic HTML tagging, and Adobe PDF Compare. Experience using Market Clarity is a plus. Minimum High School Diploma, college a plus Ellie Mae is an Equal Opportunity/ Affirmative Action Employer. Minorities, Females, Disabled and Veterans are encouraged to apply. We do not accept resumes from headhunters, placement agencies, or other suppliers that have not signed a formal agreement with us. #LI-NE \ No newline at end of file diff --git a/input/test/Test4866.txt b/input/test/Test4866.txt new file mode 100644 index 0000000..f24090e --- /dev/null +++ b/input/test/Test4866.txt @@ -0,0 +1,18 @@ +As Nvidia Expands in Artificial Intelligence, Intel Defends Turf As Nvidia Expands in Artificial Intelligence, Intel Defends Turf Reuters , 17 August 2018 Reddit Comment +Nvidia Corp dominates chips for training computers to think like humans, but it faces an entrenched competitor in a major avenue for expansion in the artificial intelligence chip market: Intel Corp . +Nvidia chips dominate the AI training chip market, where huge amounts of data help algorithms "learn" a task such how to recognise a human voice, but one of the biggest growth areas in the field will be deploying computers that implement the "learned" tasks. Intel dominates data centres where such tasks are likely to be carried out. +"For the next 18 to 24 months, it's very hard to envision anyone challenging Nvidia on training," said Jon Bathgate, analyst and tech sector co-lead at Janus Henderson Investors. +But Intel processors already are widely used for taking a trained artificial intelligence algorithm and putting it to use, for example by scanning incoming audio and translating that into text-based requests, what is called "inference." +Intel's chips can still work just fine there, especially when paired with huge amounts of memory, said Bruno Fernandez-Ruiz, chief technology officer of Nexar Inc, an Israeli startup using smartphone cameras to try to prevent car collisions. +That market could be bigger than the training market, said Abhinav Davuluri, an analyst at Morningstar, who sees an inference market of $11.8 billion (roughly Rs. 82,9000 crores) by 2021, versus $8.2 billion for training. Intel estimates that the current market for AI chips is about $2.5 billion, evenly split between inference and training. +Nvidia, which posted an 89 percent rise in profit Thursday, hasn't given a specific estimate for the inference chip market but CEO Jensen Huang said on an earnings call with analysts on Thursday that believes it "is going to be a very large market for us." +Nvidia sales of inference chips are rising. In May, the company said it had doubled its shipments of them year-over-year to big data centre customers, though it didn't give a baseline. Earlier this month, Alphabet Inc's Google Cloud unit said it had adopted Nvidia's inference chips and would rent them out to customers. +But Nvidia faces a headwind selling inference chips because the data centre market is blanketed with the CPUs Intel has been selling for 20 years. Intel is working to persuade customers that for both technical and business reasons, they should stick with what they have. +Take Taboola, a New York-based company that helps web publishers recommend related content to readers and that Intel has touted as an example of how its chips remain competitive. +The company uses Nvidia's training chips to teach its algorithm to learn what to recommend and considered Nvidia's inference chips to make the recommendations. Speed matters because users leave slow-loading pages. +But Taboola ended up sticking with Intel for reasons of speed and cost, said Ariel Pisetzky, the company's vice president of information technology. +Nvidia's chip was far faster, but time spent shuffling data back and forth to the chip negated the gains, Pisetzky said. Second, Intel dispatched engineers to help Taboola tweak its computer code so that the same servers could handle more than twice as many requests. +"My options were, you already have the servers. They're in the racks," he said. "Working with Intel, I can now cut back my new server purchases by a factor of two because I can use my existing servers two times better." +Nvidia has been working to solve those challenges. The company has rolled out software this year to make its inference chips far faster to help overcome the issue of moving data back and forth. And it announced a new family of chips based on a technology called Turing earlier this week that it says will be 10 times faster still, Huang said on the analyst call Thursday. +"We are actively working with just about every single Internet service provider in the world to incorporate inference acceleration into their stack," Huang said. He gave the example that "voice recognition is only useful if it responds in a relatively short period of time. And our platform is just really, really excellent for that." +© Thomson Reuters 201 \ No newline at end of file diff --git a/input/test/Test4867.txt b/input/test/Test4867.txt new file mode 100644 index 0000000..07d72d7 --- /dev/null +++ b/input/test/Test4867.txt @@ -0,0 +1,21 @@ +Ko Tin-yau - Aug 17, 2018 5:14pm Leading technology plays are having a hard time +Leading technology plays Sunny Optical Technology (Group) Co. Ltd. (02382.HK) and Tencent Holdings (00700.HK) encountered considerable selling pressure following the release of their interim results. +While Sunny Optical may face some structural challenges, Tencent should continue to enjoy a positive long-term outlook. +On the back of strong earnings growth, Sunny Optical had seen its share price soar to a peak of HK$175 in June this year, up 30 times from HK$5 in 2013. +Its market value reached nearly HK$200 billion and the stock was made a Hang Seng Index constituent in November last year. +The mobile phone camera maker continued to post sales and profit gains in the first half of this year, albeit at a much more moderate pace. +Sunny Optical posted sales revenue of HK$11.98 billion and a net profit of HK$1.18 billion in the first six months, up 19.4 percent and 1.8 percent respectively from the same period last year. +This is a far cry from its growth clips in the first half of 2017, when sales revenue rose 70 percent and net profit was up 149 percent. +The share price slumped 24 percent on Tuesday, wiping out more than HK$30 billion from its market value in a single day. +As the smartphone market has become saturated, growth prospects of suppliers like Sunny Optical will be limited. +Additionally, as phone camera technology becomes mature, rivals that offer almost the same quality at prices 20 to 30 percent lower are cropping up, threatening the stronghold of leading players like Sunny Optical. +For sure, the smartphone market is still huge, and new demand from the Internet of Things, robotics and other emerging industries are likely to bring fresh growth impetus. But the good old days of hypergrowth is not going to return any time soon. +The case of Tencent is quite different. The company reported a 30 percent growth in sales revenue and a 20 percent rise in net profit (non-GAAP) for the second quarter from the year ago. +The slower growth can be attributed to some policy headwinds. +For example, the People's Bank of China has ordered all non-financial payment tools, including Tencent's payment platform, to deposit their reserves to the government. That may cost Tencent billions of yuan in interest income per year. +Also, the State Administration of Press, Publication, Radio, Film and Television is going through an organizational restructuring. As such, it has suspended approvals for new online games. That has put a drag on the firm's biggest revenue source. +Otherwise, the core business of Tencent remains strong. For instance, the all-important WeChat active user number increased by 9.9 percent to 1.058 billion year-on-year. +More importantly, the monetization of its more than 1 billion users is still at an early stage, and this could expand from games and advertising to things like financial services, new retail, and public services. +This article appeared in the Hong Kong Economic Journal on Aug 17 +Translation by Julie Zhu +RT/C \ No newline at end of file diff --git a/input/test/Test4868.txt b/input/test/Test4868.txt new file mode 100644 index 0000000..2c8afc5 --- /dev/null +++ b/input/test/Test4868.txt @@ -0,0 +1,19 @@ +Libertarian Gary Johnson throws US Senate race in chaos Russell Contreras, Thursday Aug 16, 2018 at 3:38 PM Aug 16, 2018 at 7:53 PM +ALBUQUERQUE, N.M. (AP) " Former Libertarian presidential candidate Gary Johnson said in seeking to make history and capture a U.S. Senate seat in New Mexico he'll have to give up a few of his favorite activities: marathon biking rides, hanging out in his northern New Mexico "dream" home and tuning out news about President Donald Trump. +But he can't promise he won't smoke an occasional joint. +Johnson, who served two terms as New Mexico governor in the 1990s and gained national attention as one of the first mainstream politicians to call for the legalization of marijuana, announced Thursday that he's seeking to unseat Democratic incumbent U.S. Sen. Martin Heinrich after the previous Libertarian nominee dropped out the race. +Johnson told reporters at his newly minted and empty Albuquerque headquarters that his candidacy was a longshot, but he felt he had no choice given Trump's unacceptable actions on immigration and free trade. +"What's at stake here is arguably one of the most powerful seats in the U.S. Senate," said Johnson, who a month ago was telling supporters he'd never run for office again. "If I were elected to U.S. Senate, I'd be the swing vote. That is a gigantic position that excites me to no end." +Johnson's entrance into a race that Democrats had previously seen as a safe seat has generated excitement in a state that leans Democratic but has elected moderate Republicans to statewide office in recent years. But to win, Johnson would have to convince some supporters of Republican challenger Mick Rich and Heinrich that he'd be a better senator for a state that relies on federal government spending for Medicare, three military bases and two national labs. +In his passionate announcement, Johnson criticized both main political parties. Johnson said he was "angry" at the two-party system that continuously avoids tackling wasteful spending and coming up with solutions on immigration. +Johnson said some Republican voters consider Mexican immigrants the "scourge of the earth and GOP politicians rarely challenge those racist notions. Meanwhile, Democrats regular support programs that balloon the federal deficit, he said. +Still, Johnson said if he were in the U.S. Senate now he'd probably vote to confirm President Donald Trump's Supreme Court nominee Brett Kavanaugh. However, Johnson said he didn't like Trump as president and as a person and called his actions on race relations " around immigration and Trump's tepid reaction to white nationalist violence in Charlottesville, Virginia, last year " "unacceptable." +"I am fiscally conservative and socially...I-don't-care-what-you-do-as-long-as-it-doesn't-hurt-anybody," Johnson said. +Elected and re-elected governor of New Mexico as a Republican, Johnson stayed true to a small-government philosophy while vetoing more than 700 bills. His open advocacy for legalized marijuana broke mainstream 1990s political taboos and made him a national curiosity and a popular figure on college campuses. +New Mexico Democrats immediately dismissed Johnson's entrance in the race Thursday and focused on his record as governor. "New Mexicans haven't forgotten the damage Gary Johnson's extreme agenda had on our state " from cutting the social security net, to vetoing minimum wage increases, to trying to privatize our education system," Democratic Party of New Mexico Chair Marg Elliston said in a statement. "He'd bring the same destructive ideas to Washington." +An advocate for marijuana legalization, Johnson said he'd push for federal legislation that would end the jail time for those who sell or consume marijuana. As for his own consumption, Johnson told reporters he wouldn't smoke marijuana if he had to appear before reporters or at campaign events. +"In lieu of people who have a cocktail before they go to bed in the evening," said Johnson, who hasn't had an alcoholic drink in 31 years, "I may be in the category when it comes to marijuana. And I hope you chalk that up to honesty." +___ +Follow Russell Contreras on Twitter at http://twitter.com/russcontreras +___ +This story has been corrected to correct Republican challenger Rich's first name as Mick, not Mark \ No newline at end of file diff --git a/input/test/Test4869.txt b/input/test/Test4869.txt new file mode 100644 index 0000000..303e228 --- /dev/null +++ b/input/test/Test4869.txt @@ -0,0 +1,2 @@ +The Monmouth Park Sports Book is viewed on the first day of legal sports betting in New Jersey on June 14. Dominick Reuter/AFP/Getty Images Colin Cowherd has a theory about the NFL. When a good quarterback gets blown out on national television, the Fox Sports host believes, he's likely to lead his team to victory the following week. Cowherd recently shared this hypothesis on Chad Millman's podcast, explaining that savvy sports fans could make a mint by following this piece of betting advice. Millman— Millman—who left his perch as a senior executive at ESPN last year to become the head of media at the sports gambling startup the Action Network —asked his colleagues to run the numbers. Alas, Cowherd's theory is wrong . Since 2005, good offensive teams are just 11–12–4 against the spread the week after a prime-time blowout. While these sorts of sports debates have existed forever, their contours changed in May when the Supreme Court overturned a decades-old law that limited most legal sports gambling to Nevada. The decision paved the way for states to legalize sports gambling and, in the process, potentially revolutionize the way sports are consumed and covered in the United States. As Jordan Weissmann explained in Slate in 2014, nobody knows how much money is bet on sports in the United States each year. What we do know is that Nevada sports books took nearly $5 billion in bets in 2017, and that the volume of illegal and offshore wagers is certainly much, much higher. The Action Network's research suggests between 8 million and 10 million Americans bet on sports more than once a week. Now that legalization is afoot, that number will surely grow, and Action believes it's in position to ride that growth to profitability. A corkboard in the company's midtown Manhattan office tracks the status of legislation across the country. Eight states, including Nevada, have already legalized sports gambling in some form, while a host of others are considering bills. Action's CEO Noah Szubski told me he expects around 35 states to legalize sports betting in the next several years. Action, which was created last year by the Chernin Group, a holding company with stakes in Barstool Sports and the Athletic, doesn't want to take your wagers; it wants to help you place them. Two weeks after the Supreme Court's ruling, Action debuted a gambling show, I'll Take That Bet , on ESPN's new streaming service, ESPN+. It's now looking to create similar content partnerships with the major pro sports leagues, and has kicked the tires on launching a Cheddar -style sports betting network that could air on social media platforms like Twitter, streaming platforms like Roku and Apple TV, and perhaps even traditional cable providers. Action isn't alone in thinking there's money to be made here. The Vegas Stats & Information Network , which last year brought on broadcasting legend Brent Musburger , airs 13 hours of daily gambling-themed sports talk on Sirius satellite radio. Other sites, like USBets.com and Sportshandle.com , have launched recently to cover the expanding industry. All of these companies are flinging themselves into a totally unsettled field. Sports betting will get sorted out state by state, with each legislature settling on different provisions. Mississippi, for instance, has made mobile wagering illegal outside casino property —a huge damper on the potential growth of the industry there. (In the United Kingdom, 80 percent of soccer bets get placed via mobile devices.) The major North American pro sports leagues, meanwhile, are still working through what legalization means. The NBA has signed a sponsorship agreement with MGM Resorts, making it the first of its brethren to partner with a sports book. Major League Baseball has also joined the NBA in lobbying to get a percentage of all the money bet on their games. The NFL, by contrast, has been less aggressive. And when asked about gambling recently, University of Michigan football coach Jim Harbaugh replied , "Don't gamble. Don't associate with gamblers. Avoid it like the plague. Don't walk away from that. Run." Those notes of caution have done little to dampen Action's enthusiasm. If this is a gold rush, Millman says, then Action is providing "the picks and shovels" to bettors hoping to strike it rich. Zach Leonsis, the general manager of Monumental Sports Network, an investor in several gambling companies whose family owns the NHL's Washington Capitals and NBA's Washington's Wizards, put it to me another way. "Everybody wants to be the Jim Cramer," he said. "Everybody wants to be the CNBC of sports gambling." The Action office has a startup-y vibe: concrete floors, open floor plan, lots of TVs on the walls. Next to the main room is a makeshift studio, where the show I'll Take That Bet gets produced several mornings a week. The show centers on 10 predetermined bets, with two Action personalities taking turns picking sides. On the morning I visited, Millman made his picks from the studio; Chris Raybon , a former accountant whose Twitter bio includes the quote "Let's get this shmoney!", appeared via video. "What's with the tie?" Millman asked his co-host as the show began. "I just wanted to look good at your funeral because I'm about to murder you!" Raybon shot back. Millman took the favorite Mexico to beat South Korea in a World Cup matchup; Raybon liked 66-to-1 odds for the Pittsburgh Steelers' trio of Ben Roethlisberger, LeVeon Bell, and Antonio Brown to lead the NFL in passing, rushing, and receiving. It felt a lot like any other debate show on ESPN, which was precisely the point. For Action, I'll Take That Bet is a potential gateway to a huge pool of potential customers—people who are already betting or have been primed to bet by virtue of the rise of fantasy sports. ESPN, in turn, gets to test out a program dedicated solely to gambling, to see how it wants to handle a subject area that has long been considered taboo. ESPN, like every other mainstream sports media outlet, has tended to treat gambling as a disreputable side venture, one that's shunted onto a little-promoted vertical on its website (that Millman pushed to create) and that gets tittered about on the late-night SportsCenter .But the network is clearly experimenting with ways it could feature gambling more prominently on the air, including highlighting the betting expertise of one of its anchors, Doug Kezirian. The competition is ramping up, too, as Fox Sports 1 reportedly has a betting show in the works, and Sports Illustrated launched its own gambling vertical just this week. As I watched the taping of I'll Take That Bet , the production team reminded an intern that, per instructions from ESPN, he could not write out "Pittsburgh Pirates" in an on-screen caption; "PIT" had to be used. An ESPN spokesperson told me different leagues have different policies regarding how their official names and marks can be used in gambling-related content, so the network has a strict policy to use only tri-letter codes. At this point, it's clearly more important to ESPN—which has rights deals with the NBA, NFL, and MLB—to keep those leagues happy than to develop programming for viewers who want to bet on basketball, football, and baseball. "We can recognize that as the world evolves here, there will be more and more interest in that space," John Lasker, ESPN's vice president of digital, told me. "But there's not a sketched-out plan to serve that need at this point." That leaves an opening for Action, which wants to attract sports fans with wall-to-wall betting content that captures the culture of an obsessive world. Millman has hired the likes of former All-Star catcher Paul Lo Duca and BlackJack Fletcher , who quit his job as a criminal defense attorney to become a full-time sports betting pundit. The network's frattier personalities are paired with more traditional reporters, like longtime basketball writer Matt Moore and ESPN's former golf writer Jason Sobel. In early August, Action brought on NBA commentator Rob Perez, who comes to the company bearing nearly 250,000 Twitter followers . Action's written content has run the gamut from a basic glossary to a betting guide on the Scripps National Spelling Bee to a deep dive into the card game that led Washington Wizards teammates Gilbert Arenas and Javaris Crittenton to confront each other with guns in the locker room. The goal here is twofold. First, familiarize sports fans with the language of betting, making terms like parlay and reverse line movement as mainstream as pick-and-roll and pass rush . Second, make gambling feel at once cool and commonplace, erasing the image of bettors as lonely old men wagering compulsively at off-track betting facilities. The company also has a database of public betting information going back decades, which allows it to run the numbers on things like Cowherd's prime-time blowout theory. Then there is the Action app, which enables fans to track their bets. (The company says 9 million individual bets have been registered to date.) Come football season, Action will start sending individualized alerts offering advice on when to hedge or double down. Given that, 80 percent of sports bets globally are made after a game starts, per the sports data company Sportradar, that kind of functionality is crucial. For Action to succeed, it needs to find a larger audience that's looking for more than the latest odds. "There's an excess of supply in terms of sports content and the question anyone has to wrestle with is what are you going to do differently so a customer goes through you and not ESPN or Fox or whoever the big media companies are," said Chris Grove, the managing director at the research and consulting firm Eilers & Krejcik Gaming . "How much do bettors want to live in the betting culture? Can it gain cachet? If that happens, then you're looking at narrow companies that can do really well." But even if betting never goes mainstream and Action doesn't build an enormous audience, it still has an opportunity to generate big revenue. Sports books in search of customers pay big fees for referrals. That is how a site like covers.com has operated so profitably over the years—by feeding new bettors to offshore bookmakers. In the United Kingdom, this "affiliate model" can be incredibly lucrative. Market rates for referral fees in the U.K. range from 100 pounds to 200 pounds for a single customer, in addition to 25 to 30 percent of that customer's lifetime wagers. Szubski, Action's CEO, imagines a future in which the company's app allows users to convert in-game gambling advice into a bet at an affiliated sports book in mere seconds—with Action collecting a percentage. "If I have 8 million qualified users spread around the country and each one can legally bet through a book and there's an affiliate fee and a percentage of lifetime money, it's like happy fucking birthday," Szubski told me. "That's the billion-dollar business." For now, this is all still notional. Action has yet to partner with any of the sports books that have opened since the Supreme Court's ruling. "We're very much heads down on building the product and building the content team," Millman told me. "Most of the casinos are figuring out how to operate, and we just haven't been aggressive about that particular part of the business yet." For now, ESPN is happy to let someone else take all the risk. Bill Adee, the former sports editor at the Chicago Tribune who's now the chief operating officer at VSiN, chuckled when I asked him about his company's interest in the affiliate business. "You can see why this was an attractive business model, coming from the newspaper industry," he said, noting that VSiN intends to make affiliate revenue a prominent part of its business model. Adam Small, an entrepreneur who has worked in the affiliate business for years—mostly with poker sites—launched his new site USBets.com with affiliate revenue in mind. "People don't want to say it publicly, but the model works better than a traditional news advertising model," he said. Catena Media, a European company that specializes in lead generation for casinos, also bought Legalsportsreport.com this year for the express purpose of capturing an audience for its affiliate business. There is a natural follow-up question here: If bettors are such a valuable commodity, wouldn't the biggest sports media companies want to cash in? ESPN, which like pretty much every other cable network has been hemorrhaging subscribers , comes to mind. When I explained my understanding of the affiliate business to Lasker and asked if ESPN was having discussions about it, he told me my understanding of the concept was "sound, but there's nothing on the record I can say to you about ESPN's thoughts or pursuits there." (He declined to add anything off the record.) Michael Daly, Catena's general manager in the United States, told me he'd like to partner with ESPN and other large sports media companies to help them navigate the affiliate world. "Undoubtedly, someone is telling them they can get into this business, but the biggest challenge for a big company is the regulatory and compliance side, and the differences in every state," he said. Small told me he expected ESPN would start selling ads to sports books but avoid the likely more lucrative affiliate model, in part because the major sports leagues ESPN does business with might consider such an association too risky or unseemly. "There's still a paranoia of association with the mafia and illegal activities," Small said. But he acknowledged that if ESPN did get into the affiliate business, "They could crush." For now, ESPN is happy to let someone else take all the risk. On the day I visited Action's headquarters, ESPN had sent a photographer to take portraits of some of the talent. Lo Duca was there, and so was BlackJack Fletcher, dressed in a cowboy hat and a red-sequined jacket. As I sat with Millman in the studio, the photographer clicking away outside, I asked him what Action's biggest hurdle was. "Time," he told me. It's not hard to imagine, as sports betting grows more commonplace and as more states legalize the practice, established media brands will try to take back whatever ground they've ceded to upstarts like Action. And if Action has early success, then those established brands will take on that task with even more urgency. Action's challenge, then, is to establish itself while it still feels too dangerous for the big companies to do so—to build a big enough audience that it can't be wiped off the map if and when others make their moves. "ESPN is going to move into this and that's going to be enough for some people," Matt Restivo, Action's chief product officer, told me. He added, "I've got to build a better app than ESPN." One more thing +If you think Slate's work matters, become a Slate Plus member. You'll get exclusive members-only content and a suite of great benefits—and you'll help secure Slate's future \ No newline at end of file diff --git a/input/test/Test487.txt b/input/test/Test487.txt new file mode 100644 index 0000000..2c641fb --- /dev/null +++ b/input/test/Test487.txt @@ -0,0 +1,8 @@ +Tweet +Virtusa (NASDAQ:VRTU) had its price objective hoisted by SunTrust Banks to $56.00 in a report published on Monday, The Fly reports. They currently have a hold rating on the information technology services provider's stock. +VRTU has been the topic of several other research reports. Cantor Fitzgerald lifted their price objective on shares of Virtusa from $60.00 to $62.00 and gave the stock an overweight rating in a research report on Friday, August 10th. Barrington Research set a $64.00 price objective on shares of Virtusa and gave the stock a buy rating in a research report on Friday, August 10th. Needham & Company LLC lifted their price objective on shares of Virtusa from $65.00 to $68.00 and gave the stock a strong-buy rating in a research report on Thursday, August 9th. BidaskClub raised shares of Virtusa from a hold rating to a buy rating in a research report on Friday, July 13th. Finally, Zacks Investment Research raised shares of Virtusa from a hold rating to a buy rating and set a $57.00 price objective on the stock in a research report on Sunday, July 15th. Two investment analysts have rated the stock with a hold rating, six have given a buy rating and two have assigned a strong buy rating to the company's stock. Virtusa presently has an average rating of Buy and a consensus price target of $60.75. Get Virtusa alerts: +Virtusa stock opened at $51.81 on Monday. Virtusa has a fifty-two week low of $33.50 and a fifty-two week high of $55.68. The stock has a market cap of $1.57 billion, a P/E ratio of 58.21, a PEG ratio of 1.70 and a beta of 1.19. The company has a debt-to-equity ratio of 0.68, a quick ratio of 2.50 and a current ratio of 2.50. Virtusa (NASDAQ:VRTU) last released its quarterly earnings results on Wednesday, August 8th. The information technology services provider reported $0.50 earnings per share for the quarter, topping the consensus estimate of $0.47 by $0.03. The business had revenue of $300.00 million for the quarter, compared to analysts' expectations of $298.00 million. Virtusa had a negative net margin of 0.80% and a positive return on equity of 7.38%. The firm's revenue for the quarter was up 32.0% compared to the same quarter last year. During the same period in the previous year, the company earned $0.25 earnings per share. research analysts anticipate that Virtusa will post 1.55 earnings per share for the current year. +In other news, EVP Sundararajan Narayanan sold 2,000 shares of the business's stock in a transaction that occurred on Wednesday, June 13th. The shares were sold at an average price of $53.42, for a total value of $106,840.00. Following the sale, the executive vice president now owns 79,086 shares of the company's stock, valued at $4,224,774.12. The transaction was disclosed in a legal filing with the SEC, which is accessible through the SEC website . Also, COO Roger Keith Modder sold 14,000 shares of the business's stock in a transaction that occurred on Monday, May 21st. The shares were sold at an average price of $47.44, for a total transaction of $664,160.00. Following the completion of the sale, the chief operating officer now directly owns 176,239 shares in the company, valued at approximately $8,360,778.16. The disclosure for this sale can be found here . In the last ninety days, insiders sold 78,848 shares of company stock worth $3,987,939. Insiders own 5.11% of the company's stock. +Several hedge funds and other institutional investors have recently bought and sold shares of the company. BlackRock Inc. raised its position in shares of Virtusa by 9.2% in the second quarter. BlackRock Inc. now owns 3,886,261 shares of the information technology services provider's stock valued at $189,183,000 after purchasing an additional 328,497 shares during the period. Dimensional Fund Advisors LP raised its position in shares of Virtusa by 0.8% in the first quarter. Dimensional Fund Advisors LP now owns 2,045,108 shares of the information technology services provider's stock valued at $99,106,000 after purchasing an additional 16,545 shares during the period. Frontier Capital Management Co. LLC raised its position in shares of Virtusa by 5.3% in the first quarter. Frontier Capital Management Co. LLC now owns 991,445 shares of the information technology services provider's stock valued at $48,045,000 after purchasing an additional 50,174 shares during the period. Thrivent Financial for Lutherans raised its position in shares of Virtusa by 0.6% in the first quarter. Thrivent Financial for Lutherans now owns 905,000 shares of the information technology services provider's stock valued at $43,856,000 after purchasing an additional 5,670 shares during the period. Finally, Granahan Investment Management Inc. MA raised its position in shares of Virtusa by 6.0% in the second quarter. Granahan Investment Management Inc. MA now owns 450,386 shares of the information technology services provider's stock valued at $21,925,000 after purchasing an additional 25,350 shares during the period. 82.71% of the stock is currently owned by institutional investors. +About Virtusa +Virtusa Corporation provides digital engineering and information technology (IT) outsourcing services worldwide. The company offers business and IT consulting services, including advisory/target operating model, business process re-engineering/business management, transformational solution consulting, and business/technology alignment analysis; omni-channel digital strategy, experience design accelerated solution design, and employee engagement; and application portfolio rationalization, SDLC transformation, and BA competency transformation services \ No newline at end of file diff --git a/input/test/Test4870.txt b/input/test/Test4870.txt new file mode 100644 index 0000000..d17f559 --- /dev/null +++ b/input/test/Test4870.txt @@ -0,0 +1,27 @@ +World's top pork firm shuts China slaughterhouse in race to contain deadly swine fever Josephine Mason 6 Min Read +BEIJING (Reuters) - China has ordered the world's top pork producer, WH Group Ltd, to shut a major slaughterhouse as authorities race to stop the spread of deadly African swine fever (ASF) after a second outbreak in the planet's biggest hog herd in two weeks. +FILE PHOTO: Employees sort cuts of fresh pork inside a Shuanghui factory in Zhengzhou, Henan province, China March 15, 2013. REUTERS/Stringer The discovery of infected pigs in Zhengzhou city, in central Henan province, about 1,000 km (625 miles) from the first case ever reported in China, pushed pig prices lower on Friday and stirred animal health experts' fears of fresh outbreaks - as well as food safety concerns among the public. +Though often fatal to pigs, with no vaccine available, ASF does not affect humans, according to the United Nations' Food and Agriculture Organisation (FAO). +ASF has been detected in Russia and Eastern Europe as well as Africa, though never before in East Asia, is one of the most devastating diseases to affect swine herds. It occurs among commercial herds and wild boars, is transmitted by ticks and direct contact between animals, and can also travel via contaminated food, animal feed, and international travelers. +WH Group said in a statement that Zhengzhou city authorities had ordered a temporary six-week closure of the slaughterhouse after some 30 hogs died of the highly contagious illness on Thursday. The plant is one of 15 controlled by China's largest pork processor Henan Shuanghui Investment & Development, a subsidiary of WH Group. +Zhengzhou city authorities have banned all movement of pigs and pork products in and out of the affected area for the same six weeks. +Shuanghui said in a separate statement on Friday it culled 1,362 pigs at the slaughterhouse after the infection was discovered. +The infected pigs had traveled by road from a live market in Jiamusi city in China's northeastern province of Heilongjiang, through areas of high pig density to central Henan. Another northeastern province, Liaoning, has culled thousands of pigs since a first case of ASF was reported two weeks ago. +The pigs' long journey, and the vast distance between the two cases, stoked concerns about the spread of disease across China's vast pig herd - and potentially into Japan, the Korean Peninsula and other parts of Asia. +The race in recent years to build vast pig farms in China's north-eastern cornbelt has also increased the number of pigs being transported across country from farm and market to slaughter and processing in the south. +That underlines the challenge for the government in trying to contain infection. +"The areas of concern now involve multiple Chinese provinces and heighten the likelihood of further cases," the Swine Health Information Center, a U.S. research body, said in a note. +South Korea doesn't import pork or pigs from China, but the government has stepped up checks at airports on travelers from the country, and recommended visitors there avoid farms and live markets, the Ministry of Agriculture said on Friday. +In Japan, authorities have ramped up checks on travelers from the affected regions, its Ministry of Agriculture said. It bans imports of raw pork from China. +A second outbreak of deadly swine flu has been discovered in China: reut.rs/2vXxkPd +'A LITTLE SCARED' Pig prices dropped on Friday amid concerns about the outbreak on demand for pork, a staple in China's diet with retail sales topping $840 billion each year. Analysts said farmers may also rush to sell their hogs fearing the infection may spread to their herds. +National hog prices were at 13.97 yuan ($2.03) per kilogram on Friday, down 0.7 percent from Thursday, according to consultancy China-America Commodity Data Analytics. +In central Henan, Hubei and Hunan provinces, prices on average fell more heavily, down 1.4 percent. +"In the short term, there will be a pig-selling spree," said Alice Xuan, analyst with Shanghai JC Intelligence Co Ltd. +As Zhengzhou city froze pig movements, Heilongjiang authorities were also investigating whether the pigs involved were infected in the northeastern province bordering Russia. +Meanwhile comments on the country's Twitter-like Weibo highlighted worries about the safety of eating pork, the nation's favorite meat. The relationship between people and pigs in China is close, with the Chinese word for "home" made up of the character "roof" over the character for "pig". +Posts expressing concern that infected meat may enter the food stream and fears about whether it is safe to eat pork garnered the most attention. +"A little scared. What will happen if you eat (pork)?" said one poster. +WH Group said on Friday it did not expect the closure of the Zhengzhou slaughterhouse to have any adverse material impact on business, helping its shares rise 0.8 percent after slumping 10 percent on Thursday. Shuanghui shares were up 0.67 percent on Friday afternoon. +The Zhengzhou operation accounts for an "insignificant" portion of WH Group's operations, the company said, adding it does not expect any disruption to supply of pork and related products as a result of the temporary closure. On Thursday, Shuanghui said it had diverted sales orders to other operations. +Reporting by Josephine Mason; Additional reporting by Jianfeng Zhou, Hallie Gu and Ben Blanchard in BEIJING, Luoyan Liu in SHANGHAI, Jane Chung in SEOUL and Yuka Obayashi in TOKYO; Editing by Kenneth Maxwel \ No newline at end of file diff --git a/input/test/Test4871.txt b/input/test/Test4871.txt new file mode 100644 index 0000000..864c7c7 --- /dev/null +++ b/input/test/Test4871.txt @@ -0,0 +1,6 @@ +Early morning robbery leaves a N.C. man in serious condition aft - FOX Carolina 21 Member Center: Early morning robbery leaves a N.C. man in serious condition after being shot Posted: (file photo | Associated Press) BREVARD, NC (FOX Carolina) - +Early Friday morning two people were approached in the parking lot of the Cardinal Drive-in on South Broad Street in Brevard and robbed. +It happened around 1:30 a.m. after they had closed. The suspect robbed them, then fired his gun, hitting one of the victims. Once the robber fled, the victims entered the restaurant where they then called for police and paramedics. +The victim who was shot, a 68-year-old man, was hit in the upper abdomen. He was treated at the scene for injuries, and then flown to a hospital. At last check he was in serious condition. +The gunman was last seen running westbound from the restaurant. The victims say he was wearing dark clothing, that included a dark hoodie, and tight jeans that showed the suspect was thin. +Police would like anyone with information to call Crime Stoppers of Transylvania at 828-86-CRIME \ No newline at end of file diff --git a/input/test/Test4872.txt b/input/test/Test4872.txt new file mode 100644 index 0000000..119bbcc --- /dev/null +++ b/input/test/Test4872.txt @@ -0,0 +1 @@ +Mobile Water Treatment Systems Market: In-depth Evaluation on Growth, Share, Size and Trends Until the End of 2027| Key Regions Analysis- North America (U.S., Canada), Latin America (Mexico. Brazil), Western Europe (Germany, Italy, France, U.K, Spain), Ea Press release from: Fact.MR Fact.MR Fact.MR's exclusive forecast study on the global mobile water treatment systems market traces the evolution of mobile water treatment systems, and provides key presumptive scenarios on the growing demand for the near future. With a decadal period of assessment, 2018-2027, the report offers forecast on the expansion of global mobile water treatment systems market which reflects the latest market trends and industry undercurrents. This report contains volumes of valuable information interpreted in the form of market size estimations, manufacturing insights, trends analysis and value chain breakdown.Request Brochure of this Report@ www.factmr.com/connectus/sample?flag=B&rep_id=667 Capital Investments and Technological Innovations to Remain Key Considerations among VendorsMobile water treatment system is ideal for quick response, supplemental or temporary requirements, and emergency situations of water shortage. These systems are generally employed for assisting industrial customers at the time of plant start-up & maintenance outages, as well as during emergency drinking water shortages at residential buildings. Growing demand for industrial and potable water worldwide has made huge capital investments, logistics and technological innovations to be most considered factors among vendors.Culligan International Co.'s division of water treatment for industrial and commercial applications, Culligan Matrix Solutions, is now expanding its business of mobile water treatment systems, in response to surging demand for water. Culligan's mobile water treatment system offers a multi-level, exhaustive water purification, control, and monitoring. This modular system has been designed for accommodating a wide array of feed sources including seawater, surface water, and brackish water. Capable of operating in rugged environment, Culligan's mobile water treatment systems facilitate quick installation for providing large amount of water on demand.Research Efforts for Revolutionizing Water Treatment to Influence Growth of Mobile Water Treatment Systems MarketA research effort, funded federally, to revolutionize the water treatment process has yielded direct solar desalination technology, which leverages energy from sunlight for heating salt water for membrane distillation. An emerging water desalination technology is membrane distillation, wherein hot salt water is passed through a porous membrane while cold freshwater is passed through the other. Water vapor is then naturally drawn via the membrane from hot side to the cold side. However, energy costs are high in this process on account of heat loss from the membrane's hot side to the cold side.The desalination system developed by NEWT – Center for Nanotechnology Enabled Water Treatment, is the first major innovation which utilizes the combination of light-harvesting nanophotonoics and membrane distillation technology. This innovation, called "NESMD - nanophotonoics-enabled solar membrane distillation", is unlike any other being employed currently across the globe. Such innovations, with minimal pumping energy requirements, are expected to affect growth of the global market for mobile water treatment systems in the near future.GalMobile – Solving Water WoesBenjamin Netanyahu - Israeli Prime Minister demonstrated an amazing technology to the Indian Prime Minister – Narendra Modi in 2017. The technology, called "GalMobile", is a sea-water purifying machine at mobile desalination plant. An independent and integrated water purification system, GalMobile produces high-quality drinking water, and is highly beneficial in times of natural disasters such as earthquakes, floods, and in rural areas where drinking water supply is low. India has been seeking cooperation with Israel for its water management and recycling processes, as Israel is renowned for the expertise in these fields.To know more about the Mobile Water Treatment Systems Market, Visit the link @ www.factmr.com/report/667/mobile-water-treatment-systems-... On July 5, 2017, the Ministry of Drinking Water and Sanitation of India signed memorandum of understanding (MoU) with the Ministry of National Infrastructure, Energy and Water Resources of Israel regarding a national water reservation campaign in India. As groundwater is considered to be a less sustainable source, emphasis on improving wastewater treatment and desalination has been increasing in India, and technologies such as GalMobile can be of high benefit, provided with large parts of the country's borders lined to oceans and seas.This report covers a holistic scope of mobile water treatment systems as a product in the healthcare industry. Manufacturers can refer to the datapoints that reveal the application purview of mobile water treatment systems across various verticals. The scope of this report is to address major concerns of mobile water treatment systems manufacturers in terms of product development, sales growth and geographic expansion. Inferences in the report are will the help market players in taking informed steps towards future market direction.This analytical research study imparts an all-inclusive assessment on the market, while propounding historical intelligence, actionable insights, and industry-validated & statistically-upheld market forecast. Verified and suitable set of assumptions and methodology has been leveraged for developing this comprehensive study. Information and analysis on key market segments incorporated in the report has been delivered in weighted chapters. A thorough analysis has been offered by the report on• Market Dynamic \ No newline at end of file diff --git a/input/test/Test4873.txt b/input/test/Test4873.txt new file mode 100644 index 0000000..8238280 --- /dev/null +++ b/input/test/Test4873.txt @@ -0,0 +1,43 @@ +The Rohingya lists: refugees compile their own record of those killed in Myanmar Friday, August 17, 2018 12:26 a.m. CDT Mohib Bullah, a member of Arakan Rohingya Society for Peace and Human Rights, writes after collecting data about victims of a military crack +By Clare Baldwin +KUTUPALONG REFUGEE CAMP, Bangladesh (Reuters) - Mohib Bullah is not your typical human rights investigator. He chews betel and he lives in a rickety hut made of plastic and bamboo. Sometimes, he can be found standing in a line for rations at the Rohingya refugee camp where he lives in Bangladesh. +Yet Mohib Bullah is among a group of refugees who have achieved something that aid groups, foreign governments and journalists have not. They have painstakingly pieced together, name-by-name, the only record of Rohingya Muslims who were allegedly killed in a brutal crackdown by Myanmar's military. +The bloody assault in the western state of Rakhine drove more than 700,000 of the minority Rohingya people across the border into Bangladesh, and left thousands of dead behind. +Aid agency Médecins Sans Frontières, working in Cox's Bazar at the southern tip of Bangladesh, estimated in the first month of violence, beginning at the end of August 2017, that at least 6,700 Rohingya were killed. But the survey, in what is now the largest refugee camp in the world, was limited to the one month and didn't identify individuals. +The Rohingya list makers pressed on and their final tally put the number killed at more than 10,000. Their lists, which include the toll from a previous bout of violence in October 2016, catalog victims by name, age, father's name, address in Myanmar, and how they were killed. +"When I became a refugee I felt I had to do something," says Mohib Bullah, 43, who believes that the lists will be historical evidence of atrocities that could otherwise be forgotten. +Myanmar government officials did not answer phone calls seeking comment on the Rohingya lists. Late last year, Myanmar's military said that 13 members of the security forces had been killed. It also said it recovered the bodies of 376 Rohingya militants between Aug. 25 and Sept. 5, which is the day the army says its offensive against the militants officially ended. +Rohingya regard themselves as native to Rakhine State. But a 1982 law restricts citizenship for the Rohingya and other minorities not considered members of one of Myanmar's "national races". Rohingya were excluded from Myanmar's last nationwide census in 2014, and many have had their identity documents stripped from them or nullified, blocking them from voting in the landmark 2015 elections. The government refuses even to use the word "Rohingya," instead calling them "Bengali" or "Muslim." +Now in Bangladesh and able to organize without being closely monitored by Myanmar's security forces, the Rohingya have armed themselves with lists of the dead and pictures and video of atrocities recorded on their mobile phones, in a struggle against attempts to erase their history in Myanmar. +The Rohingya accuse the Myanmar army of rapes and killings across northern Rakhine, where scores of villages were burnt to the ground and bulldozed after attacks on security forces by Rohingya insurgents. The United Nations has said Myanmar's military may have committed genocide. +Myanmar says what it calls a "clearance operation" in the state was a legitimate response to terrorist attacks. +"NAME BY NAME" +Clad in longyis, traditional Burmese wrap-arounds tied at the waist, and calling themselves the Arakan Rohingya Society for Peace & Human Rights, the list makers say they are all too aware of accusations by the Myanmar authorities and some foreigners that Rohingya refugees invent stories of tragedy to win global support. +But they insist that when listing the dead they err on the side of under-estimation. +Mohib Bullah, who was previously an aid worker, gives as an example the riverside village of Tula Toli in Maungdaw district, where - according to Rohingya who fled - more than 1,000 were killed. "We could only get 750 names, so we went with 750," he said. +"We went family by family, name by name," he added. "Most information came from the affected family, a few dozen cases came from a neighbor, and a few came from people from other villages when we couldn't find the relatives." +In their former lives, the Rohingya list makers were aid workers, teachers and religious scholars. Now after escaping to become refugees, they say they are best placed to chronicle the events that took place in northern Rakhine, which is out-of-bounds for foreign media, except on government-organised trips. +"Our people are uneducated and some people may be confused during the interviews and investigations," said Mohammed Rafee, a former administrator in the village of Kyauk Pan Du who has worked on the lists. But taken as a whole, he said, the information collected was "very reliable and credible." +For Reuters TV, see: +https://www.reuters.tv/v/Ppji/2018/08/17/rohingya-refugees-own-list-tallies-10-000-dead +SPRAWLING PROJECT +Getting the full picture is difficult in the teeming dirt lanes of the refugee camps. Crowds of people gather to listen - and add their comments - amid booming calls to prayer from makeshift mosques and deafening downpours of rain. Even something as simple as a date can prompt an argument. +What began tentatively in the courtyard of a mosque after Friday prayers one day last November became a sprawling project that drew in dozens of people and lasted months. +The project has its flaws. The handwritten lists were compiled by volunteers, photocopied, and passed from person to person. The list makers asked questions in Rohingya about villages whose official names were Burmese, and then recorded the information in English. The result was a jumble of names: for example, there were about 30 different spellings for the village of Tula Toli. +Wrapped in newspaper pages and stored on a shelf in the backroom of a clinic, the lists that Reuters reviewed were labeled as beginning in October 2016, the date of a previous exodus of Rohingya from Rakhine. There were also a handful of entries dated 2015 and 2012. And while most of the dates were European-style, with the day first and then the month, some were American-style, the other way around. So it wasn't possible to be sure if an entry was, say, May 9 or September 5. +It is also unclear how many versions of the lists there are. During interviews with Reuters, Rohingya refugees sometimes produced crumpled, handwritten or photocopied papers from shirt pockets or folds of their longyis. +The list makers say they have given summaries of their findings, along with repatriation demands, to most foreign delegations, including those from the United Nations Fact-Finding Mission, who have visited the refugee camps. +A LEGACY FOR SURVIVORS +The list makers became more organized as weeks of labor rolled into months. They took over three huts and held meetings, bringing in a table, plastic chairs, a laptop and a large banner carrying the group's name. +The MSF survey was carried out to determine how many people might need medical care, so the number of people killed and injured mattered, and the identity of those killed was not the focus. It is nothing like the mini-genealogy with many individual details that was produced by the Rohingya. +Mohib Bullah and some of his friends say they drew up the lists as evidence of crimes against humanity they hope will eventually be used by the International Criminal Court, but others simply hope that the endeavor will return them to the homes they lost in Myanmar. +"If I stay here a long time my children will wear jeans. I want them to wear longyi. I do not want to lose my traditions. I do not want to lose my culture," said Mohammed Zubair, one of the list makers. "We made the documents to give to the U.N. We want justice so we can go back to Myanmar." +Matt Wells, a senior crisis advisor for Amnesty International, said he has seen refugees in some conflict-ridden African countries make similar lists of the dead and arrested but the Rohingya undertaking was more systematic. "I think that's explained by the fact that basically the entire displaced population is in one confined location," he said. +Wells said he believes the lists will have value for investigators into possible crimes against humanity. +"In villages where we've documented military attacks in detail, the lists we've seen line up with witness testimonies and other information," he said. +Spokespeople at the ICC's registry and prosecutors' offices, which are closed for summer recess, did not immediately provide comment in response to phone calls and emails from Reuters. +The U.S. State Department also documented alleged atrocities against Rohingya in an investigation that could be used to prosecute Myanmar's military for crimes against humanity, U.S. officials have told Reuters. For that and the MSF survey only a small number of the refugees were interviewed, according to a person who worked on the State Department survey and based on published MSF methodology. +MSF did not respond to requests for comment on the Rohingya lists. The U.S. State Department declined to share details of its survey and said it wouldn't speculate on how findings from any organization might be used. +For Mohammed Suleman, a shopkeeper from Tula Toli, the Rohingya lists are a legacy for his five-year-old daughter. He collapsed, sobbing, as he described how she cries every day for her mother, who was killed along with four other daughters. +"One day she will grow up. She may be educated and want to know what happened and when. At that time I may also have died," he said. "If it is written in a document, and kept safely, she will know what happened to her family." +(Additional reporting by Shoon Naing and Poppy Elena McPherson in YANGON and Toby Sterling in AMSTERDAM; Editing by John Chalmers and Martin Howell) More From Worl \ No newline at end of file diff --git a/input/test/Test4874.txt b/input/test/Test4874.txt new file mode 100644 index 0000000..809806b --- /dev/null +++ b/input/test/Test4874.txt @@ -0,0 +1,12 @@ +by 2015-2023 World Ferro Chrome Market Research Report by Product Type, End-User (Application) and Regions (Countries) +The comprehensive analysis of Global Ferro Chrome Market along with the market elements such as market drivers, market trends, challenges and restraints. The various factors which will help the buyer in studying the Ferro Chrome market on competitive landscape analysis of prime manufacturers, trends, opportunities, marketing strategies analysis, Market Effect Factor Analysis and Consumer Needs by major regions, types, applications in Global market considering the past, present and future state of the industry.In addition, this report consists of the in-depth study of potential opportunities available in the market on a global level. +The report begins with a market overview and moves on to cover the growth prospects of the Ferro Chrome market. The current environment of the global Ferro Chrome industry and the key trends shaping the market are presented in the report. Insightful predictions for the coming few years have also been included in the report. These predictions feature important inputs from leading industry experts and take into account every statistical detail regarding the Ferro Chrome market. The market is growing at a very rapid face and with rise in technological innovation, competition and M&A activities in the industry many local and regional vendors are offering specific application products for varied end-users. +Request for free sample report @ https://www.indexmarketsresearch.com/report/2015-2023-world-ferro-chrome-market/16201/#requestforsample +The statistical surveying report comprises of a meticulous study of the Ferro Chrome Market along with the industry trends, size, share, growth drivers, challenges, competitive analysis, and revenue. The report also includes an analysis on the overall market competition as well as the product portfolio of major players functioning in the market. To understand the competitive scenario of the market, an analysis of the Porter's Five Forces model has also been included for the market.This market research is conducted leveraging the data sourced from the primary and secondary research team of industry professionals as well as the in-house databases. Research analysts and consultants cooperate with the key organizations of the concerned domain to verify every value of data exists in this report. +Ferro Chrome industry report contains proven by regions, especially Asia-Pacific, North America, Europe, South America, Middle East & Africa, focusing top manufacturers in global market, with Production, price, revenue and market share for each manufacturer, covering following top players: Glencore-Merafe, Eurasian Resources Group, Samancor Chrome, Hernic Ferrochrome, IFM, FACOR, Mintal Group, Tata Steel, IMFA, Shanxi Jiang County Minmetal, Jilin Ferro Alloys, Ehui Group, Outokumpu +Split By Product Type, With Production, Income, Value, Market Share, And Development Rate Of Each Kind Can Be Partitioned Into: High Carbon Type, Low Carbon Type. +Split By Application, This Report Centers Around Utilization, Market Share And Development Rate In Every Application, Can Be Categorized Into: Stainless Steel, Engineering & Alloy Steel, Others. +Key Reasons to Purchase: 1) To gain insightful analyses of the market and have comprehensive understanding of the Ferro Chrome Market and its commercial landscape. 2) Assess the Ferro Chrome Market production processes, major issues, and solutions to mitigate the development risk. 3) To understand the most affecting driving and restraining forces in the Ferro Chrome Market and its impact in the global market. 4) Learn about the market strategies that are being adopted by leading respective organizations. 5) To understand the outlook and prospects for Ferro Chrome Market. +Get 25% Discount Click here @ https://www.indexmarketsresearch.com/report/2015-2023-world-ferro-chrome-market/16201/#inquiry +Topics such as sales and sales revenue overview, production market share by product type, capacity and production overview, import, export, and consumption are covered under the development trend section of the Ferro Chrome market report.Lastly, the feasibility analysis of new project investment is done in the report, which consist of a detailed SWOT analysis of the Ferro Chrome market. +Get Customized report please contact \ No newline at end of file diff --git a/input/test/Test4875.txt b/input/test/Test4875.txt new file mode 100644 index 0000000..ef33c7f --- /dev/null +++ b/input/test/Test4875.txt @@ -0,0 +1,9 @@ +Tweet +Analysts expect DelMar Pharmaceuticals Inc (NASDAQ:DMPI) to announce earnings per share of ($0.11) for the current fiscal quarter, according to Zacks . Zero analysts have issued estimates for DelMar Pharmaceuticals' earnings. DelMar Pharmaceuticals posted earnings of ($0.20) per share in the same quarter last year, which suggests a positive year-over-year growth rate of 45%. The company is expected to issue its next quarterly earnings results on Wednesday, September 26th. +On average, analysts expect that DelMar Pharmaceuticals will report full year earnings of ($0.54) per share for the current financial year. For the next fiscal year, analysts anticipate that the business will post earnings of ($0.30) per share. Zacks Investment Research's earnings per share calculations are a mean average based on a survey of research firms that follow DelMar Pharmaceuticals. Get DelMar Pharmaceuticals alerts: +DelMar Pharmaceuticals (NASDAQ:DMPI) last released its earnings results on Tuesday, May 15th. The company reported ($0.13) EPS for the quarter, missing the Thomson Reuters' consensus estimate of ($0.10) by ($0.03). DMPI has been the subject of several recent analyst reports. HC Wainwright set a $12.00 target price on shares of DelMar Pharmaceuticals and gave the stock a "buy" rating in a research note on Wednesday, May 23rd. ValuEngine upgraded shares of DelMar Pharmaceuticals from a "sell" rating to a "hold" rating in a research note on Saturday, June 2nd. +DMPI stock opened at $0.49 on Tuesday. DelMar Pharmaceuticals has a one year low of $0.33 and a one year high of $2.29. The firm has a market capitalization of $11.30 million, a PE ratio of -0.66 and a beta of 1.74. +About DelMar Pharmaceuticals +DelMar Pharmaceuticals, Inc, a clinical stage drug development company, focuses on developing and commercializing anti-cancer therapies to treat cancer patients who have failed to respond to modern therapy. Its product candidate includes VAL-083, a small-molecule chemotherapeutic agent, which is in Phase III study for the treatment of recurrent glioblastoma multiforme. +Get a free copy of the Zacks research report on DelMar Pharmaceuticals (DMPI) +For more information about research offerings from Zacks Investment Research, visit Zacks.com Receive News & Ratings for DelMar Pharmaceuticals Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for DelMar Pharmaceuticals and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4876.txt b/input/test/Test4876.txt new file mode 100644 index 0000000..48cda2c --- /dev/null +++ b/input/test/Test4876.txt @@ -0,0 +1,9 @@ +Dr. Haim Shine +There is value in hope What has been happening in the Israeli communities adjacent to Gaza these past few months has made a lot of Israelis miserable. There is a sense that the Hamas leadership is using burning kites to manage Israel and the IDF. The sight of the scorched fields and frightened kindergartners ignite a natural and healthy desire to teach Hamas a lesson it won't forget – to deter, avenge and win. +Government ministers, Knesset members, and analysts suggest killing the people who release the burning kites and balloons, taking out the Hamas leadership, and going back into the Gazan vipers' next. Cabinet members, whose motives are obvious, leak opinions from the Shin Bet security agency, thereby undoing the collective responsibility, which is the basis of the government's ability to make responsible, informed decisions. The Left, which has long since lost its way in the maze of reality, has momentarily donned a right-wing mask. +True leaders do not have the privilege of making decisions based on sentiment, not even feelings of patriotism and national honor, which are of course important. Feelings are a poor adviser when it comes to a complicated dilemma, and certainly ones that affect human lives. The main test of leadership is the ability to make unpopular decisions, know how to stand up to the feelings of the masses and demonstrate courage in the face of a flood of advice and real pain. +Reality in our corner of the world is complicated. It is best that it be handled by chess players who are capable of seeing several moves ahead, and not just to the ends of their own noses. A ground incursion into Gaza will exact a heavy price in casualties and wounded. The people who have proposed a full-force operation in Gaza will hide behind the prime minister, the defense minister, and the IDF chief of staff once the first soldier is killed. +We have already gone into and left Gaza, achieving little. We've gotten temporary lulls at a heavy cost. One place can kill many kite-fliers, but in a reality in which mothers pray for their children to become shahids (martyrs), that won't deter anyone for any length of time. Targeted assassinations are possible, but who can guarantee that the leaders we take out will be replaced by anyone less extreme? +Before we launch a full-scale campaign of blood, fire, and columns of smoke, there is a great deal of wisdom in the idea of trying a new approach, one that could influence the future of our relations with the Palestinians in Judea and Samaria after the Palestinian Authority is finally pronounced dead. We start with a cease-fire, and then move on to an agreement and attempts to talk with the people of Gaza over the heads of their leaders, who are pulling them into an abyss of oppression and desperation. +Maybe this is how the people of Gaza will realize that they have become slaves being ground up in a machine of evil. This new tactic is vital, even ahead of a situation in which we will need to fight and win another war in Gaza, because a broad national consensus is necessary to make both war and peace. +Representatives of the American government are busy preparing the U.S. plan for peace between Israel and the Palestinians, which includes important regional players. When the time comes, Israel must not cause it to fail by launching a military campaign. In times like these, hope has great value \ No newline at end of file diff --git a/input/test/Test4877.txt b/input/test/Test4877.txt new file mode 100644 index 0000000..9c19636 --- /dev/null +++ b/input/test/Test4877.txt @@ -0,0 +1,2 @@ +LEADING OFF: Springer back for Astros vs A's; Puig suspended LEADING OFF: Springer back for Astros in big series vs A's; Puig, Urena suspended; Kelly family ties in Cincinnati; NL Central showdowns; Syndergaard faces Nola following Mets' outburst Post to Facebook LEADING OFF: Springer back for Astros vs A's; Puig suspended LEADING OFF: Springer back for Astros in big series vs A's; Puig, Urena suspended; Kelly family ties in Cincinnati; NL Central showdowns; Syndergaard faces Nola following Mets' outburst //usat.ly/2Mmbwa8 LEADING OFF: Springer back for Astros vs A's; Puig suspended AP Published 6:16 a.m. ET Aug. 17, 2018 Chicago Cubs' Anthony Rizzo, left, celebrates with Albert Almora Jr., after the Cubs defeated the Milwaukee Brewers 8-4 in a baseball game Wednesday, Aug. 15, 2018, in Chicago. (AP Photo/Nam Y. Huh) (Photo: The Associated Press) A look at what's happening around the majors today: HOW THE WEST IS WON All-Star outfielder George Springer is expected to come off the disabled list for the Houston Astros when the defending champions visit Oakland for the opener of a pivotal three-game series between AL West contenders. Last year's World Series MVP has been sidelined with a sprained left thumb. Charlie Morton (12-3, 2.88 ERA) pitches for the banged-up Astros, who have a two-game lead in the division over the surprising Athletics. Edwin Jackson (4-2, 2.48) gets the ball for Oakland. ON PUNISHMENT Unless he appeals, Dodgers outfielder Yasiel Puig is scheduled to begin a two-game suspension when Los Angeles plays at Seattle in an interleague clash between playoff contenders. Puig also was fined Thursday by Major League Baseball for fighting and inciting a bench-clearing fracas against San Francisco. The penalties were announced two days after Puig took a swing at Giants catcher Nick Hundley, who also was fined. ... MLB also suspended Marlins pitcher Jose Urena for six games and fined him an undisclosed amount for intentionally hitting Braves rookie Ronald Acuna Jr. with his first pitch Wednesday night. Unless appealed, Urena's ban is slated to start Friday at Washington. FAMILY TIES San Francisco turns to right-hander Casey Kelly to start in Cincinnati after placing standout rookie Dereck Rodriguez on the 10-day disabled list with a strained right hamstring. Kelly is the son of Reds bench coach Pat Kelly. Rodriguez, the son of Hall of Fame catcher Ivan "Pudge" Rodriguez, is 6-1 with a 2.25 ERA in 14 outings this season. The Giants have gone 9-3 in his starts. He was injured during the scrum between the Giants and Dodgers on Tuesday night in Los Angeles. The team says he sustained a Grade 1 strain. Casey Kelly (0-1, 1.42 ERA) pitched five scoreless innings of relief Saturday against Pittsburgh in his first major league appearance since 2016, then took the loss Wednesday at Dodger Stadium. CENTRAL SHOWDOWNS Yadier Molina and the Cardinals host Milwaukee in a matchup of NL Central contenders chasing the first-place Cubs. Rookie right-hander Jack Flaherty (6-6, 3.22 ERA) starts for St. Louis, which had its eight-game winning streak snapped Thursday night with a 5-4 loss to Washington. Flaherty struck out a career-high 13 in his last start against the Brewers on June 22. Freddy Peralta (5-3, 4.47) goes for Milwaukee. ... Cole Hamels looks to keep it going when the Cubs face Pittsburgh. Hamels is 2-0 with a 1.00 ERA since Chicago acquired him from Texas at the trade deadline. Trevor Williams (10-8, 3.66) starts for the Pirates. MARQUEE MOUND MATCHUP After setting a franchise record by scoring 24 runs Thursday in the first game of a doubleheader at Philadelphia, the Mets send Noah Syndergaard (8-2, 3.22 ERA) to the mound against Phillies ace Aaron Nola (13-3, 2.28). With the help of 11 unearned runs, New York became the first NL team since the 1933 New York Giants to score 15 runs in consecutive games. The Mets routed Baltimore 16-5 on Wednesday night. They also are the only team since 1900 to have a win and a loss by at least 20 runs in the same season. ___ More AP MLB: https://apnews.com/tag/MLB and https://twitter.com/AP_Sports CONNECT COMMENT EMAIL MORE +Copyright 2018 The Associated Press. All rights reserved. This material may not be published, broadcast, rewritten or redistributed \ No newline at end of file diff --git a/input/test/Test4878.txt b/input/test/Test4878.txt new file mode 100644 index 0000000..30baa98 --- /dev/null +++ b/input/test/Test4878.txt @@ -0,0 +1,13 @@ +David J. Phillip, ASSOCIATED PRESS +A look at what's happening around the majors today: +HOW THE WEST IS WON +All-Star outfielder George Springer is expected to come off the disabled list for the Houston Astros when the defending champions visit Oakland for the opener of a pivotal three-game series between AL West contenders. Last year's World Series MVP has been sidelined with a sprained left thumb. Charlie Morton (12-3, 2.88 ERA) pitches for the banged-up Astros, who have a two-game lead in the division over the surprising Athletics. Edwin Jackson (4-2, 2.48) gets the ball for Oakland. +ON PUNISHMENT +Unless he appeals, Dodgers outfielder Yasiel Puig is scheduled to begin a two-game suspension when Los Angeles plays at Seattle in an interleague clash between playoff contenders. Puig also was fined Thursday by Major League Baseball for fighting and inciting a bench-clearing fracas against San Francisco. The penalties were announced two days after Puig took a swing at Giants catcher Nick Hundley, who also was fined. … MLB also suspended Marlins pitcher Jose Urena for six games and fined him an undisclosed amount for intentionally hitting Braves rookie Ronald Acuna Jr. with his first pitch Wednesday night. Unless appealed, Urena's ban is slated to start Friday at Washington. +FAMILY TIES +San Francisco turns to right-hander Casey Kelly to start in Cincinnati after placing standout rookie Dereck Rodriguez on the 10-day disabled list with a strained right hamstring. Kelly is the son of Reds bench coach Pat Kelly. Rodriguez, the son of Hall of Fame catcher Ivan "Pudge" Rodriguez, is 6-1 with a 2.25 ERA in 14 outings this season. The Giants have gone 9-3 in his starts. He was injured during the scrum between the Giants and Dodgers on Tuesday night in Los Angeles. The team says he sustained a Grade 1 strain. Casey Kelly (0-1, 1.42 ERA) pitched five scoreless innings of relief Saturday against Pittsburgh in his first major league appearance since 2016, then took the loss Wednesday at Dodger Stadium. +CENTRAL SHOWDOWNS +Yadier Molina and the Cardinals host Milwaukee in a matchup of NL Central contenders chasing the first-place Cubs. Rookie right-hander Jack Flaherty (6-6, 3.22 ERA) starts for St. Louis, which had its eight-game winning streak snapped Thursday night with a 5-4 loss to Washington. Flaherty struck out a career-high 13 in his last start against the Brewers on June 22. Freddy Peralta (5-3, 4.47) goes for Milwaukee. … Cole Hamels looks to keep it going when the Cubs face Pittsburgh. Hamels is 2-0 with a 1.00 ERA since Chicago acquired him from Texas at the trade deadline. Trevor Williams (10-8, 3.66) starts for the Pirates. +MARQUEE MOUND MATCHUP +After setting a franchise record by scoring 24 runs Thursday in the first game of a doubleheader at Philadelphia, the Mets send Noah Syndergaard (8-2, 3.22 ERA) to the mound against Phillies ace Aaron Nola (13-3, 2.28). With the help of 11 unearned runs, New York became the first NL team since the 1933 New York Giants to score 15 runs in consecutive games. The Mets routed Baltimore 16-5 on Wednesday night. They also are the only team since 1900 to have a win and a loss by at least 20 runs in the same season. +__ \ No newline at end of file diff --git a/input/test/Test4879.txt b/input/test/Test4879.txt new file mode 100644 index 0000000..888aa71 --- /dev/null +++ b/input/test/Test4879.txt @@ -0,0 +1,12 @@ +Donate News & Updates Home News & Updates Posts Swimming Teaching A Lack of Qualified Swimming Teachers is Still Impacting on the Opportunity for Youngsters to Learn How to Swim A Lack of Qualified Swimming Teachers is Still Impacting on the Opportunity for Youngsters to Learn How to Swim 17th August 2018 According to an updated survey carried out by STA last month, difficulties in recruiting trained swimming teachers are continuing to create widespread problems for many swim schools across the UK—with 68% of swim schools saying this is also majorly impacting on the opportunity for children to learn how to swim. The study shows there has been a massive shift towards swim schools successfully using social media for recruitment—in 2015 only 19% used this platform as compared to 55% in 2018 +The 2018 Industry Swimming Teachers Recruitment Survey by STA, found that more than two-thirds of UK swim schools have a waiting list for lesson spaces, while 78% said they could not find appropriately qualified swimming teaching staff to meet this demand—swim schools operating in the North, South East, East Midlands and Wales were revealed to be the biggest problem areas for recruitment. +This latest study, designed to understand how widespread of an issue swimming teacher recruitment is in the UK, follows a similar study that was undertaken by STA in 2015. By comparing statistics like-for-like STA can understand if recruitment has improved or not over the last 3 years by region. +Positively, the 2018 research which has a larger sample size (309 swim schools who combined teach more than 200,000 learners each week) as compared to 2015, does show that in some regions marginal improvements have been made, namely Northern Ireland, London, Scotland and East Anglia, but overall the statistics are still far too high. 66% of respondents said they have no preference on the type of level 2 qualification they want their teacher to hold +Easing the situation the study shows there has been a massive shift towards swim schools successfully using social media for recruitment—in 2015 only 19% used this platform as compared to 55% in 2018. Plus more than double of respondents are now offering additional training to already qualified swimming teachers in order to meet their own business requirements, for example specialist training for teaching baby swimming, adults and disabilities. +STA also cite that training opportunities have been expanded since 2015 following CIMSPA becoming a chartered institute and setting the bar for aquatic qualifications in the UK. This has created a level playing field for level 2 professional swimming teaching qualifications, particularly for employers in the public sector, thus expanding the opportunity for people to access training courses. This is reinforced by the 2018 survey, where 66% of respondents said they have no preference on the type of level 2 qualification they want their teacher to hold. This shift-change will hopefully start to have an even bigger impact over the next few years. As an industry we have a big job to do in attracting new people to become qualified +Dave Candler, STA's CEO said: Recruitment is a widespread problem and causes many operational issues for swim schools; from them not being able to cope with demand, being forced to cancel swimming lessons and longer waiting lists, which all impact on their future growth. While the research shows some pockets of improvement as compared to the 2015 survey, the issue of recruitment and how it's impacting on the opportunity for children to learn how to swim remains a major concern—and especially when you consider that less and less children are actively participating in primary school swimming programmes as this is pushing even more demand onto swim schools. +Unfortunately the issue is also being further compounded in the private sector by the fact that many swim schools already find it difficult to cope with the increased demand for lessons because of pool time availability and a limited number of swimming pools. Increased swim school competition is also perpetuating the skills shortage—over the last 10–15 years, the number of new private swim schools that have opened has increased exponentially. Swimming is the only activity that can save a person's life, so lots more needs to be done to address these serious recruitment issues +As an industry we have a big job to do in attracting new people to become qualified, added Dave. Working with CIMSPA is a fantastic start, not only does this open up training opportunities, it also serves to professionalise the role of a swimming teacher. +Swimming is the only activity that can save a person's life, so lots more needs to be done to address these serious recruitment issues. As an educational charity dedicated to saving lives, we are working with both large and small swim school operators in the private and public sector to create positive and practical solutions, confirmed Dave. +A total of 330 respondents, representing swim schools in both private and public sector and who together teach in excess of 209,000 learners each week, responded to the STA survey. The main findings were: 68% said they had a waiting list for swimming lessons 78% said they find it difficult to recruit appropriately qualified swimming teachers to meet demand—biggest problem areas are the North, South East, East Midlands and Wales 63% said they were looking to recruit swimming teachers to meet demand 71% said difficulty in finding appropriate staff was affecting their business growth plans 79% said they were prepared to invest in training unqualified staff (16% rise since 2015) 68% 'strongly agreed' or 'agreed' that the lack of staff and increased waiting lists is majorly impacting on the opportunity for children to learn how to swim. +Please contact us for a copy of the full report. Categorie \ No newline at end of file diff --git a/input/test/Test488.txt b/input/test/Test488.txt new file mode 100644 index 0000000..b63f21b --- /dev/null +++ b/input/test/Test488.txt @@ -0,0 +1 @@ +Yogurt Market 2018-2025 Global Analysis By Key Players - Yakult, Valio, Kraft Foods, SanCor Press release from: QYresearchreports Qyresearchreports include new market research report "Global Yogurt Market Insights, Forecast to 2025" to its huge collection of research reports.This report studies the global market size of Yogurt in key regions like North America, Europe, Asia Pacific, Central & South America and Middle East & Africa, focuses on the consumption of Yogurt in these regions. This research report categorizes the global Yogurt market by players/brands, region, type and application. This report also studies the global market status, competition landscape, market share, growth rate, future trends, market drivers, opportunities and challenges, sales channels, distributors and Porter's Five Forces Analysis.Yogurt is a dairy product which produced by milk via fermentation process. Cow's milk is most commonly used to make yogurt even the world as a whole. At the same time some yogurt is made by the milk from water buffalo, goats, ewes, mares, camels, yaks or cow's milk. The bacteria used to make yogurt are known as "yogurt cultures". Fermentation of lactose by these bacteria produces lactic acid, which acts on milk protein to give yogurt its texture and characteristic tang. Yogurt not only keeps the nutriments which contained in the milk, but produce some new nutriments like VB1, VB2, VB6, VB12 and others.First, the yogurt industry concentration is not high; there are more than one hundreds manufacturers in the world, and high-end products are mainly from America and EU.In the world wide, giant manufactures mainly distribute in American and Europe. Europe has a long history and unshakable status in this industry, especially in Western Europe where people yogurt consumption is higher than other regions in the world. As to France, Danone has become the global leader. In Germany, it is Mller Group that leads the technology development. In China, the manufacturers focus in Neimenggu, Shanghai and Zhejiang province.Second, many company have several plants, usually close to aimed consumption market. There are international companies set up factories in USA too, like Danone and Mller Group. Some company usually take a joint venture enter into aim market, like Danone who take their advantage merge with Mengniu, whom key market is in China.For more information on this report, fill the form @ www.qyresearchreports.com/sample/sample.php?rep_id=187588... The various contributors involved in the value chain of Yogurt include manufacturers, suppliers, distributors, intermediaries, and customers. The key manufacturers in the Yogurt include DANON \ No newline at end of file diff --git a/input/test/Test4880.txt b/input/test/Test4880.txt new file mode 100644 index 0000000..b053b36 --- /dev/null +++ b/input/test/Test4880.txt @@ -0,0 +1 @@ +Mali: Incumbent Keita Declared Victor After Disputed Vote By Chike Onwuegbuchi CWG Plc, a pan-African provider of information and communications technology, has announced a strategic partnership with Entersekt, a globally recognized innovator in mobile-first fintech solutions. In line with its commitment to continuously offer cutting-edge technology solutions, CWG will provide Entersekt's full suite of mobile-centred security and payments enablement products to banks and other enterprises in Nigeria and beyond, either as a hosted solution or on-premises implementation. Adewale Adeyipo, ED-VP Sales and Marketing at CWG said, "This is a major step towards ensuring that our customers can operate in conformity to relevant global practices and regulations by rolling out market-leading online and mobile experiences at competitive prices, without exposing their users to fraud." CWG's rollout of Entersekt technology begins with Transakt, a sophisticated app-based mobile identity and authentication product. Available as a software development kit or stand-alone mobile app, Transakt is used by tens of millions of smart phone users around the world to safely log into their online and mobile banking, verify payments and other sensitive transactions, and communicate privately with their service providers. Users approve or reject in-app authentication prompts with one tap. About 90 percent of Nigeria's 113 million strong mobile subscriber base use feature phones, which do not support apps, so user-initiated USSD banking and payments are extremely popular in the country. To help banks secure this channel, CWG will offer Interakt, which counters man-in-the-middle and other fraudulent attacks through real-time SIM-swap checking and multi-factor transaction authentication. CWG will work in tandem with local mobile VAS aggregators to enable Interakt at mobile networks in the region. Mobile payments are exploding but responding quickly to technological developments and unpredictable changes in consumer preferences can be risky - and expensive. Nigeri \ No newline at end of file diff --git a/input/test/Test4881.txt b/input/test/Test4881.txt new file mode 100644 index 0000000..45be32a --- /dev/null +++ b/input/test/Test4881.txt @@ -0,0 +1 @@ +Beeline launches new unlimited internet option 12:07 CET | News Russian mobile operator Beeline has introduced to customers its new option Unlimited Internet. It targets subscribers of the EverythingMy! Tariff line \ No newline at end of file diff --git a/input/test/Test4882.txt b/input/test/Test4882.txt new file mode 100644 index 0000000..9864ac0 --- /dev/null +++ b/input/test/Test4882.txt @@ -0,0 +1,15 @@ +Toyota to increase production capacity in China by 20 percent: source Friday, August 17, 2018 3:32 a.m. EDT FILE PHOTO: An employee checks on newly produced cars at a Toyota factory in Tianjin, China March 23, 2012. REUTERS/Stringer +By Norihiko Shirouzu +BEIJING (Reuters) - Japan's Toyota Motor Corp <7203.T> will build additional capacity at its auto plant in China's Guangzhou, a company source said, in addition to beefing up production at a factory in Tianjin city by 120,000 vehicles a year. +A person close to the company said Toyota will build capacity at the production hub in the south China city of Guangzhou to also produce an additional 120,000 vehicles a year, an increase of 24 percent over current capacity. +All together, between the eastern port city of Tianjin and Guangzhou, Toyota will boost its overall manufacturing capacity by 240,000 vehicles a year, or by about 20 percent. +Toyota's production capacity in China is 1.16 million vehicles a year. +Reuters reported earlier this week that Toyota plans to build additional capacity in Tianjin to produce 10,000 all-electric battery cars and 110,000 plug-in hybrid electric cars a year. +China has said it would remove foreign ownership caps for companies making fully electric and plug-in hybrid vehicles in 2018, for makers of commercial vehicles in 2020, and the wider car market by 2022. Beijing also has been pushing automakers to produce and sell more electric vehicles through purchase subsidies and production quotas for such green cars. +Toyota's planned additional capacity in Guangzhou is also for electrified vehicles, said the company source, who declined to be named because he is not authorized to speak on the matter. +The source did not say how much the additional capacity would cost. The Tianjin expansion is likely to cost $257 million, according to a government website. +The planned capacity expansions in Guangzhou and Tianjin are part of a medium-term strategy of the Japanese automaker that aims to increase sales in China to two million vehicles per year, a jump of over 50 percent, by the early 2020s, according to four company insiders with knowledge of the matter. +The plans signal Toyota's willingness to start adding significant manufacturing capacity in China with the possibility of one or two new assembly plants in the world's biggest auto market, the sources said. +Car imports could also increase, they said. +In addition to boosting manufacturing capacity, Toyota also plans to significantly expand its sales networks and focus more on electric car technologies as part of the strategy, the sources said, declining to be identified as they are not authorized to speak to the media. +(Reporting by Norihiko Shirouzu; Editing by Raju Gopalakrishnan) More From Busines \ No newline at end of file diff --git a/input/test/Test4883.txt b/input/test/Test4883.txt new file mode 100644 index 0000000..a86a138 --- /dev/null +++ b/input/test/Test4883.txt @@ -0,0 +1,23 @@ +Travel New Army Credentialing Assistance Program To Be Tested This Fall +AUGUST 15, 2018 – A new Army Credentialing Assistance Program is set to begin a one-year limited user test in Texas this fall before a projected rollout to the entire service in fiscal year 2020. +The program, which has similar rates and eligibility as tuition assistance, will provide Soldiers up to $4,000 each year to pay for credentials that will prepare them for life after the military. +When fully implemented, the program will allow Soldiers to choose from more than 1,600 credentials currently offered on the Army's Credentialing Opportunities Online website. +Many of those credentials offer promotion points and are recognized by civilian industry, including jobs in healthcare, plumbing, information technology and aviation repair. +"It better prepares our Soldiers for the marketplace," said Col. Sam Whitehurst, director of the Army's Soldier for Life program. "Whether the emphasis in the marketplace is on an educational degree or whether a certificate or license, this program is going to ensure our Soldiers are well-rounded as they enter the civilian workforce." +The assistance program builds on the Army's Credentialing Program, which was created in 2015. While that program only authorized Soldiers to take credentials in areas related to their military occupational specialty, the new program eliminates that requirement. +"If an infantryman is interested in transiting into the health industry after they get out of the Army, there are some professional entry-level credentials that they can start to work on while they're still in," said Maj. Sean McEwen, director of Soldier for Life education and training. +In the initial test, every Soldier stationed at Fort Hood, in addition to Army National Guard and Selected Reserve Soldiers who serve in Texas, will be able to choose from nearly 30 different credentials. +"It's truly going to be supportive of the total Army here in Texas," said Michael Engen, the education services officer at Fort Hood. +Some credentials being offered in the limited user test will include certifications to become a computer systems security analyst, personal trainer, or emergency medical technician. +As the first step in implementing the program, the test will validate how the program is administered and forecast future demand and requirements. +Due to its large population and community partnerships, Fort Hood was chosen to be the first installation for the test, and officials said the pilot program may include other posts in the future. +Historically, about a quarter of Fort Hood's 40,000-Soldier force uses tuition assistance and/or pursues higher education. +"I'm really optimistic that we're going to have a more significant portion of our community more actively engaged with their personal professional development because of the credentialing assistance program," Engen said. +When the test officially launches Sept. 6, many Soldiers stationed in Texas will be able to speak with education officials and register for courses. The courses cannot start until Oct. 1 and will be subject to availability and funding, Engen said. +Under the program, Soldiers can receive up to $4,000 annually in combined tuition assistance and credentialing assistance, according to Human Resources Command. The funds can go toward academic, vocational, and technical type courses that lead to a credential or license, and/or the exam Soldiers may need to complete. +Since it does not have the same limitations as tuition assistance, credentialing assistance has more flexibility on what it can pay for. That could include course registration and other academic fees, as well as associated learning materials. Even "boot camp" pre-certification training may be covered by the program, Engen said. +Each year, over 25,000 Soldiers already take advantage of credentials offered by the Training and Doctrine Command and the Medical Command. The assistance program looks to add to that success, and perhaps, attract people to the Army. +"We're going to see a growth in professional readiness for a lot of our skilled MOSs," McEwen said. "We also expect this is going to be a tool to help us recruit and retain talent. People are going to identify the Army as an organization that values skilled and trained professionals." +And if Soldiers do decide to get out and pursue a civilian career, they will be ready. +"When you look at this program, it really demonstrates the Army's commitment to being a Soldier for Life," Whitehurst said. "We ensure our Soldiers are prepared to fight and win our nation's wars while they serve. But through this program, we invest in their futures so that they become productive and successful veterans." +By Sean Kimmons, Army News Service \ No newline at end of file diff --git a/input/test/Test4884.txt b/input/test/Test4884.txt new file mode 100644 index 0000000..ef1be74 --- /dev/null +++ b/input/test/Test4884.txt @@ -0,0 +1,12 @@ +by 2015-2023 World Diving Underwater Scooters Market Research Report by Product Type, End-User (Application) and Regions (Countries) +The comprehensive analysis of Global Diving Underwater Scooters Market along with the market elements such as market drivers, market trends, challenges and restraints. The various factors which will help the buyer in studying the Diving Underwater Scooters market on competitive landscape analysis of prime manufacturers, trends, opportunities, marketing strategies analysis, Market Effect Factor Analysis and Consumer Needs by major regions, types, applications in Global market considering the past, present and future state of the industry.In addition, this report consists of the in-depth study of potential opportunities available in the market on a global level. +The report begins with a market overview and moves on to cover the growth prospects of the Diving Underwater Scooters market. The current environment of the global Diving Underwater Scooters industry and the key trends shaping the market are presented in the report. Insightful predictions for the coming few years have also been included in the report. These predictions feature important inputs from leading industry experts and take into account every statistical detail regarding the Diving Underwater Scooters market. The market is growing at a very rapid face and with rise in technological innovation, competition and M&A activities in the industry many local and regional vendors are offering specific application products for varied end-users. +Request for free sample report @ https://www.indexmarketsresearch.com/report/2015-2023-world-diving-underwater-scooters-market/16198/#requestforsample +The statistical surveying report comprises of a meticulous study of the Diving Underwater Scooters Market along with the industry trends, size, share, growth drivers, challenges, competitive analysis, and revenue. The report also includes an analysis on the overall market competition as well as the product portfolio of major players functioning in the market. To understand the competitive scenario of the market, an analysis of the Porter's Five Forces model has also been included for the market.This market research is conducted leveraging the data sourced from the primary and secondary research team of industry professionals as well as the in-house databases. Research analysts and consultants cooperate with the key organizations of the concerned domain to verify every value of data exists in this report. +Diving Underwater Scooters industry report contains proven by regions, especially Asia-Pacific, North America, Europe, South America, Middle East & Africa, focusing top manufacturers in global market, with Production, price, revenue and market share for each manufacturer, covering following top players: Sub-Gravity, Dive-Xtras Cuda, Torpedo, Apollo, Sea Doo Aqua, New Hollis, TUSA, Aquaparx, Genesis +Split By Product Type, With Production, Income, Value, Market Share, And Development Rate Of Each Kind Can Be Partitioned Into: High Performance Underwater Scooters, Recreational Underwater Scooters. +Split By Application, This Report Centers Around Utilization, Market Share And Development Rate In Every Application, Can Be Categorized Into: Household, Commercial Use, Others. +Key Reasons to Purchase: 1) To gain insightful analyses of the market and have comprehensive understanding of the Diving Underwater Scooters Market and its commercial landscape. 2) Assess the Diving Underwater Scooters Market production processes, major issues, and solutions to mitigate the development risk. 3) To understand the most affecting driving and restraining forces in the Diving Underwater Scooters Market and its impact in the global market. 4) Learn about the market strategies that are being adopted by leading respective organizations. 5) To understand the outlook and prospects for Diving Underwater Scooters Market. +Get 25% Discount Click here @ https://www.indexmarketsresearch.com/report/2015-2023-world-diving-underwater-scooters-market/16198/#inquiry +Topics such as sales and sales revenue overview, production market share by product type, capacity and production overview, import, export, and consumption are covered under the development trend section of the Diving Underwater Scooters market report.Lastly, the feasibility analysis of new project investment is done in the report, which consist of a detailed SWOT analysis of the Diving Underwater Scooters market. +Get Customized report please contact \ No newline at end of file diff --git a/input/test/Test4885.txt b/input/test/Test4885.txt new file mode 100644 index 0000000..2a5f7ea --- /dev/null +++ b/input/test/Test4885.txt @@ -0,0 +1,12 @@ +Grab latest promotion at LAZADA now! The Finnish company reported lower second-quarter earnings due to declining revenue from its 2016 Hollywood movie, but the number of active players for its games rose more than analysts had expected. An employee works inside an office of Rovio, the company which created the video game Angry Birds, in Shanghai. (Reuters pic) +HELSINKI: Rovio Entertainment, the maker of the "Angry Birds" mobile game series and movie, on Friday reported an increase in second-quarter sales at its games business, providing a positive sign for investors after a profit warning in February. +The Finnish company, which listed on the stock market in Helsinki last September, reported lower second-quarter earnings due to declining revenue from its 2016 Hollywood movie, but the number of active players for its games rose more than analysts had expected. +Second-quarter adjusted operating profit fell to 6 million euros (US$7 million), down from 16 million euros a year earlier and slightly above the average market forecast according to Thomson Reuters data. +Total sales fell 17% to 72 million euros but sales at the games business rose 6% to 65 million euros. +Rovio's shares rose 3.3% on the day by 0714 GMT. The stock is trading around 50% below its initial public offering price. +The company's recent troubles have stemmed from tough competition and increased marketing costs, as well as high dependency on the Angry Birds brand that was first launched as a mobile game in 2009. +Rovio reiterated the full-year outlook that had disappointed investors in February, when it said that sales could fall this year after a 55% increase in 2017. +OP Bank analyst Hannu Rauhala said it seemed that the allocation of user acquisition investments had been successful. "Those investments have resulted in growth both in revenue and the number of active players," said Rauhala, who has a "buy" rating on the stock. +Rovio expects a movie sequel to boost business next year and the company has also stepped up investments in its spin-off company Hatch, which is building a Netflix-style streaming service for mobile games. +Rovio's current top title "Angry Birds 2" generates almost half of the company's game income. +"It would be desirable to see other mainstays to emerge in its game business, meaning new successful games," OP's Rauhala said \ No newline at end of file diff --git a/input/test/Test4886.txt b/input/test/Test4886.txt new file mode 100644 index 0000000..c4f57b9 --- /dev/null +++ b/input/test/Test4886.txt @@ -0,0 +1,13 @@ +Angry Birds maker Rovio's games get sales boost Friday, August 17, 2018 1:52 a.m. EDT FILE PHOTO: Angry Birds characters Bomb, Chuck and Red are pictured during the premiere in Helsinki, Finland, May 11, 2016. REUTERS/Tuomas +HELSINKI (Reuters) - Rovio Entertainment , the maker of the "Angry Birds" mobile game series and movie, on Friday reported an increase in second-quarter sales at its games business, providing a positive sign for investors after a profit warning in February. +The Finnish company, which listed on the stock market in Helsinki last September, reported lower second-quarter earnings due to declining revenue from its 2016 Hollywood movie, but the number of active players for its games rose more than analysts had expected. +Second-quarter adjusted operating profit fell to 6 million euros ($7 million), down from 16 million euros a year earlier and slightly above the average market forecast according to Thomson Reuters data. +Total sales fell 17 percent to 72 million euros but sales at the games business rose 6 percent to 65 million euros. +Rovio's shares rose 3.3 percent on the day by 0714 GMT. The stock is trading around 50 percent below its initial public offering price. +The company's recent troubles have stemmed from tough competition and increased marketing costs, as well as high dependency on the Angry Birds brand that was first launched as a mobile game in 2009. +Rovio reiterated the full-year outlook that had disappointed investors in February, when it said that sales could fall this year after a 55 percent increase in 2017. +OP Bank analyst Hannu Rauhala said it seemed that the allocation of user acquisition investments had been successful. "Those investments have resulted in growth both in revenue and the number of active players," said Rauhala, who has a "buy" rating on the stock. +Rovio expects a movie sequel to boost business next year and the company has also stepped up investments in its spin-off company Hatch, which is building a Netflix-style streaming service for mobile games. +Rovio's current top title "Angry Birds 2" generates almost half of the company's game income. +"It would be desirable to see other mainstays to emerge in its game business, meaning new successful games," OP's Rauhala said. +(Reporting by Jussi Rosendahl and Anne Kauranen; Editing by Kim Coghill and Jane Merriman) More From Technolog \ No newline at end of file diff --git a/input/test/Test4887.txt b/input/test/Test4887.txt new file mode 100644 index 0000000..56b2299 --- /dev/null +++ b/input/test/Test4887.txt @@ -0,0 +1,8 @@ +Tweet +Zacks Investment Research upgraded shares of AMADEUS IT Hldg/ADR (OTCMKTS:AMADY) from a sell rating to a hold rating in a report published on Tuesday. +According to Zacks, "Amadeus IT Holding SA provides technology solutions for the global travel industry. The company's customer groups include travel providers which consists of airlines, hotels, rail and ferry operators; travel sellers consists of travel agencies and websites, travel buyers consists of corporations and travel management companies. Amadeus IT Holding SA is headquartered in Madrid, Spain. " Get AMADEUS IT Hldg/ADR alerts: +Several other analysts also recently issued reports on AMADY. Imperial Capital initiated coverage on AMADEUS IT Hldg/ADR in a research note on Thursday, April 19th. They issued an in-line rating for the company. ValuEngine upgraded AMADEUS IT Hldg/ADR from a hold rating to a buy rating in a research note on Tuesday, May 1st. AMADY opened at $85.58 on Tuesday. The firm has a market capitalization of $36.47 billion, a P/E ratio of 28.53 and a beta of 1.02. AMADEUS IT Hldg/ADR has a 1 year low of $59.49 and a 1 year high of $87.76. The company has a quick ratio of 0.54, a current ratio of 0.54 and a debt-to-equity ratio of 0.66. +AMADEUS IT Hldg/ADR Company Profile +Amadeus IT Group, SA, together with its subsidiaries, operates as a transaction processor for the travel and tourism industry worldwide. It operates through two segments, Distribution and IT Solutions. The company acts as an international network providing real-time search, pricing, booking, and ticketing services. +Get a free copy of the Zacks research report on AMADEUS IT Hldg/ADR (AMADY) +For more information about research offerings from Zacks Investment Research, visit Zacks.com Receive News & Ratings for AMADEUS IT Hldg/ADR Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for AMADEUS IT Hldg/ADR and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4888.txt b/input/test/Test4888.txt new file mode 100644 index 0000000..28f0adb --- /dev/null +++ b/input/test/Test4888.txt @@ -0,0 +1,9 @@ +Tweet +KMG Chemicals (NYSE:KMG) was upgraded by equities researchers at ValuEngine from a "hold" rating to a "buy" rating in a research note issued on Wednesday. +KMG has been the subject of a number of other research reports. Zacks Investment Research upgraded KMG Chemicals from a "hold" rating to a "buy" rating and set a $89.00 price target for the company in a research report on Thursday, June 14th. KeyCorp reiterated an "equal weight" rating on shares of KMG Chemicals in a research report on Thursday, June 14th. Get KMG Chemicals alerts: +Shares of KMG opened at $76.61 on Wednesday. The firm has a market cap of $1.04 billion, a P/E ratio of 33.99, a P/E/G ratio of 0.52 and a beta of 0.28. The company has a quick ratio of 1.71, a current ratio of 2.70 and a debt-to-equity ratio of 0.81. KMG Chemicals has a 12 month low of $45.81 and a 12 month high of $79.35. KMG Chemicals (NYSE:KMG) last announced its quarterly earnings results on Monday, June 11th. The specialty chemicals company reported $1.10 earnings per share (EPS) for the quarter, topping the Zacks' consensus estimate of $0.84 by $0.26. KMG Chemicals had a return on equity of 16.21% and a net margin of 11.87%. The company had revenue of $118.60 million during the quarter, compared to analyst estimates of $112.87 million. During the same quarter in the previous year, the firm posted $0.53 EPS. The firm's quarterly revenue was up 45.3% on a year-over-year basis. equities analysts forecast that KMG Chemicals will post 4 earnings per share for the current fiscal year. +In other KMG Chemicals news, VP Christopher W. Gonser sold 5,000 shares of the business's stock in a transaction on Wednesday, June 20th. The stock was sold at an average price of $77.04, for a total transaction of $385,200.00. Following the completion of the transaction, the vice president now owns 33,213 shares in the company, valued at approximately $2,558,729.52. The sale was disclosed in a legal filing with the Securities & Exchange Commission, which is available at this hyperlink . Insiders own 6.10% of the company's stock. +A number of hedge funds have recently made changes to their positions in KMG. Teachers Advisors LLC boosted its position in KMG Chemicals by 38.3% during the 4th quarter. Teachers Advisors LLC now owns 23,325 shares of the specialty chemicals company's stock worth $1,541,000 after acquiring an additional 6,455 shares during the period. MetLife Investment Advisors LLC acquired a new stake in shares of KMG Chemicals in the fourth quarter valued at $407,000. Wells Fargo & Company MN lifted its holdings in shares of KMG Chemicals by 25.0% in the first quarter. Wells Fargo & Company MN now owns 823,184 shares of the specialty chemicals company's stock valued at $49,351,000 after buying an additional 164,895 shares during the period. Rhumbline Advisers lifted its holdings in shares of KMG Chemicals by 10.5% in the first quarter. Rhumbline Advisers now owns 12,230 shares of the specialty chemicals company's stock valued at $733,000 after buying an additional 1,160 shares during the period. Finally, American Century Companies Inc. lifted its holdings in shares of KMG Chemicals by 37.5% in the first quarter. American Century Companies Inc. now owns 172,425 shares of the specialty chemicals company's stock valued at $10,337,000 after buying an additional 47,007 shares during the period. Institutional investors own 90.83% of the company's stock. +KMG Chemicals Company Profile +KMG Chemicals, Inc, through its subsidiaries, manufactures, formulates, and distributes specialty chemicals and performance materials worldwide. The company's Electronic Chemicals segment is involved in the sale of high purity process chemicals primarily to etch and clean silicon wafers in the production of semiconductors, photovoltaics, and flat panel displays. +To view ValuEngine's full report, visit ValuEngine's official website . Receive News & Ratings for KMG Chemicals Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for KMG Chemicals and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4889.txt b/input/test/Test4889.txt new file mode 100644 index 0000000..08c4287 --- /dev/null +++ b/input/test/Test4889.txt @@ -0,0 +1 @@ +Press release from: Orian Research Global Mobile Photo Printer Market 2018-2025 Global Mobile Photo Printer Market Analysis Research Report On Global Mobile Photo Printer Market 2018 Industry Growth, Size, Trends, Share, Opportunities And Forecast To 2025 To Their Research Database. Global Mobile Photo Printer Market This report studies the global Mobile Photo Printer market size, industry status and forecast, competition landscape and growth opportunity.Get Sample Copy of this Report @ www.orianresearch.com/request-sample/604829 .Mobile Photo Printer Report covers the comprehensive market, vendor landscape, present scenario, and the growth prospects of the Sensing Mobile Photo Printer for 2018-2025. Report, consists of various factors such as definitions, applications, and classifications. Global Sales Volume, Sales Price and Sales Revenue Analysis, SWOT analysis are also covered in the Sensing Mobile Photo Printer market research report. This report provides valuable information for companies like manufacturers, suppliers, distributors, traders, customers, investors and individuals who have interests in this industryThis report covers the global perspective of Mobile Photo Printer industry with regional splits into North America, Europe, china, japan, Southeast Asia, India, apac and Middle East. Where these regions are further dug to the countries which are major contributors to the marketAlong with the reports on the global aspect, these reports cater regional aspects as well for the organizations that have their Mobile Photo Printer gated audience in specific regions (countries) in the world.Complete report Mobile Photo Printer Industry spreads across 111 pages profiling 08 companies and supported with tables and figures, Enquiry of this Report @ www.orianresearch.com/enquiry-before-buying/604829 .Analysis of Mobile Photo Printer Market Key Companies:Cano \ No newline at end of file diff --git a/input/test/Test489.txt b/input/test/Test489.txt new file mode 100644 index 0000000..16f3417 --- /dev/null +++ b/input/test/Test489.txt @@ -0,0 +1,15 @@ +— Damien Tiernan (@damienrte) August 15, 2018 +In order to run in the election set for later this year, hopefuls need the backing of four local councils, or 20 TDs or Senators. There are currently five people hoping to win this support, independent Marie Goretti Moylan not making a pitch to the council on Thursday. +While one independent councilor voiced support for Duffy, Sharkey's comments sparked some anger, with one member of the local authority stating that he would "never" support a candidate who did not reject Trump. +"When people say put Ireland first, that's just common sense... When I go to Birmingham, Manchester, Luton, I see something I never want to see in Ireland," Sharkey argued. +"I know racism, this [his comments] is not racism," adding that he has known racism throughout his life. +Read more: Irish immigration backlash? Presidential hopeful Kevin Sharkey touches a nerve +This is not the first time that the artist has spoken out on immigration with the aim of winning a Presidential candidacy. In April, he told the Ray D'Arcy show: "If we don't protect our future, if we don't protect what we have, what has made us Irish, we won't be Irish in 200 years. +"I'm not against immigration. Look at Australia. They have a beautiful system there. If you are contributing, if you have a trade that we need and you can support yourself you are welcome. +"We should have an honest, open dialogue about it without being shut down and called racist. +"I'd hope to bring an awareness to the fact that in Ireland we seem to have shifted away a little bit from looking after the Irish first," he added, stating that we had "fallen into this politically correct speech and people are censoring themselves when they really should be able to have an honest dialogue." +Read more: Ireland's immigration policies closer to Trump than you'd think +The other speakers at the council were also offered the opportunity to speak for 15 minutes about what their Presidential bid would entail. Senator Freeman spoke about clerical sex abuse, sharing her belief that Pope Francis should meet with victims when he visits Ireland. +"Like you, I am very very anxious the Pope will visit the victims of sexual abuse in this country," she said. +"I would be very disappointed if he didn't, because the Pope has very significant healing powers and we need that as a country." +Do you agree with Sharkey? Do we need an Irish President who is vocal on immigration? Let us know your thoughts in the comments section, below. Artist Kevin Sharkey. WikiCommons/Sinn Féi \ No newline at end of file diff --git a/input/test/Test4890.txt b/input/test/Test4890.txt new file mode 100644 index 0000000..197593e --- /dev/null +++ b/input/test/Test4890.txt @@ -0,0 +1 @@ +As with most websites while, the new casino sites UK are likely to grow fast, so after you sign up with one, it could only have a number of months for your prizes to start finding substantially greater. The Jackpot Wish Casino is savored by hundreds on the each day, hourly and minutely basis! Exactly†\ No newline at end of file diff --git a/input/test/Test4891.txt b/input/test/Test4891.txt new file mode 100644 index 0000000..2d00ead --- /dev/null +++ b/input/test/Test4891.txt @@ -0,0 +1,6 @@ +Tweet +Barclays (LON:BARC) 's stock had its "buy" rating reissued by equities research analysts at Deutsche Bank in a research report issued on Friday. +Other analysts have also issued research reports about the stock. Goldman Sachs Group set a GBX 220 ($2.81) target price on shares of Barclays and gave the company a "neutral" rating in a research report on Monday, July 23rd. Shore Capital reiterated a "buy" rating on shares of Barclays in a research report on Thursday, August 2nd. HSBC boosted their price target on shares of Barclays from GBX 260 ($3.32) to GBX 270 ($3.44) and gave the stock a "buy" rating in a research report on Friday. Credit Suisse Group set a GBX 235 ($3.00) price target on shares of Barclays and gave the stock a "buy" rating in a research report on Thursday, July 19th. Finally, Jefferies Financial Group set a GBX 266 ($3.39) price target on shares of Barclays and gave the stock a "buy" rating in a research report on Friday, July 20th. One equities research analyst has rated the stock with a sell rating, seven have given a hold rating and eleven have assigned a buy rating to the stock. The stock presently has a consensus rating of "Buy" and a consensus price target of GBX 227.37 ($2.90). Get Barclays alerts: +Shares of LON BARC opened at GBX 183.18 ($2.34) on Friday. Barclays has a 52-week low of GBX 177.30 ($2.26) and a 52-week high of GBX 235.35 ($3.00). In other news, insider Tim J. Breedon bought 3,859 shares of Barclays stock in a transaction on Friday, August 10th. The shares were bought at an average cost of GBX 190 ($2.42) per share, with a total value of £7,332.10 ($9,353.36). Also, insider Mike Turner bought 50,000 shares of Barclays stock in a transaction on Friday, August 3rd. The shares were purchased at an average cost of GBX 190 ($2.42) per share, for a total transaction of £95,000 ($121,188.93). +About Barclays +Barclays PLC, through its subsidiaries, provides various financial products and services in the United Kingdom, other European countries, the Americas, Africa, the Middle East, and Asia. The company operates through Barclays UK and Barclays International divisions. It offers personal and business banking services; credit and debit cards; international banking; and private banking services, which include investment, wealth planning, and credit and specialist solutions to high net worth and ultra-high net worth clients, and family offices \ No newline at end of file diff --git a/input/test/Test4892.txt b/input/test/Test4892.txt new file mode 100644 index 0000000..4326783 --- /dev/null +++ b/input/test/Test4892.txt @@ -0,0 +1,9 @@ +Tweet +Cypress Wealth Services LLC grew its holdings in Philip Morris International Inc. (NYSE:PM) by 1.2% in the second quarter, according to the company in its most recent Form 13F filing with the SEC. The institutional investor owned 66,325 shares of the company's stock after buying an additional 810 shares during the quarter. Philip Morris International makes up 2.0% of Cypress Wealth Services LLC's portfolio, making the stock its 6th largest position. Cypress Wealth Services LLC's holdings in Philip Morris International were worth $5,355,000 as of its most recent SEC filing. +Several other large investors have also made changes to their positions in PM. Dreman Value Management L L C bought a new position in shares of Philip Morris International in the 1st quarter valued at about $251,000. Diamond Hill Capital Management Inc. lifted its holdings in shares of Philip Morris International by 13.9% in the 1st quarter. Diamond Hill Capital Management Inc. now owns 4,310,333 shares of the company's stock valued at $428,447,000 after acquiring an additional 526,539 shares during the last quarter. Hennessy Advisors Inc. lifted its holdings in shares of Philip Morris International by 12.2% in the 1st quarter. Hennessy Advisors Inc. now owns 54,300 shares of the company's stock valued at $5,397,000 after acquiring an additional 5,900 shares during the last quarter. Wells Fargo & Company MN lifted its holdings in shares of Philip Morris International by 4.5% in the 1st quarter. Wells Fargo & Company MN now owns 9,006,584 shares of the company's stock valued at $895,253,000 after acquiring an additional 389,848 shares during the last quarter. Finally, Daiwa Securities Group Inc. lifted its holdings in shares of Philip Morris International by 5.8% in the 1st quarter. Daiwa Securities Group Inc. now owns 67,310 shares of the company's stock valued at $6,691,000 after acquiring an additional 3,699 shares during the last quarter. Institutional investors own 72.24% of the company's stock. Get Philip Morris International alerts: +Shares of NYSE PM opened at $84.68 on Friday. The company has a quick ratio of 0.64, a current ratio of 1.15 and a debt-to-equity ratio of -2.76. The stock has a market capitalization of $128.34 billion, a price-to-earnings ratio of 17.18, a PEG ratio of 1.76 and a beta of 0.90. Philip Morris International Inc. has a 1 year low of $76.21 and a 1 year high of $119.43. Philip Morris International (NYSE:PM) last announced its quarterly earnings data on Thursday, July 19th. The company reported $1.41 earnings per share (EPS) for the quarter, topping the Thomson Reuters' consensus estimate of $1.23 by $0.18. The business had revenue of $7.73 billion during the quarter, compared to the consensus estimate of $7.53 billion. Philip Morris International had a net margin of 7.84% and a negative return on equity of 76.67%. The firm's quarterly revenue was up 11.7% compared to the same quarter last year. During the same quarter last year, the firm earned $1.14 earnings per share. sell-side analysts predict that Philip Morris International Inc. will post 5.06 earnings per share for the current fiscal year. +A number of brokerages recently commented on PM. ValuEngine raised shares of Philip Morris International from a "strong sell" rating to a "sell" rating in a report on Monday, July 30th. Stifel Nicolaus lowered their price target on shares of Philip Morris International from $100.00 to $93.00 and set a "buy" rating for the company in a report on Friday, July 20th. JPMorgan Chase & Co. downgraded shares of Philip Morris International from an "overweight" rating to a "neutral" rating in a report on Friday, July 20th. Jefferies Financial Group reaffirmed a "buy" rating and issued a $93.00 price target on shares of Philip Morris International in a report on Friday, July 13th. Finally, Societe Generale downgraded shares of Philip Morris International from a "buy" rating to a "hold" rating in a research note on Monday, July 23rd. Three equities research analysts have rated the stock with a sell rating, three have assigned a hold rating and nine have assigned a buy rating to the stock. The company presently has a consensus rating of "Hold" and an average price target of $104.55. +About Philip Morris International +Philip Morris International Inc, through its subsidiaries, manufactures and sells cigarettes, other tobacco products, and other nicotine-containing products. Its portfolio of brands comprises Marlboro, Parliament, Bond Street, Chesterfield, L&M, Lark, Philip Morris, Merit, Virginia S., Muratti, and Next. +Read More: How to Track your Portfolio in Google Finance +Want to see what other hedge funds are holding PM? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Philip Morris International Inc. (NYSE:PM). Receive News & Ratings for Philip Morris International Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Philip Morris International and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4893.txt b/input/test/Test4893.txt new file mode 100644 index 0000000..09260f7 --- /dev/null +++ b/input/test/Test4893.txt @@ -0,0 +1,20 @@ +Aug 17, 2018 | 3:00 AM | Mexico City Models pose at a 2017 event for an automaker in Mexico City. The Mexican capital has banned the hiring of models at city events, saying the practice reinforces harmful stereotypes. (Rebecca Blackwell / Associated Press) They are a common feature at government and corporate events across Mexico: Young female models in high heels and tight clothing whose primary function seems to be to serve as eye candy. +For years, the employment of " edecanes ," or hostesses, has angered feminists who say the practice is sexist and objectifies women. Advertisement +Now authorities in the leftist bastion of Mexico City are taking action. +Last week, Mexico City Mayor Jose Ramon Amieva officially banned the employment of models at government events. +The practice, Amieva said, reinforced stereotypes about gender roles and contradicted other city policies aimed at promoting gender equality. +"Women have a potential equal to or greater than that of men," he said. "Any circumstance that may degrade or stereotype women must be eliminated." +Many women, including female politicians, have long grumbled about the ubiquitous presence of scantily clad models at official functions where everyone else is dressed in business attire. At corporate events or store openings, it's common for models to wear logos printed on their clothing or their bodies. +Several instances have drawn particular outrage over the years. +During local elections in 2016, the political party New Alliance closed its campaign with a celebration in Mexico City that featured topless women with the party's turquoise and white logo painted across their breasts. +At a 2012 presidential debate, a model in a skin-tight white dress that revealed copious cleavage was hired by the country's electoral institute to hand out envelopes to the candidates onstage. +The model, Julia Orayen, was more discussed in the media than most of the policy proposals debated that night and eventually ended up on the cover of Playboy Mexico. The magazine's headline? "We take off the debate dress." A model poses for a photographer at an agency in Mexico City that contracts models and hostesses for corporate and government events. (Eduardo Verdugo / Associated Press) +Mexico City government events have tended to be slightly more decorous. Still, models in tight suits and heels were for decades paid to greet event guests, deliver water to speakers or simply stand onstage and look pretty. +No longer. +Amieva said that those women on the government payroll who had previously been asked to work as hostesses will be reassigned to other "more empowering" tasks. The hiring of freelance hostesses is banned and could result in fines, he said. +The new ban has been welcomed by feminist activists who say it is a small but significant step against Mexico's culture of machismo. Some said they hoped the ban would be implemented by the federal government as well. +But the ban has been criticized by the hostessing industry, which is big business in Mexico, with an estimated 900,000 women working in the sector. Some hostesses have taken to social media to defend the dignity of the job, which, they have clarified, should not be misconstrued as prostitution. Advertisement +The ban comes amid a broader public debate about the role of women in Mexican government. After criticism over several recent panels that were dominated by men, Amieva, of the leftist Party of the Democratic Revolution, vowed to ensure that women make up at least half the participants in future city events. Then-presidential candidate Andres Manuel Lopez Obrador and Mexico City mayoral candidate Claudia Sheinbaum hold their closing campaign rally in Mexico's capital on June 27, 2018. (Marco Ugarte / Associated Press) +Almost half of the nation's incoming members of Congress are women, and Amieva is about to be replaced by a woman. In December, environmental engineer Claudia Sheinbaum will become Mexico City's first elected female mayor. +Incoming Mexican President Andres Manuel Lopez Obrador, who, like Sheinbaum, is a member of the leftist National Regeneration Movement political party, has vowed to tap women to fill half of his Cabinet positions. One of them is Olga Sanchez Cordero, a former Supreme Court justice and advocate of the legalization of abortion who is expected to be his pick to lead the Interior Ministry. +Last week, Sanchez Cordero said that in that role she hopes to "change the patriarchal system" in Mexico. A first step, she said, is the democratization of families. One of the ways to achieve that, she said, is encouraging men to do more chores and housework. Today's Headlines Newslette \ No newline at end of file diff --git a/input/test/Test4894.txt b/input/test/Test4894.txt new file mode 100644 index 0000000..c2da866 --- /dev/null +++ b/input/test/Test4894.txt @@ -0,0 +1,5 @@ +Top Performing Players Live Pass +Please download the NRL Official App and subscribe to NRL Live Pass to watch this match live. +NRL Live Pass is free for Telstra mobile customers: Every match of the 2018 NRL Telstra Premiership regular season live, fast and data-free.* In-game scoring highlights +Non Telstra Mobile customers can subscribe to NRL Live Pass ($3.99 Weekly Pass or $99.99 Annual Pass) via the NRL Official App. Live Pass is only available in Australia. For more information on streaming live matches in other countries please visit Watch NRL +*NRL Live Pass excludes live streaming of the Grand Final and State of Origin. Live streaming limited to 7" viewing size Corporate Partner \ No newline at end of file diff --git a/input/test/Test4895.txt b/input/test/Test4895.txt new file mode 100644 index 0000000..f3817fe --- /dev/null +++ b/input/test/Test4895.txt @@ -0,0 +1,47 @@ +German government places Socialist Equality Party on subversive watch-list By the Sozialistische Gleichheitspartei 17 August 2018 +Last month, the Federal Office for the Protection of the Constitution (BfV), Germany's domestic intelligence agency, added the Socialist Equality Party to its official list of "left-wing extremist" organizations subject to state monitoring in its annual "constitutional protection report." It is a calculated political attack on the Sozialistische Gleichheitspartei (Socialist Equality Party—SGP). +In previous years, the annual report did not mention the SGP. Now it appears twice—as one of three "left-wing extremist parties" and as an "object of observation," to be monitored by the secret service. +Monitoring by the secret service means massive restriction on basic democratic rights, and is a precursor to a possible ban. The SGP and its members must assume that they are being watched, their communications are being intercepted and they are being spied on by covert means. They are branded as "enemies of the Constitution" and can expect to face harassment in regard to elections, public appearances, renting rooms or looking for a job. +For example, the RCDS, the student organisation of the governing Christian Democratic parties (Christian Democratic Union and Christian Social Union), demands that organizations and their members that are subject to monitoring by the secret service be excluded from universities. +The secret service has made no accusation that the SGP is breaking any law or is engaged in violent activity. It even explicitly confirms that the SGP pursues its goals by legal means—that it "tries to gain public attention for its political ideas by participating in elections and through lectures." +It justifies the monitoring of the SGP exclusively by the fact that it advocates a socialist program, criticizes capitalism and rejects the establishment parties and the trade unions. The BfV report states: "The agitation of the SGP is directed in its program against the existing state and social order, as a generalized disparagement of 'capitalism,' against the EU, against alleged nationalism, imperialism and militarism and against social democracy, the unions and also against the party DIE LINKE [Left Party]." +The general introduction to the chapter "Left-Wing Extremism" makes clear that the secret service is intent on suppressing any socialist critique of capitalism and its social consequences. +The "ideological basis" of "left-wing extremists," it says, "is the rejection of the 'capitalist system as a whole,' because 'capitalism' is more than just an economic form for left-wing extremists: it is seen as a basis as well as a guarantor of 'bourgeois rule' through 'repression' at home and 'aggression' abroad. 'Capitalism' is therefore responsible for all societal and political ills, such as social injustice, the 'destruction' of housing, wars, right-wing extremism and racism, as well as environmental disasters." +According to the secret service, such a critique of capitalism, which millions of people share, is an attack on "our state and social order and thus liberal democracy." Anyone who bases himself or herself on "Marx, Engels and Lenin" as "leading theoretical figures," or considers the "revolutionary violence" of the "oppressed against the rulers" in principle as "legitimate" is, in the eyes of the secret service, a "left-wing extremist" and "enemy of the Constitution." +This falls within a tradition of the suppression of socialist parties that has a long and disastrous history in Germany. In 1878, German Chancellor Otto Von Bismarck enacted the infamous Anti-Socialist Law "against the homicidal aspirations of social democracy," which forced the Social Democratic Party (SPD) into illegality for twelve years. In 1933, Hitler first smashed the Communist Party and then the SPD to clear the way for Nazi dictatorship, the Second World War and the extermination of the Jews. Now, the grand coalition of the Christian Democrats and Social Democrats and its intelligence agency are preparing a third version of the Anti-Socialist Law. They are adopting the policy of the Alternative for Germany (AfD) and threaten anyone who opposes this far-right party with illegality. +Although leading representatives of the AfD regularly agitate against migrants, incite racism, glorify Hitler's Wehrmacht (Army) and downplay the crimes of National Socialism (Nazism), there is not a single mention of this party in the chapter on "right-wing extremism" in the BfV report. This also applies to the representatives of its völkisch-racist wing, the New Right Network and the xenophobic Pegida, which are closely linked with the AfD. +The AfD spokesman in Thuringia, Björn Höcke, against whom the AfD itself has initiated two disciplinary proceedings for making right-wing extremist statements, also does not appear in the report. Neither does the "Institute for State Policy" of neo-right ideologist Götz Kubitschek, the Compact magazine of Jürgen Elsässers or the weekly Junge Freiheit . The Identarian Movement is mentioned, but only as a "suspicious case." +In the chapter on "left-wing extremism," the AfD is mentioned several times—as the victim of supposed "left-wing extremists"! Those who protest against the AfD and against right-wing extremism or collect information about them are considered to be "left-wing extremists." +"Protests against the two party congresses of the AfD, in April in Cologne and in December in Hanover," are cited in the BfV report as evidence of "extreme left" sentiment. The same applies to the "ongoing fight against right-wing extremists" and the gathering of "information about alleged or actual right-wing extremists and their structures." +Large parts of the BfV report read as if they were written in AfD party headquarters. Many passages bear its imprimatur. It has since been confirmed by the Interior Ministry that BfV head Hans-Georg Maassen met several times with leading AfD representatives. According to the official statement of the ministry, since taking office six years ago, Maassen has conducted "about 196" discussions with politicians from the CDU / CSU, the SPD, the Greens, the Left Party, the Free Democratic Party (FDP) and also the AfD. +Maassen's interlocutors include AfD chief Alexander Gauland and his predecessor Frauke Petry. According to a former employee of Petry, Maassen allegedly assured her that he himself "did not wish the AfD to be monitored by the BfV" and advised them on how to avoid such monitoring. Although Maassen denies this, the fact that the AfD is not mentioned in the BfV report suggests that Petry's colleague was right. A right-wing conspiracy +The federal government is responsible for the secret service, which answers directly to the interior minister, who wrote the foreword to the BfV report. Without the approval of the grand coalition of the CDU, CSU and SPD, the report could not have appeared in this form. The decision to attack the SGP and support the AfD was taken at the highest levels of the government. +The grand coalition is reacting to the increasing radicalization of the working class and youth, who, by a large majority, reject its policy of permanent welfare cuts, military rearmament and the building of a police state. In the general election last September, the CDU, CSU and SPD had their worst results in 70 years. If elections to the Bundestag (federal parliament) were held today, the grand coalition would no longer have a majority. +Under these conditions, official politics assume the character of a permanent conspiracy that fortifies extreme right-wing forces. +As early as 2013, the formation of a government was preceded by months of behind-the-scenes negotiations culminating in a commitment to militarism. Leading government officials announced the "end of military restraint" and supported the right-wing coup in Ukraine, which sparked a sharp conflict with Russia. Germany has participated in the deployment of NATO forces right up to the Russian border. +This time, the coalition negotiations lasted six months—a historic record. The CDU, CSU and SPD agreed upon the most right-wing program since 1945. They decided on a comprehensive rearmament policy and the establishment of a police state. Military expenditure is expected to increase to 2 percent of gross domestic product (GDP), which means nearly doubling the military budget. Meanwhile, the reintroduction of compulsory military service and the nuclear armament of the Bundeswehr (armed forces) are also under discussion. +The aspirations of the ruling class to realize its imperialist ambitions by means of military might require the trivialization and revival of the criminal politics of the past. Long before AfD leader Gauland declared the crimes of the Nazis to be merely "bird shit in over a thousand years of successful German history," the then-foreign minister and today's federal president, Frank-Walter Steinmeier (SPD), proclaimed that Germany was "too big to only comment on world politics from the sidelines." Political scientist Herfried Münkler added: "It's not possible to pursue a responsible policy in Europe if you have the idea that we have been guilty of everything." +In the population, however, the return of German militarism meets with overwhelming opposition, which now coincides with an intensification of the class struggle. After 20 years of social redistribution from those at the bottom to those at the top by both SPD- and CDU-led governments, social relations are torn to shreds. Several labour market reforms have created the largest low-wage sector in Western Europe. Young people are hardly able to find a regular job; only 44 percent of new employees receive a permanent contract. Poverty is exploding. On the other hand, 45 super-rich individuals possess as much wealth as the poorer half of the population. +Many workers and young people can sense that capitalist society is bankrupt and are looking for an alternative. The lectures "200 Years of Karl Marx—The Actuality of Marxism," organized at seven universities by the youth organization of the SGP, the International Youth and Students for Social Equality (IYSSE), attracted an audience of a thousand. +The ruling class is responding to this radicalization by returning to the authoritarian policies of the 1930s, cracking down on socialists and adopting the policies of the far right. This crisis is stripping off the "democratic" facade of German capitalism to reveal the original brown paint. +During the Weimar Republic that preceded Nazi rule, the secret service, police and judiciary ruthlessly persecuted socialists and opponents of war and strengthened the Nazis. In 1923, while Hitler was sent to prison for nine months for a bloody coup attempt, where he wrote Mein Kampf , the judiciary put the editor of Weltbühne , Carl von Ossietzky, in prison for twice as long for anti-militarism. He was then tortured to death. +In the end, Hitler did not come to power through a popular movement, but through a conspiracy within the state apparatus that gathered around Reich President Paul von Hindenburg. The Nazis had suffered a serious defeat in the parliamentary election two months earlier and faced financial bankruptcy. Hardly had Hitler consolidated his power than the judiciary, secret service, police and military seamlessly subordinated themselves to him. +These are the traditions behind which the grand coalition and the secret service are now falling into line. Today, however, they cannot rest upon a fascist mass movement. The AfD is hated by the vast majority of the population. It is a creation of the state, the establishment parties and the media, which are eager to spread its right-wing propaganda. Its leaders stem to a large extent from the CDU, the CSU and the SPD, from the military, the intelligence services, the judiciary and the police. +With its decision to continue the grand coalition despite electoral defeat, the SPD has deliberately strengthened the AfD. Although the AfD received only 12.6 percent of the vote in the federal election, it now leads the opposition in parliament. Its anti-refugee agitation has become the official policy of the grand coalition, which uses it to increase the powers of the state, divide the working class and fuel chauvinism. +The BfV plays a key role in this right-wing conspiracy. It has deep roots in the right-wing swamp. Already 15 years ago, Germany's Supreme Court rejected a ban on the far-right German National Party (NPD) on the grounds that its leadership contained so many BfV undercover informants that the NPD was a "state matter." The close periphery of the National Socialist underground (NSU), which killed nine immigrants and a policewoman between 2000 and 2004, included several dozen active BfV undercover informants. One informant was even present at the scene during a murder, supposedly without noticing anything. The Thuringia Homeland Security, from which the NSU recruited support, was built with funds provided by the BfV. Defend the SGP +The SGP has become the target of this conspiracy because it consistently advocates a socialist program. It has not adapted to the anti-refugee agitation of the establishment parties nor to the identity politics of the middle class. It is fighting to mobilize the international working class behind a socialist program to overthrow capitalism. As a section of the International Committee of the Fourth International, it stands in the tradition of Leon Trotsky's Left Opposition to Stalinism. +The Trotskyist movement fought persistently against the rise of the Nazis in the 1930s. Leon Trotsky's analysis of National Socialism, his warnings of its consequences, and his criticism of the fatal policy of the Stalinist German Communist Party (KPD), which refused to draw a distinction between the SPD and the Nazis and fight for a united front against Hitler, are still of burning relevance and are among the best works ever written on the subject. +The Trotskyists were brutally persecuted by the Nazi secret police, the Gestapo. In 1937, a court in Gdansk sentenced ten Trotskyists to long prison sentences in a spectacular trial. The Trotskyist victims of the Nazis include Abraham Léon, author of a Marxist study of the Jewish question, who conducted illegal socialist work in occupied Belgium and France and was murdered in the gas chambers of Auschwitz. The fact that the Trotskyist movement is being persecuted again, just after the first right-wing extremist party has entered the Bundestag, underscores the shift to the right of official politics. +In contrast to the lies spread by the so-called Federal Office for the Protection of the Constitution, the SGP fully defends democratic rights. The fundamental rights guaranteed by the Constitution—for the inviolability of life and physical integrity, for equality before the law, freedom of conscience, expression, assembly and the press, the free choice of profession, etc.—remain, however, dead letters and turn into their opposite so long as the economic foundations of society remain in the stranglehold of the private owners of capital. A socialist program is the prerequisite for the realization of real democracy. +If the working class does not overthrow capitalism in the foreseeable future and build a socialist society, a relapse into barbarism and a Third World War is inevitable. This is not only the lesson of the catastrophes of the twentieth century, it is inherent in the tremendous pace with which all the imperialist powers, led by the United States under Donald Trump, are expanding their military forces, intensifying existing wars and preparing new ones. +The BfV has targeted the SGP because its Marxist analysis is being increasingly confirmed. Alarmed by growing opposition to exploitation, inequality, repression, war and right-wing extremism, the BfV and its masters in the grand coalition want to prevent the SGP's socialist program from gaining influence. The BfV report explicitly states that a year ago, the party changed its name from the "Party for Social Equality" to the "Socialist Equality Party" and thus expressed its socialist aims in the party name. +The SGP has for years been the subject of media denunciations for opposing the revision of German history and rehabilitation of the Nazis. When the SGP and the IYSSE criticized right-wing extremist historian Jörg Baberowski, the media unleashed a storm of indignation. +Baberowski defended the Nazi apologist Ernst Nolte and publicly declared that Hitler was "not vicious." The IYSSE linked this directly to the return of German militarism. Germany could not return to a policy of militarism, it explained, without developing "a new narrative of the twentieth century," "a falsification of history that diminishes and justifies the crimes of German imperialism." +The criticism of Baberowski found substantial support among students. Numerous student representative bodies agreed with it. The ruling circles were alarmed. The conservative Frankfurter Allgemeine Zeitung accused the SGP of "mobbing" and complained about its "effectiveness." The presidium of Humboldt University backed up the right-wing extremist professor and declared criticism of him to be "inadmissible." For more than a year, Google, in close consultation with German government circles, has been censoring left-wing, anti-war, and progressive websites, most notably the World Socialist Web Site . +From the Left Party and the Greens have come only a cowardly silence, or they have supported Baberowski and the actions of the grand coalition. They do nothing to counter the growing influence of the right wing or even—like the Green Party mayor of Tübingen, Boris Palmer, and the Left Party politicians Sahra Wagenknecht and Oskar Lafontaine—join in its chorus of refugee-baiting. +Even the academic "left," including many followers of the Left Party, have been silent, apart from a few laudable exceptions, and knelt before the right-wing offensive. This did not change even when Baberowski publicly agitated against refugees and founded a discussion group in Berlin in which numerous figures from the right-wing extremist scene participate. +The BfV's classification of our party as a "left-wing extremist" organization is another attempt to suppress the SGP and its socialist politics. It is aimed at the SGP, but targets anyone who is fighting against social inequality, militarism and oppression and who advocates a socialist perspective. +The SGP will not be intimidated by this attack by the grand coalition and its intelligence agency. It originates from an unpopular government that is despised and rejected by large sections of the population. We reserve the right to take legal action against it. We will continue our work and strengthen our efforts to develop the influence of the SGP among workers, youth and students by all legal means at our disposal. Among other things, we plan to participate in the European elections next spring. +We turn to all those who want to oppose the growth of the right, including serious members of the Left Party, the SPD and the Greens, and call on them to protest against the attack by the BfV and defend the SGP. We demand that the intelligence service cease the monitoring of the SGP and all other left-wing organizations, and that this right-wing hotbed of anti-democratic conspiracies be dissolved. Fight Google's censorship! +Google is blocking the World Socialist Web Site from search results. +To fight this blacklisting \ No newline at end of file diff --git a/input/test/Test4896.txt b/input/test/Test4896.txt new file mode 100644 index 0000000..f4d77a4 --- /dev/null +++ b/input/test/Test4896.txt @@ -0,0 +1,2 @@ + Facebook Email Man City midfielder De Bruyne out for 3 months with injury Manchester City playmaker Kevin De Bruyne has been ruled out for about three months with a right knee injury Post to Facebook Man City midfielder De Bruyne out for 3 months with injury Manchester City playmaker Kevin De Bruyne has been ruled out for about three months with a right knee injury : https://usat.ly/2waOQyt Cancel Send Join the Nation's Conversation Man City midfielder De Bruyne out for 3 months with injury AP Published 7:03 a.m. ET Aug. 17, 2018 CONNECT COMMENT EMAIL MORE MANCHESTER, England (AP) — Manchester City playmaker Kevin De Bruyne has been ruled out for about three months with a knee injury. The Premier League champions say De Bruyne injured a ligament in his right knee during a training session on Wednesday. The Belgium international does not require surgery. The injury means he will miss most of the group stage of the Champions League, which starts in September, and two matches for Belgium in the new UEFA Nations League. City opened its Premier League season with a 2-0 win at Arsenal on Sunday, with De Bruyne playing as a second-half substitute because of a curtailed pre-season following the World Cup. ___ More AP Soccer: https://apnews.com/tag/apf-Soccer +Copyright 2018 The Associated Press. All rights reserved. This material may not be published, broadcast, rewritten or redistributed \ No newline at end of file diff --git a/input/test/Test4897.txt b/input/test/Test4897.txt new file mode 100644 index 0000000..ba874c0 --- /dev/null +++ b/input/test/Test4897.txt @@ -0,0 +1,13 @@ +Yoav Limor +Hamas' moment of truth Optimistic media reports about far-reaching ‎agreements with Hamas in the Gaza Strip , meant to ‎ensure peace and quiet on the border, are premature. ‎As of now, the only understanding in place is that ‎Friday will pose a significant test for Gaza's ‎rulers, who have yet to shelve their border riot ‎campaign, and only it the day proves to be incident-‎free will it be possible to go ahead with the ‎negotiations. ‎ +It is not that nothing is happening behind the ‎scenes. Several mediators, headed by Egyptian ‎intelligence officials and U.N. Middle East envoy ‎Nickolay Mladenov, are holding intense talks between ‎Palestinian and Israeli officials in an effort to ‎broker a long-term cease-fire, and the U.S., Russia ‎and several Persian Gulf states are also involved, ‎at one level or another.‎ +Israel's primary stipulation has always been ‎complete calm on the border. Hamas agreed to that ‎last week, following the latest flare-up, and seeing ‎that the deal was holding, Israel lived up to its ‎word, resumed operations at the Kerem Shalom cargo ‎crossing and expanded the fishing zone ‎off Gaza's coast from 6 to 9 nautical miles. ‎ +This was phase one of mutual gestures, and it gave ‎the south the calmest week it has seen since March ‎‎30. ‎ +Much of phase two depends on this Friday's border ‎protest. Over the past four months, border protests ‎have attracted thousands of Palestinian and have ‎consistently turned into mass riots that include ‎attempts to breach the security fence alongside ‎burning tires, hurling stones and firebombs at ‎Israeli troops and sending incendiary kites and ‎balloon over the border, where they have wreaked ‎havoc on Israeli communities. ‎ +Hamas has pledged to ensure this Friday's protest ‎would indeed be quiet, but if anything, this will be ‎a test of its leadership and its ability to hold ‎both the masses and the rogue terrorist group in ‎Gaza at bay. ‎ +The Palestinian interest in maintaining calm ‎stems from another reason: Next week they mark the ‎Eid al-Adha holiday and they would undoubtedly prefer ‎celebrating it airstrike-free. Israel and Egypt may even ‎offer additional gestures for the holiday as ‎confidence-building moves between the parties.‎ +If the calm does prevail in the coming days, truce ‎talks will continue and they will probably be delved ‎into more serious issues, such as Gaza's energy, ‎water, sewage and wages problems.‎ +This phase will require making some serious ‎decision, such as whether the Palestinian Authority ‎will be part of a potential Israel-Hamas deal – in ‎other words, are Israel and the world going to ‎officially recognize Hamas as the sovereign in Gaza; ‎whether the deal would include a mere truce or be a ‎broader "rehabilitation for disarmament" agreement ‎and, of course, whether it will include a prisoner ‎exchange deal. ‎ +One must remember, however, that none of the ‎understandings reach so far between Israel and Hamas ‎have even been put on paper. Media reports ‎suggesting otherwise are premature and it would take ‎days, if not weeks, of calm on the border before the ‎negotiations can address practical measures on the ‎ground. Even then, there would still be numerous hurdles to ‎cross. ‎ +While we have to wait and see how things develop, ‎for not, at least, we can say that the mediators ‎have been able to broker a clam and avoid war.‎ +‎ †\ No newline at end of file diff --git a/input/test/Test4898.txt b/input/test/Test4898.txt new file mode 100644 index 0000000..43f93bf --- /dev/null +++ b/input/test/Test4898.txt @@ -0,0 +1,4 @@ +up vote 0 down vote favorite +I'm running a bunch of test cases every hour using selenium-java 3.12.0; selenoid with docker, jenkins. Sometimes (about 1 out of 10 cases) I get the error: +org.openqa.selenium.remote.UnreachableBrowserException: Error communicating with the remote browser. It may have died. Build info: version: '3.6.0', revision: '6fbf3ec767', time: '2017-09-27T15:28:36.4Z' System info: host: 'autotest.rvkernel.com', ip: '94.130.165.217', os.name: 'Linux', os.arch: 'amd64', os.version: '4.13.0-26-generic', java.version: '1.8.0_181' Driver info: driver.version: RemoteWebDriver Capabilities [{mobileEmulationEnabled=false, hasTouchScreen=false, platform=LINUX, acceptSslCerts=false, acceptInsecureCerts=false, webStorageEnabled=true, browserName=chrome, takesScreenshot=true, javascriptEnabled=true, platformName=LINUX, setWindowRect=true, unexpectedAlertBehaviour=, applicationCacheEnabled=false, rotatable=false, networkConnectionEnabled=false, chrome={chromedriverVersion=2.38.551591 (bcc4a2cdef0f6b942b2bb8049068f65340fa2a69), userDataDir=/tmp/.org.chromium.Chromium.8QwcgJ}, takesHeapSnapshot=true, pageLoadStrategy=normal, unhandledPromptBehavior=, databaseEnabled=false, handlesAlerts=true, version=66.0.3359.117, browserConnectionEnabled=false, nativeEvents=true, locationContextEnabled=true, cssSelectorsEnabled=true}] Session ID: ec4ba99f46189e2b54f54194200e0fe8 at org.openqa.selenium.remote.RemoteWebDriver.execute(RemoteWebDriver.java:564) at org.openqa.selenium.remote.RemoteWebElement.execute(RemoteWebElement.java:276) at org.openqa.selenium.remote.RemoteWebElement.click(RemoteWebElement.java:83) at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) at java.lang.reflect.Method.invoke(Method.java:498) at org.openqa.selenium.support.events.EventFiringWebDriver$EventFiringWebElement$1.invoke(EventFiringWebDriver.java:376) at com.sun.proxy.$Proxy14.click(Unknown Source) at org.openqa.selenium.support.events.EventFiringWebDriver$EventFiringWebElement.click(EventFiringWebDriver.java:389) at com.Elements.Element.lambda$click$2(Element.java:99) at org.openqa.selenium.support.ui.FluentWait.until(FluentWait.java:208) at com.Elements.Element.click(Element.java:98) at com.Elements.Element.click(Element.java:78) at com.pages.landing.social.MailRuRegisterPage.clickRegister(MailRuRegisterPage.java:37) at RulVulaknTests.authorization.AuthorizationTest.authorizationUserFromMailRU(AuthorizationTest.java:100) at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) at java.lang.reflect.Method.invoke(Method.java:498) at org.testng.internal.MethodInvocationHelper.invokeMethod(MethodInvocationHelper.java:124) at org.testng.internal.Invoker.invokeMethod(Invoker.java:571) at org.testng.internal.Invoker.invokeTestMethod(Invoker.java:707) at org.testng.internal.Invoker.invokeTestMethods(Invoker.java:979) at org.testng.internal.TestMethodWorker.invokeTestMethods(TestMethodWorker.java:125) at org.testng.internal.TestMethodWorker.run(TestMethodWorker.java:109) at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) at java.lang.Thread.run(Thread.java:748) Caused by: java.lang.IllegalArgumentException: Cannot decode response content: at org.openqa.selenium.remote.http.AbstractHttpResponseCodec.decode(AbstractHttpResponseCodec.java:83) at org.openqa.selenium.remote.http.AbstractHttpResponseCodec.decode(AbstractHttpResponseCodec.java:44) at org.openqa.selenium.remote.HttpCommandExecutor.execute(HttpCommandExecutor.java:158) at org.openqa.selenium.remote.RemoteWebDriver.execute(RemoteWebDriver.java:543) ... 28 more Caused by: org.openqa.selenium.json.JsonException: java.io.EOFException: End of input at line 1 column 1 path $ Build info: version: '3.6.0', revision: '6fbf3ec767', time: '2017-09-27T15:28:36.4Z' System info: host: 'autotest.rvkernel.com', ip: '94.130.165.217', os.name: 'Linux', os.arch: 'amd64', os.version: '4.13.0-26-generic', java.version: '1.8.0_181' Driver info: driver.version: RemoteWebDriver at org.openqa.selenium.json.JsonInput.execute(JsonInput.java:172) at org.openqa.selenium.json.JsonInput.peek(JsonInput.java:72) at org.openqa.selenium.json.JsonTypeCoercer.lambda$null$6(JsonTypeCoercer.java:136) at org.openqa.selenium.json.JsonTypeCoercer.coerce(JsonTypeCoercer.java:122) at org.openqa.selenium.json.Json.toType(Json.java:62) at org.openqa.selenium.json.Json.toType(Json.java:52) at org.openqa.selenium.remote.http.AbstractHttpResponseCodec.decode(AbstractHttpResponseCodec.java:80) ... 31 more Caused by: java.io.EOFException: End of input at line 1 column 1 path $ at com.google.gson.stream.JsonReader.nextNonWhitespace(JsonReader.java:1401) at com.google.gson.stream.JsonReader.consumeNonExecutePrefix(JsonReader.java:1576) at com.google.gson.stream.JsonReader.doPeek(JsonReader.java:534) at com.google.gson.stream.JsonReader.peek(JsonReader.java:425) at org.openqa.selenium.json.JsonInput.lambda$peek$0(JsonInput.java:73) at org.openqa.selenium.json.JsonInput.execute(JsonInput.java:168) ... 37 more +versions of chrome browser using which I have encountered the error - 66, 67 \ No newline at end of file diff --git a/input/test/Test4899.txt b/input/test/Test4899.txt new file mode 100644 index 0000000..9eb845b --- /dev/null +++ b/input/test/Test4899.txt @@ -0,0 +1,16 @@ +China think tank slammed for 'procreation fund' idea Yawen Chen , Ryan Woo 3 Min Read +BEIJING (Reuters) - A proposal by two Chinese researchers to force couples with fewer than two children to pay into a "procreation fund" backfired on Friday, with critics calling it a "thoughtless" and "absurd" way to battle the problem of an ageing population. +FILE PHOTO: An elderly woman pushes two babies in a stroller in Beijing, China October 30, 2015. REUTERS/Kim Kyung-Hoon/File Photo Since 2016, China has allowed urban couples to have two children, replacing a decades-old one-child policy blamed for falling birth rates and a greying society, but the changes have not ushered in the hoped-for baby boom. +Births in mainland China fell by 3.5 percent last year due to fewer women of fertile age and the growing number of people delaying marriage and pregnancy. +But the suggestion of a fund to subsidize large families, out of annual contributions from people younger than 40 who have fewer than two children, or none, was widely panned. +"I'm really upset by its stupidity," 21-year-old Ranny Lou responded to the suggestion of the procreation fund after it went viral on social media. +"Shall we hoard condoms and contraceptive pills now to profit when the government imposes curbs on purchasing these things in the future?" +Two researchers at a state-backed institute suggested the fund, as they looked for ways to counter the "precipitous fall" they anticipate in the birth rate in the next two to three years. +Until withdrawn on retirement of the contributor, or on the birth of a second child, the contributions will subsidize other families with more babies. +"The consequences of this trend of couples having fewer children will be very serious," the researchers from the Yangtze River Industrial Economic Research Institute wrote. +State television took aim at the researchers' proposal, published on Tuesday in the Xinhua Daily newspaper of the Communist Party in Jiangsu province, calling it "absurd" and "unbelievable". +"We can encourage people to have more babies through propaganda and policy incentives, but we can't punish families which opt to be childless or have fewer children in the name of creating a 'procreation fund'," CCTV said on its website on Friday. +Policymakers must offer tax cuts, incentives and greater public spending to allay young people's concerns about the high cost of child rearing, CCTV added. +Authorities in some regions and cities have in recent months rolled out longer maternity leave and more subsidies for mothers bearing a second child. +But some critics worry the improved benefits will worsen deep-rooted discrimination against women at work as companies frown at rising costs. +Reporting by Yawen Chen and Ryan Woo; Additional reporting by Beijing Newsroom; Editing by Darren Schuettle \ No newline at end of file diff --git a/input/test/Test49.txt b/input/test/Test49.txt new file mode 100644 index 0000000..c2d7975 --- /dev/null +++ b/input/test/Test49.txt @@ -0,0 +1 @@ +Writing project - 200-400 articles, 500-1k words each 6 días left VERIFICADO * Less then 2 USD each profile otherwise don't let me waste your time. Hello, I have a long-term project. It`s quite easy to write as it is celebrities based so it only requires good English and little research from known sources. It's a profile based celebrity site I need 150,000 to 350,000 words for a start, every article (profile) range from 500-1000 words unique with good grammar +.. \ No newline at end of file diff --git a/input/test/Test490.txt b/input/test/Test490.txt new file mode 100644 index 0000000..7f81855 --- /dev/null +++ b/input/test/Test490.txt @@ -0,0 +1,38 @@ +EvenBet CEO: Online poker is the ideal market for cryptocurrency By David Cook +Dmitry Starostenkov, CEO of EvenBet Gaming, speaks to Gambling Insider about the supplier's plans to rejuvenate the online poker industry by offering a cryptocurrency platform. +After initially launching as Enterra in 2001, EvenBet, and Starostenkov, feel well positioned to take on issues such as regulatory concerns and the online poker market being less lucrative than it once was, as Starostenkov explains here. +What was your background before you founded Enterra in 2001? +I started as a developer in computer science, but the demand for poker software really started to take off around 2004, as a result of the poker boom. We initially started as a software development house, developing different business applications and software for enterprise needs. We then expanded to gaming with poker, before we developed a casino platform. +Is poker the major vertical in which you operate? +We have poker as a game, and we also have a poker platform and we supply online casino too. Most of our clients need a turnkey solution in one package. They don't want to buy a separate casino platform. This way, we have both poker as a game and as a platform. +Naturally, many of our partners start with a poker operation, but as their user base grows, they want to extend their offering, so they will add slots and table games. +We also develop sports betting solutions for one client, but this is not key to our operations. We are currently working on refining our daily fantasy sports (DFS) platform, which we plan to push out to the market. +How has the business evolved along with the industry since it was founded? +For the first seven years, we didn't need to do any marketing or PR, because we were getting one client after another; it was really easy, as a result of the boom. But by 2012, we were finding it more difficult, so we decided we needed to go out to market our solutions. We initially started as Enterra, and then three years ago, I changed the brand to EvenBet Gaming, because I didn't want to confuse our previous operations in software development with our new activity in gaming. We had about 10 years of being a software house, but now, we need to be a gaming company. +Right now, we also provide consulting services to our customers too, so there are many more business processes related to gaming in our company now. We also help our clients outsource their operations, because sometimes our clients want to run a poker room, but they have very little knowledge of how to do it. We help them create tables, tournaments, marketing activities and so on. +What was the thinking behind specifically using crypto-backed no-rake poker software? +Poker players are some of the most intellectually advanced and skilful gaming consumers. Poker players are always open for fresh technologies and projects. They are always interested in trying something new. I think moving to crypto is a natural progression for them and they are familiar with cryptocurrencies. They know how to use Bitcoin. Poker for crypto is not a new thing for them and they don't really need to be taught about it. +TonyBet tried something similar and raised $30m doing it. There have been some other poker crypto projects as well, and I would say right now, there are five to 10 projects in total in this space. +To be specific, our gaming software has been a poker platform for about 14 years now. We integrated Bitcoin (and started accepting payments) for the first time five years ago, so we are confident when it comes to Bitcoin and cryptocurrency. We have about 50 clients for our program and about 25 of them are active. +Crypto projects started to grow about two years ago, mainly with tokens, so it's a new trend and new wave in gaming, where you can use alternative coins to play games. +What has your research told you about the potential size of this particular market? +We are not trying to establish our own coin. We are trying to work with existing coins and integrate them into our platform, because clients already have a loyal user base that own their own coins or tokens. Our poker is going to be a traditional proposition for their players. This is a new way for them to spend their money. +Players can use a NoLimitCoin, which is a proof-of-stake coin with instant transfers and low transaction fees. This has been used in the DFS market, and we talked and agreed we would integrate our poker with their no-limit coin offering. They are creating an ecosystem with their cryptocurrency and players want more ways to be able to spend these coins. Players can play DFS and poker with their coin and they want to add more games to the ecosystem. +The interesting thing about this is that they can provide our poker game with no rake, because they don't need to earn money on the poker game itself. They can earn money by retaining players this way. Our poker attracts poker players and therefore more money will be flowing into the ecosystem. +So are you using it as more of a customer acquisition tool? +It's about improving the relationship between the operator and the player. Operators will earn money when the rate of the currency improves. The player can buy the currency, go to the poker table and play instantly. They play directly from their wallet and this is good for players. +On the other side, the operator does not earn money from the game itself, but they earn money when people buy the coins from them. Once these coins are in the ecosystem, players are more interested in playing. +How can you overcome the challenge of the poker market not quite being as strong as it was when your company was first founded? +First, it depends on what market you are talking about. In Southeast Asia, it's still very big, and it's still popular in South America. People in the US still love to play poker. I think it's more of a challenge in the European market, and the reason for this is that the market is separated and operators struggle to gain revenue from liquidity. With cryptocurrency, we do not have the challenge of ringfencing. A player in the UK, for example, can play against anyone. +Which markets do you think will be the most lucrative for this product? +Almost any market can work for this, but I think the Scandinavian and Asian markets in particular will be strong. Brazil is another standout market. +Pokercoin and Bet&Bit Poker have already signed up. Can you say how many other partners have signed up to this? +No Limit Poker have signed up and we are currently working with two others, who will be launching the product in the next few months. +How likely is it this product will become more mainstream in the future? +Eventually, I think this will be a mainstream product, because it changes relationships between operators and players. I think this can spread to sports betting and all types of gaming products. Poker is just an early adopter for this concept. +Where would you see crypto's position in the online gaming market in five years' time? +As usual, with all new things, there is a lot of hype and strange projects at times, but I think blockchain will help a lot to build better technology and structure for this. It's not just crypto; it's things like micro-transactions and IoT devices which will also grow. +What do you see as the biggest challenges in attempting to grow this product? +The biggest challenges will be regulation and the perception of crypto. This product is not in line with online poker regulation and we will have to wait and see if individual markets regulate crypto products separately. Malta has regulated crypto, but it will take time for other markets to look into it. In the US for example, we will wait for crypto regulation before we take the product to this market, but I think other markets will be more tolerant of this product before regulation. +How likely is it you will develop more crypto products in the future? +We are not sure right now, but we will wait and see how the poker product performs before we consider developing more crypto products \ No newline at end of file diff --git a/input/test/Test4900.txt b/input/test/Test4900.txt new file mode 100644 index 0000000..bf149de --- /dev/null +++ b/input/test/Test4900.txt @@ -0,0 +1,13 @@ +Katy Perry working with Zedd on collaboration Katy Perry working with Zedd on collaboration +Zedd has revealed he has been collaborating with Katy Perry whilst they've been on tour together in Australia and New Zealand. +Katy Perry and Zedd are working on a song together. +The chart-topping DJ - who has worked with the likes of Liam Payne, Alessia Cara and Maren Morris - has revealed the pair have been in the studio whilst he's supporting the 'Part of Me' hitmaker on the Australian and New Zealand leg of her 'Witness World Tour'. +However, the 'Middle' hitmaker has no idea whether their song will make the final tracklisting of the pop star's follow-up to 2017's 'Witness'. +The EDM star told Australian radio presenter Smallzy in a video interview posted on his Twitter account: ''I'm always relatively open about the fact that I make a lot of music with people. +''It doesn't always come out, but we've been working. I always wanted to release a song with her, so if we all get lucky, then maybe we'll finish the song and it will come out.'' +The news Katy and Zedd are working together comes after Katy recently admitted she has suffered from ''bouts of situational depression''. +The 'Dark Horse hitmaker admitted her ''heart was broken'' last year when there was a mixed response from the public to 'Witness' and she has been working hard to improve herself. +She said: ''I had bouts of situational depression. My heart was broken last year because, unknowingly, I put so much validity in the reaction of the public, and the public didn't react in the way I had expected to. Which broke my heart.'' +The 33-year-old singer decided to go to the Hoffman Institute in California to give her ''a new foundation.'' +She added: ''For years, my friends would go and come back completely rejuvenated, and I wanted to go, too. I was ready to let go of anything that was holding me back from being my ultimate self. Music is my first love and I think it was the universe saying, 'OK, you speak all of this language about self-love and authenticity, but we are going to put you through another test and take away any kind of validating 'blankie.' Then we'll see how much you do truly love yourself.' That brokenness, plus me opening up to a greater, higher power and reconnecting with divinity, gave me a wholeness I never had. +''I recommend it to everyone, my good friends and other artists who are looking for a breakthrough. There are a lot of people who are self-medicating through validation in audiences, through substances, through continually running away from their realities - denial, withdrawal. I did that for a long, long time too ... The biggest lie that we've ever been sold is that we as artists have to stay in pain to create.'' Contactmusi \ No newline at end of file diff --git a/input/test/Test4901.txt b/input/test/Test4901.txt new file mode 100644 index 0000000..1ef10e8 --- /dev/null +++ b/input/test/Test4901.txt @@ -0,0 +1 @@ +INTERVIEW Bruce MacInnes of BrandAlley on the importance of meeting customer expectations Mobile 17 Aug 2018 by Chloe Rigby Retailers must focus on the customer, delivering an experience that meets their expectations at every point, says Bruce MacInnes, chairman of BrandAlley UK \ No newline at end of file diff --git a/input/test/Test4902.txt b/input/test/Test4902.txt new file mode 100644 index 0000000..964703a --- /dev/null +++ b/input/test/Test4902.txt @@ -0,0 +1 @@ +Google Employees Protest Secretive Plans for a Censored Chinese Search Engine Laignee Barron A petition for more transparency has netted more than 1,400 signatures More Google's workforce is demanding answers over the company's secretive plans to build a search engine that will comply with censorship in China. More than 1,000 employees have signed a letter demanding more transparency over the project so they do not unwittingly suppress freedom of speech. In a version of the letter obtained by the New York Times , the employees say they lack the "information required to make ethically-informed decisions about our work, our projects, and our employment." China's censorship requirements "raise urgent moral and ethical issues," it adds. The letter, which has circulated through Google's internal communications, has gained more than 1,400 signatures, according to the Times . Concerns over Google's intention to re-enter China, the world's biggest internet market, surfaced last month with reports that the Menlo Park giant had agreed to create products that would stick within the confines of the Great Firewall. According to reports, the platform would block certain sites and prohibit the search of restricted terms such as those related to religion and human rights. Google's last foray into the Chinese market, from 2005 to 2010, ended in a public falling out over censorship and an alleged hacking scandal. Human rights and press freedom groups have criticized Google's possible renewed collaboration with Beijing, which has restricted or banned many American tech companies, including Facebook and Instagram. Google, which has not publicly addressed its plans in China, dubbed Dragonfly, declined to comment. The employees' pushback against the project follows a similar petition in April protesting Project Maven, a Pentagon contract to use artificial intelligence to improve weaponry. Google decided in June not to renew the contract \ No newline at end of file diff --git a/input/test/Test4903.txt b/input/test/Test4903.txt new file mode 100644 index 0000000..e9037bc --- /dev/null +++ b/input/test/Test4903.txt @@ -0,0 +1 @@ +Nigerian Owned Vessels On Cabotage Register Up 33% Tagged: Mali: Incumbent Keita Declared Victor After Disputed Vote By Eromosele Abiodun There has been an increase in number of wholly Nigerian owned vessels on the Nigerian Cabotage register following the renewed drive by the Nigerian Maritime Administration and Safety Agency (NIMASA) to reverse what hitherto obtains in the maritime industry. Director General of the agency, Dr. Dakuku Peterside, who disclosed this in Lagos, said half year result showed that 125 vessels had been registered, representing a 33 per cent increase when compared with the 94 registered in the corresponding period in 2017. Also, he said the number of Nigerian seafarers placed onboard vessels from January to June this year has moved to 2,337 representing a 58.9 per cent increase in the number of seafarers employed. Peterside, who used the occasion to highlight achievements of his management in the last two years, said the fast intervention security vessels the agency leased under the maritime security strategy project is making impact. Port State inspections, he added, rose by 10.53 per cent to 525 in 2017 up from 475 in 2016, adding that flag state inspections were also experiencing an upswing from 77 in 2016 up to 98 in 2017 representing an increase of 27 per cent and it's sure to increase by the end of 2018. He said, "A total of 125 vessels owned by Nigerians were registered in 2018 as against 94 vessels in 2017, which is an increase of 33 per cent. Vessels manned by Nigerians, a total of 2,840 Nigerian officers and ratings were recommended to be placed onboard Cabotage Vessels in 2018 as against 1,789 Nigerian seafarers in the same period in 2017 which reflects an increase of 58 per cent. "Also, a total of 243 graduates and 1600 cadets are at various stages of completion of the programme, 887 of which are ready for sea-time training. We are currently tackling the issue of sea time head-on; via full sponsorship. 150 cadets with full sponsorship of sea-time training by NIMASA have commenced their on-board Sea Time training in phase 1, while another group of 89 cadets are now onboard training vessels facilitated by the South Tyneside College, UK, making a total of 239 cadets in the first phase of this programme." He added, "As part of the succession plan of the current leadership of the agency, an in-house knowledge transfer session was introduced where the professionals in the employ of the Agency trains the younger officers to impact more knowledge about the sector to them. NIMASA is raising a generation of thorough bred professionals and I make bold to say that NIMASA is a knowledge-based organisation, hence we can say, the future is bright for the Nigerian maritime sector. "To give a boost to our in-house capacity, we have also entered into partnership with the World Maritime University, Malmo, Sweden in a four-year renewable Memorandum of Understanding setting out the areas of cooperation between WMU and NIMASA. The MoU covers academic collaborative and reciprocal activities in the field of education, training, research and other areas of capacity-building to be provided by Word Maritime University (WMU) to NIMASA." Under our Survey, Inspection & Certification Transformation Programme, he said Certificate of Competency (CoC) examinations were conducted at the Maritime Academy of Nigeria (MAN), Oron leading to the issuance of different categories of CoCs to successful candidates. "In 2017 alone, NIMASA issued 3,752 certificates to successful seafarers. Representing a 149 per cent increase from the CoCs issued in 2016. We are also enjoying the confidence of stakeholders as they now willingly verify certificates with us without prompt. A total of 1,880 certificates were authenticated for stakeholders in 2017 alone, a significant rise when compared to the 1013 CoCs verified in 2016," he added. Nigeri \ No newline at end of file diff --git a/input/test/Test4904.txt b/input/test/Test4904.txt new file mode 100644 index 0000000..d093083 --- /dev/null +++ b/input/test/Test4904.txt @@ -0,0 +1 @@ +Press release from: Market Research Hub A newly compiled business intelligent report, titled "Global Single Sign-on Market Size, Status and Forecast 2018-2025" has been publicized to the vast archive of Market Research Hub (MRH) online repository. The study revolves around the analysis of (Single Sign-on) market, covering key industry developments and market opportunity map during the mentioned forecast period. This report further conveys quantitative & qualitative analysis on the concerned market, providing a 360 view on current and future market prospects. As the report proceeds, information regarding the prominent trends as well as opportunities in the key geographical segments have also been explained, thus enabling companies to be able to make region-specific strategies for gaining competitive lead.Request Free Sample Report: www.marketresearchhub.com/enquiry.php?type=S&repid=1873056 This report focuses on the global Single Sign-on status, future forecast, growth opportunity, key market and key players. The study objectives are to present the Single Sign-on development in United States, Europe and China.Single sign-on (SSO) is a property of access control of multiple related, yet independent, software systems. With this property, a user logs in with a single ID and password to gain access to a connected system or systems without using different usernames or passwords, or in some configurations seamlessly sign on at each system. North America is expected to account for the maximum share of the single sign-on market during the forecast period due to the implementation of single sign-on solutions across varied industries in this region. However, major growth is expected to be witnessed in the Asia-Pacific region, which is expected to grow at the highest CAGR by 2023, mainly attributed to the increasing adoption of single sign-on solutions across India, China, Japan, and Australia. In 2017, the global Single Sign-on market size was 770 million US$ and it is expected to reach 2130 million US$ by the end of 2025, with a CAGR of 13.6% during 2018-2025.The key players covered in this study IB \ No newline at end of file diff --git a/input/test/Test4905.txt b/input/test/Test4905.txt new file mode 100644 index 0000000..3f16d97 --- /dev/null +++ b/input/test/Test4905.txt @@ -0,0 +1,8 @@ +Tweet +Tyler Technologies, Inc. (NYSE:TYL) VP Brian K. Miller sold 10,000 shares of the firm's stock in a transaction dated Tuesday, August 14th. The shares were sold at an average price of $233.87, for a total transaction of $2,338,700.00. The transaction was disclosed in a filing with the SEC, which is accessible through this link . +Shares of TYL stock opened at $234.40 on Friday. Tyler Technologies, Inc. has a 52 week low of $167.50 and a 52 week high of $248.25. The company has a market capitalization of $9.02 billion, a PE ratio of 73.70, a P/E/G ratio of 6.15 and a beta of 0.85. Get Tyler Technologies alerts: +Tyler Technologies (NYSE:TYL) last announced its quarterly earnings results on Thursday, July 26th. The technology company reported $1.18 EPS for the quarter, topping analysts' consensus estimates of $1.13 by $0.05. Tyler Technologies had a net margin of 19.91% and a return on equity of 11.70%. The firm had revenue of $236.10 million during the quarter, compared to analyst estimates of $233.28 million. During the same period in the previous year, the business posted $0.91 earnings per share. The business's revenue for the quarter was up 13.1% on a year-over-year basis. research analysts anticipate that Tyler Technologies, Inc. will post 3.79 EPS for the current fiscal year. A number of analysts have weighed in on TYL shares. Benchmark restated a "buy" rating and set a $250.00 price objective (up from $225.00) on shares of Tyler Technologies in a research note on Thursday, April 19th. DA Davidson raised their price objective on shares of Tyler Technologies from $190.00 to $200.00 and gave the company a "neutral" rating in a research note on Monday, April 23rd. Maxim Group restated a "hold" rating on shares of Tyler Technologies in a research note on Monday, April 23rd. Piper Jaffray Companies reiterated a "buy" rating and issued a $245.00 price target on shares of Tyler Technologies in a research note on Monday, April 23rd. Finally, Needham & Company LLC lifted their price target on shares of Tyler Technologies from $235.00 to $250.00 and gave the stock a "buy" rating in a research note on Tuesday, April 24th. Four research analysts have rated the stock with a hold rating, nine have issued a buy rating and one has assigned a strong buy rating to the stock. The company presently has a consensus rating of "Buy" and a consensus price target of $228.58. +Hedge funds have recently made changes to their positions in the company. Ostrum Asset Management purchased a new position in shares of Tyler Technologies in the first quarter worth approximately $127,000. TLP Group LLC boosted its holdings in shares of Tyler Technologies by 941.9% in the first quarter. TLP Group LLC now owns 969 shares of the technology company's stock worth $204,000 after buying an additional 876 shares during the last quarter. ETRADE Capital Management LLC purchased a new position in shares of Tyler Technologies in the first quarter worth approximately $205,000. Alps Advisors Inc. purchased a new position in shares of Tyler Technologies in the second quarter worth approximately $209,000. Finally, S&CO Inc. purchased a new position in shares of Tyler Technologies in the first quarter worth approximately $211,000. Hedge funds and other institutional investors own 91.61% of the company's stock. +About Tyler Technologies +Tyler Technologies, Inc provides integrated information management solutions and services for the public sector in the United States and internationally. It operates through two segments, Enterprise Software, and Appraisal and Tax. The company's financial management solutions include modular fund accounting systems for government agencies or not-for-profit entities; and utility billing systems for the billing and collection of metered and non-metered services. +Further Reading: Fundamental Analysis Receive News & Ratings for Tyler Technologies Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Tyler Technologies and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4906.txt b/input/test/Test4906.txt new file mode 100644 index 0000000..3168b9c --- /dev/null +++ b/input/test/Test4906.txt @@ -0,0 +1,6 @@ +Print By - Associated Press - Friday, August 17, 2018 +MINNEAPOLIS (AP) - A Willmar man accused of illegally possessing a large cache of weapons has pleaded guilty in federal court. +Forty-six-year-old Chad Monson was arrested during a Jan. 30 raid of his rural Kandiyohi County home by drug and gang task force agents. +A federal grand jury in June indicted him on numerous firearms violations related to an arsenal of machine guns, ammunition, silencers and pipe bombs. +The U.S. attorney's office says Willmar pleaded guilty on Thursday. A sentencing date wasn't immediately set. + Th \ No newline at end of file diff --git a/input/test/Test4907.txt b/input/test/Test4907.txt new file mode 100644 index 0000000..f02f110 --- /dev/null +++ b/input/test/Test4907.txt @@ -0,0 +1,12 @@ +Futures dip as weak forecasts hit chip stocks, lira slides Amy Caren Daniel 2 Min Read +(Reuters) - U.S. stock index futures dipped on Friday as dour forecasts from Applied Materials and Nvidia weighed on shares of chipmakers and a recovery in Turkey's lira ran out of steam. +Traders work on the floor of the New York Stock Exchange (NYSE) in New York, U.S., July 13, 2018. REUTERS/Brendan McDermid Shares of Nvidia ( NVDA.O ) dropped 4 percent in premarket trading after the chipmaker said cryptocurrency-fueled demand had dried up and forecast current-quarter sales below Wall Street estimates. +Applied Materials ( AMAT.O ) slid 5.2 percent after the world's largest supplier of chip equipment forecast current-quarter results below estimates, adding to fears that a two-year chip boom may be losing steam. +Micron ( MU.O ) fell 1.3 percent, while Intel ( INTC.O ) slipped 0.4 percent. Dutch chip equipment maker ASML's U.S.-listed shares ( ASML.O ) dropped 1.1 percent. +The lira weakened roughly 6 percent against the dollar after a U.S. warning that Ankara should expect more sanctions unless it hands over detained American evangelical pastor, Andrew Brunson. +The fresh salvo at Turkey dulled Thursday's market optimism, which was due to waning trade worries after the United States and China said they would hold fresh talks later this month. +At 6:58 a.m. ET, Dow e-minis 1YMc1 were down 26 points, or 0.10 percent. S&P 500 e-minis ESc1 were down 3 points, or 0.11 percent and Nasdaq 100 e-minis NQc1 were down 10.75 points, or 0.15 percent. +Nordstrom ( JWN.N ) jumped 9.4 percent after the department store chain reported better-than-expected quarterly same-store sales growth, helped by online sales. +Second-quarter earnings have been stronger than expected, with 79.3 percent of the 463 S&P 500 that have reported so far beating analyst expectations, according to Thomson Reuters I/B/E/S. +On a thin day for economic data, the University Of Michigan consumer sentiment index is expected at 10 a.m. ET. +Reporting by Amy Caren Daniel in Bengaluru; Editing by Arun Koyyu \ No newline at end of file diff --git a/input/test/Test4908.txt b/input/test/Test4908.txt new file mode 100644 index 0000000..757bc08 --- /dev/null +++ b/input/test/Test4908.txt @@ -0,0 +1 @@ + Facebook Email Stressed-out millennials are going bald According to research from the American Psychological Association, millennials are more stressed than any other generation, and they are going bald because of it. Post to Facebook Stressed-out millennials are going bald According to research from the American Psychological Association, millennials are more stressed than any other generation, and they are going bald because of it. : https://usat.ly/2wdThse Cancel Send Join the Nation's Conversation Stressed-out millennials are going bald CLOSE According to research from the American Psychological Association, millennials are more stressed than any other generation, and they are going bald because of it. Buzz6 \ No newline at end of file diff --git a/input/test/Test4909.txt b/input/test/Test4909.txt new file mode 100644 index 0000000..e00fe5e --- /dev/null +++ b/input/test/Test4909.txt @@ -0,0 +1,11 @@ +Tweet +Analysts forecast that Krystal Biotech Inc (NASDAQ:KRYS) will announce earnings per share of ($0.31) for the current fiscal quarter, according to Zacks . Zero analysts have made estimates for Krystal Biotech's earnings. Krystal Biotech reported earnings per share of ($1.26) during the same quarter last year, which would suggest a positive year over year growth rate of 75.4%. The company is scheduled to issue its next quarterly earnings report on Monday, November 12th. +On average, analysts expect that Krystal Biotech will report full year earnings of ($1.04) per share for the current year, with EPS estimates ranging from ($1.13) to ($0.92). For the next financial year, analysts expect that the business will report earnings of ($1.52) per share, with EPS estimates ranging from ($1.75) to ($1.26). Zacks' EPS calculations are a mean average based on a survey of sell-side research firms that cover Krystal Biotech. Get Krystal Biotech alerts: +Krystal Biotech (NASDAQ:KRYS) last posted its quarterly earnings data on Monday, August 6th. The company reported ($0.22) EPS for the quarter, topping the Zacks' consensus estimate of ($0.34) by $0.12. A number of equities research analysts have recently issued reports on KRYS shares. LADENBURG THALM/SH SH set a $38.00 target price on shares of Krystal Biotech and gave the company a "buy" rating in a report on Thursday, July 19th. Chardan Capital started coverage on shares of Krystal Biotech in a report on Thursday, June 28th. They issued a "buy" rating and a $35.00 target price on the stock. Zacks Investment Research raised shares of Krystal Biotech from a "hold" rating to a "buy" rating and set a $18.00 target price on the stock in a report on Saturday, August 11th. William Blair started coverage on shares of Krystal Biotech in a report on Monday, August 6th. They issued a "buy" rating on the stock. Finally, ValuEngine raised shares of Krystal Biotech from a "sell" rating to a "hold" rating in a report on Wednesday, May 2nd. One investment analyst has rated the stock with a hold rating and four have assigned a buy rating to the company's stock. The company has an average rating of "Buy" and a consensus price target of $30.33. +Shares of KRYS stock opened at $15.43 on Tuesday. The stock has a market capitalization of $165.77 million and a PE ratio of -10.74. Krystal Biotech has a 52-week low of $8.03 and a 52-week high of $19.25. +In related news, CFO Antony A. Riley purchased 2,800 shares of the stock in a transaction on Tuesday, May 22nd. The shares were purchased at an average cost of $10.75 per share, with a total value of $30,100.00. The acquisition was disclosed in a filing with the SEC, which can be accessed through the SEC website . Also, COO Suma Krishnan purchased 25,000 shares of the stock in a transaction on Wednesday, June 6th. The stock was bought at an average cost of $11.02 per share, for a total transaction of $275,500.00. The disclosure for this purchase can be found here . 45.80% of the stock is currently owned by corporate insiders. +A number of institutional investors have recently added to or reduced their stakes in the business. BlackRock Inc. raised its holdings in Krystal Biotech by 75.4% in the 2nd quarter. BlackRock Inc. now owns 13,040 shares of the company's stock valued at $194,000 after acquiring an additional 5,607 shares during the period. Acadian Asset Management LLC raised its holdings in Krystal Biotech by 552.2% in the 2nd quarter. Acadian Asset Management LLC now owns 12,202 shares of the company's stock valued at $182,000 after acquiring an additional 10,331 shares during the period. Finally, Millennium Management LLC bought a new position in Krystal Biotech in the 4th quarter valued at about $266,000. 29.92% of the stock is currently owned by hedge funds and other institutional investors. +About Krystal Biotech +Krystal Biotech, Inc, a gene therapy company, develops and commercializes pharmaceutical products for patients suffering from dermatological diseases in the United States. The company's lead product candidate is KB103, which is in preclinical development to treat dystrophic epidermolysis bullosa, a genetic disease. +Get a free copy of the Zacks research report on Krystal Biotech (KRYS) +For more information about research offerings from Zacks Investment Research, visit Zacks.com Receive News & Ratings for Krystal Biotech Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Krystal Biotech and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test491.txt b/input/test/Test491.txt new file mode 100644 index 0000000..c34fab7 --- /dev/null +++ b/input/test/Test491.txt @@ -0,0 +1,10 @@ +by Jacob Adelman , Posted: August 16, 2018- 5:26 PM The Ritz 5 movie theater in Center City's Old City neighborhood. APRIL SAUL / Staff Photographer +Amazon.com Inc. is reportedly working on a bid to acquire Landmark Theaters, the cinema chain that owns the Ritz cinemas in Philadelphia, as it continues to cultivate an offline presence designed to appeal to educated, affluent consumers with cash to spare. +Bloomberg reported on its website Wednesday that the Seattle-based e-commerce giant is one of the potential buyers in the running to acquire the theater chain from Wagner/Cuban Cos., which is backed by billionaires Todd Wagner and Mark Cuban. The business news site's reporting was based on unidentified people familiar with the situation. +Landmark, which specializes in independent and foreign films, counts Center City's Ritz Five, Ritz at the Bourse and Ritz East theaters among the 52 cinemas it owns in 27 markets nationwide, which also include New York, Chicago and Los Angeles. +Buying the chain would give Amazon another link to the upscale, urban demographic that it was already seen to be targeting with its $13.7 billion acquisition last year of high-end grocer Whole Foods , Barbara Kahn, a marketing professor at the University of Pennsylvania's Wharton School, said in an interview with the Inquirer and Daily News. +"When you're going to go into physical retail, it makes sense to get that elite aesthetic because the rest of the stuff you can buy online," she said. "The special, high-end stuff: That's when the physical place matters." +Having a theater chain in its arsenal, meanwhile, also would give Amazon an outlet for movies produced by its in-house film and television studio, which has turned out shows such as Transparent and Man in the High Castle for its Amazon Video streaming service, as well as wide-release movies including Manchester by the Sea . +"This is probably a move to get broader distribution of film content," Leo Kulp, an analyst with RBC Capital Markets LLC, told Bloomberg. "Netflix had been discussed as a potential buyer of Landmark for a similar reason." +Wagner/Cuban's potential sale of the chain is being worked on with investment bank Stephens Inc., Bloomberg reported, adding that no final decisions have been made, and talks could still fall apart. +An Amazon spokeswoman declined in an email to the Inquirer and Daily News to comment on the possibility of buying Landmark. Wagner/Cuban did not immediately respond to an email. Posted: August 16, 2018 - 5:26 P \ No newline at end of file diff --git a/input/test/Test4910.txt b/input/test/Test4910.txt new file mode 100644 index 0000000..cfbe835 --- /dev/null +++ b/input/test/Test4910.txt @@ -0,0 +1,4 @@ +July 2018 NEW GTA 5 Online Solo Unlimited Money Glitch! 1.45 (PS4/XBOX/PC) +FOUND A WORKING GTA 5 MONEY GLITCH.. (unlimited money)after 1.45 FOUND A WORKING GTA 5 MOney glitch instagram is real_papi_nice +Fair Use Disclaimer: COPYRIGHT DISCLAIMER UNDER SECTION 107 OF THE COPYRIGHT ACT 1976: Allowance is made for "fair use" for purposes such as criticism, comment, news reporting, teaching, scholarship, and research. Fair use is a use permitted by copyright statue that might otherwise be infringing. Non-profit, educational or personal use tips the balance in favor of fair use. I do not claim ownership of the audio / music / films used in this video. All rights go to the artist credited above. +Easiest SOLO RP GLITCH for GTA 5 Online | GTA V 1.45 | XBOX 1 & PS4 Easiest SOLO RP GLITCH for GTA 5 Online | GTA V 1.45 | XBOX 1 & PS4 RANK UP FAST Share this \ No newline at end of file diff --git a/input/test/Test4911.txt b/input/test/Test4911.txt new file mode 100644 index 0000000..cd396ed --- /dev/null +++ b/input/test/Test4911.txt @@ -0,0 +1,12 @@ +Email +Clubs like FC Barcelona, pictured, featuring Lionel Messi, right, will play regular-season matches in the U.S. under a new agreement reached by La Liga. (Associated Press) Some of Spain's top soccer teams -- including FC Barcelona and Real Madrid -- are slated to play regular-season matches in the United States for the first time in history as part of a promotional effort to boost soccer's popularity in North America. The initiative is just one plan inked in a 15-year-deal between Spain's La Liga soccer league and multinational media and sports conglomerate Relevant, according to the English-language edition of Spain's El País newspaper. +The deal means that U.S. fans will get to see players like Barcelona's Lionel Messi perform in games that count in the league standings -- not just in summer exhibition matches. +"The aim of this extraordinary joint venture is for the culture of soccer to grow in the United States," Stephen Ross, majority owner of Relevent, the NFL's Miami Dolphins, and Hard Rock Stadium in Miami, among others, told the paper. +La Liga would become the first European league to play regular-season matches in the United States, the New York Times reported. +The hope is for the first match to be played in the U.S. this season; however, given the various logistical hurdles involved in having foreign teams play on American soil, it may be pushed back until 2019, according to the New York Times . +The move mimics the strategy of American professional sports teams, such Major League Baseball, the National Basketball Association and the National Football League, which have all played games abroad in an effort to expand its audience. +"If the NBA or the NFL play games outside their usual environment or their countries, why wouldn't the Spanish Liga do so too?" said Javier Tebas, the current president of La Liga, according to El País. "It's important to develop our brand. It is within our short- and medium-term objectives to take a Liga match to the United States every year." +While the Times reported that La Liga nor Relevent revealed what specific teams would take place in the initiative, El País noted two of the league's top draws -- FC Barcelona and Real Madrid – are expected to participate. +In addition, the location of the match is still up in the air, but Miami appears to be the top choice, the Times reported. +The deal between Relevant and La Liga also includes selling the broadcasting rights to American media and Canada in 2020, as well as merchandising and different enterprises, according to the Times. +Benjamin Brown is a reporter for Fox News. Follow him on Twitter @bdbrown473. Trending in Sport \ No newline at end of file diff --git a/input/test/Test4912.txt b/input/test/Test4912.txt new file mode 100644 index 0000000..3c1e3d8 --- /dev/null +++ b/input/test/Test4912.txt @@ -0,0 +1,21 @@ +Musk's SpaceX could help fund take-private deal for Tesla: NYT Friday, August 17, 2018 12:05 a.m. CDT FILE PHOTO: Elon Musk, founder, CEO and lead designer at SpaceX and co-founder of Tesla, speaks at the International Space Station Research +(Reuters) - Elon Musk's rocket company, SpaceX, could help fund a bid to take electric car company Tesla Inc private, the New York Times reported on Thursday, quoting people familiar with the matter. +Musk startled Wall Street last week when he said in a tweet he was considering taking the auto company private for $420 per share and that funding was "secured." He has since said he is searching for funds for the effort. +Musk said on Monday that the manager of Saudi Arabia's sovereign wealth fund had voiced support for the company going private several times, including as recently as two weeks ago, but also said that talks continue with the fund and other investors. +The New York Times report said another possibility under consideration is that SpaceX would help bankroll the Tesla privatization and would take an ownership stake in the carmaker, according to people familiar with the matter. +Musk is the CEO and controlling shareholder of the rocket company. +Tesla and SpaceX did not respond when Reuters requested comment on the matter. +In a wide-ranging and emotional interview with the New York Times published late on Thursday, Musk, Tesla's chief executive, described the difficulties over the last year for him as the company has tried to overcome manufacturing issues with the Model 3 sedan. https://nyti.ms/2vOkgeM +"This past year has been the most difficult and painful year of my career," he said. "It was excruciating." +The loss-making company has been trying to hit production targets, but the tweet by Musk opened up a slew of new problems including government scrutiny and lawsuits. +The New York Times report said efforts are underway to find a No. 2 executive to help take some of the pressure off Musk, people briefed on the search said. +Musk has no plans to relinquish his dual role as chairman and chief executive officer, he said in the interview. +Musk said he wrote the tweet regarding taking Tesla private as he drove himself on the way to the airport in his Tesla Model S. He told the New York Times that no one reviewed the tweet before he posted it. +He said that he wanted to offer a roughly 20 percent premium over where the stock had been recently trading, which would have been about $419. He decided to round up to $420 - a number that has become code for marijuana in counterculture lore, the report said. +"It seemed like better karma at $420 than at $419," he said in the interview. "But I was not on weed, to be clear. Weed is not helpful for productivity. There's a reason for the word 'stoned.' You just sit there like a stone on weed," he said. +Some board members recently told Musk to lay off Twitter and rather focus on operations at his companies, according to people familiar with the matter, the newspaper report said. +During the interview, Musk emotionally described the intensity of running his businesses. He told the newspaper that he works 120 hours a week, sometimes at the expense of not celebrating his own birthday or spending only a few hours at his brother's wedding. +"There were times when I didn't leave the factory for three or four days — days when I didn't go outside," he said during the interview. "This has really come at the expense of seeing my kids. And seeing friends." +To help sleep, Musk sometimes takes Ambien, which concerns some board members, since he has a tendency to conduct late-night Twitter sessions, according to a person familiar with the board the New York Times reported. +"It is often a choice of no sleep or Ambien," he said. +(Reporting by Rama Venkat Raman in Bengaluru and Brendan O'Brien in Milwaukee; Editing by Gopakumar Warrier, Bernard Orr) More From Busines \ No newline at end of file diff --git a/input/test/Test4913.txt b/input/test/Test4913.txt new file mode 100644 index 0000000..178d50a --- /dev/null +++ b/input/test/Test4913.txt @@ -0,0 +1,6 @@ +Print By - Associated Press - Friday, August 17, 2018 +PIERRE, S.D. (AP) - A Pine Ridge man has been sentenced to nearly 3 ½ years in prison for raping a 15-year-old girl on the Pine Ridge Indian Reservation after she'd been run over by a vehicle. +Authorities say the girl had been drinking at a party in April 2014 when she was dragged and run over by a vehicle driven by friends. They say Cottier found her alongside a road, took her home and sexually assaulted her. +He and another man then took the girl to a hospital, where she reported the assault. +Cottier pleaded guilty in April to sexual abuse of a minor in a plea deal with prosecutors. The U.S. attorney's office says he was recently sentenced to 41 months in prison, to be followed by five years of supervised release. + Th \ No newline at end of file diff --git a/input/test/Test4914.txt b/input/test/Test4914.txt new file mode 100644 index 0000000..9d0954c --- /dev/null +++ b/input/test/Test4914.txt @@ -0,0 +1,5 @@ +share url fbmsngr sms +MANCHESTER, England (AP) — Manchester City playmaker Kevin De Bruyne has been ruled out for about three months with a knee injury. +The Premier League champions say De Bruyne injured a ligament in his right knee during a training session on Wednesday. The Belgium international does not require surgery. +The injury means he will miss most of the group stage of the Champions League, which starts in September, and two matches for Belgium in the new UEFA Nations League. +City opened its Premier League season with a 2-0 win at Arsenal on Sunday, with De Bruyne playing as a second-half substitute because of a curtailed pre-season following the World Cup \ No newline at end of file diff --git a/input/test/Test4915.txt b/input/test/Test4915.txt new file mode 100644 index 0000000..d63469d --- /dev/null +++ b/input/test/Test4915.txt @@ -0,0 +1 @@ +7 min ago KDVR FOX Denver - DENVER The first electric pedal-assist bike share program begins launches in Denver on Friday morning. JUMP bikes launches in Denver and allows riders to find a bike with an app, unlock it with a code, ride to their destination, and then lock it up at another location. The bikes cost $1 to start and then cost 15 cents a minute after five minutes. Denver is the latest city for Uber's bike company. It operates in Austin, Chicago, Washington, D.C.,... [ Read More ] Aretha Franklin's Family Planning Open Casket Public Viewing at Detroit Museum 60 min ago TMZ Aretha Franklin's family has chosen a huge venue for her memorial ... one that the singer loved. [ Read More \ No newline at end of file diff --git a/input/test/Test4916.txt b/input/test/Test4916.txt new file mode 100644 index 0000000..62fdc5e --- /dev/null +++ b/input/test/Test4916.txt @@ -0,0 +1 @@ +Domestic Politics Social affairs Economy military Terrorism &Issue Education Asia Africa Europe North America South America Oceania Middle East United Nations UAE nuclear Terrorism Finance Industry Capital Business UAE Southeast Asia United Nations ROC Leisure&Sports Footbal \ No newline at end of file diff --git a/input/test/Test4917.txt b/input/test/Test4917.txt new file mode 100644 index 0000000..be13186 --- /dev/null +++ b/input/test/Test4917.txt @@ -0,0 +1,17 @@ +What seems to be common sense isn't always so common. CEOs, executives, founders and entrepreneurs need to keep their focus on the future in order to expand their market share. However, being in the daily grind of a business can make it difficult to see the forest from the trees. Time and time again, brands and companies need to keep reinventing themselves, which means figuring out how to extend the life of a brand. Brand extensions are essential in every business, whether you are selling cars, creating new lines of business, consulting, upgrading restaurant menus or creating new attractions. +I got interested in writing about this topic after working with one of our clients, Tim Murphy, the CEO of a chain of family entertainment centers. I decided to further investigate the idea and have discovered three keys businesses can use to develop and execute brand extensions. +1. Take time to review and analyze the business. +Take time to review and analyze one's situation. New directions or industry changes can differentiate one's business from the competition. This process can keep one open to new opportunities that are unexplored or underutilized, and that can set one's company apart from the competition. +It starts with the person in charge, a notion my client learned. The CEO or, in some cases, the board of directors, should review a company's new opportunities on an ongoing basis since business is constantly changing. At a minimum, this should be done annually. +When Murphy became CEO of the company, it had been a trampoline park for 10 years, dating back to when the commercial trampoline industry was in its infancy. Today, there are hundreds of commercial trampoline parks worldwide and in the United States. Like many industries, there comes a point of saturation, and one needs to begin to differentiate one's business from the competition. The company realized this and added more attractions, which resulted in an increase in brand awareness, new sales, new opportunities and separation from the competition through the addition of new revenue streams. +The best way to compare competitors' products and product lines is to view them side by side. In the case of restaurants and retail products, I recommend buying the competitors' products and reviewing their details -- size, shape, color, customer-attraction factor, price, value to the customer, quality, quantity received for the price point. Try to figure out how your product and product line compare to the competition. Are you a low-cost leader? Does a competitor provide a better price point? Is your product of a higher quality? Or is it truly unique? +2. Specialize to open new and better opportunities. +Specializing can create new and better opportunities. Many CEOs get stuck on not wanting to lose business, so they try to do everything or latch onto every new idea. Don't waste time on so many opportunities, as one cannot be in all places simultaneously -- it can limit focus as new opportunities arise. Once a company identifies its focused strategic goals, eliminate everything else that really doesn't matter. +When a company specializes, marketing becomes stronger and easily recognizable to a product or product line. Think of McDonald's. I'm betting that you only go there for a specific product. The brand is more prominent in the eyes of the consumer, and in turn, a stronger loyalty is usually created in the consumer's mind to buy only the specialized product or product lines. Hence, with more repeat customers, there is more volume and a higher frequency at which the customer is buying the product. +I was once told about a company that produced premium gluten-free products, including pizzas, flatbreads, rolls, breadsticks, tortillas and other items. The owners' main concern was growing the frozen gluten-free product sales, and they would go anywhere to sell the products to restaurants. With no specific goals, however, they were wasting a lot of time chasing leads and retooling production lines for each order. Choosing to specialize in one product -- pizzas -- led to focusing on restaurants and high-end retail outlets, which resulted in doubling sales. +3. Follow your core fundamentals. +Follow your core fundamentals to open new and better opportunities. +Many founders create companies with few choices. That limits what it takes to be successful, and the source of many product extensions or new product creations. And too many companies try to reinvent themselves but forget what made the company special to begin with. Focus on your fundamentals to envision and create brand expansions. +The history of Apple and the company's innovation and ability to extend its brand is something to appreciate. Consider Apple's initial product, the Apple I computer. The technology and approach have had a lot to do with how the company has been able to extend the brand today. Then, the inventions of iPods, iTunes, iPhones, iPads and the Apple Watch came along, which are arguably smaller versions of what was originally created. Apple seems to make it look easy to extend its brand each time a new product is released, and the company uses its core fundamentals to spur new ideas and brand growth. Steve Jobs was masterful in spotting trends or creating new trends that would extend the brand for many years. +In summary, the extension of a brand can happen in many forms. It can take place through the review of one's business and by following industry trends to adapt to new products and opportunities. When not afraid to lose sales, specializing can reduce the noise around your business. Have confidence, and don't react to fears, but instead, focus on your specialty to grow. And capitalize on your core fundamentals, but make sure they tie to the core principles that your company was built upon. Follow these three keys, and unlock your firm's potential. +Forbes Agency Council is an invitation-only community for executives in successful public relations, media strategy, creative and advertising agencies. Do I qualify \ No newline at end of file diff --git a/input/test/Test4918.txt b/input/test/Test4918.txt new file mode 100644 index 0000000..82f1f66 --- /dev/null +++ b/input/test/Test4918.txt @@ -0,0 +1,7 @@ +Analyst at Deutsche Bank Kept Crest Nicholson Holdings Plc (LON:CRST)Stock Rating as a 'Hold' +August 17, 2018 - By Louis Casey Crest Nicholson Holdings Plc (LON:CRST) Rating Reaffirmed +Crest Nicholson Holdings Plc (LON:CRST) shares have had their Hold Rating reconfirmed by equity research analysts at Deutsche Bank in a research report published on Friday, 17 August. Crest Nicholson Holdings plc (LON:CRST) Ratings Coverage +Among 8 analysts covering Crest Nicholson Holdings Plc ( LON:CRST ), 4 have Buy rating, 0 Sell and 4 Hold. Therefore 50% are positive. Crest Nicholson Holdings Plc has GBX 675 highest and GBX 440 lowest target. GBX 505's average target is 33.27% above currents GBX 378.9313 stock price. Crest Nicholson Holdings Plc had 14 analyst reports since March 8, 2018 according to SRatingsIntel. Deutsche Bank maintained the stock with "Hold" rating in Friday, August 17 report. Peel Hunt maintained Crest Nicholson Holdings plc (LON:CRST) on Tuesday, June 12 with "Hold" rating. The stock of Crest Nicholson Holdings plc (LON:CRST) earned "Buy" rating by Shore Capital on Thursday, March 22. The rating was maintained by JP Morgan with "Neutral" on Wednesday, June 13. The rating was downgraded by Peel Hunt on Wednesday, May 16 to "Hold". The rating was maintained by Peel Hunt on Thursday, April 19 with "Buy". The firm has "Add" rating given on Wednesday, June 13 by Numis Securities. The company was maintained on Friday, May 18 by JP Morgan. On Thursday, March 8 the stock rating was maintained by Shore Capital with "Buy". The rating was maintained by Peel Hunt on Thursday, March 22 with "Buy". +The stock decreased 0.23% or GBX 0.8687 during the last trading session, reaching GBX 378.9313. About 75,107 shares traded. Crest Nicholson Holdings plc (LON:CRST) has 0.00% since August 17, 2017 and is . It has underperformed by 12.57% the S&P500. +Crest Nicholson Holdings plc, a residential developer, manufactures homes in the United Kingdom. The company has market cap of 973.01 million GBP. The Company's portfolio includes apartments, houses, and regeneration schemes. It has a 5.87 P/E ratio. The firm also develops commercial properties. Receive News & Ratings Via Email - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings with our FREE daily email newsletter. +By Louis Casey Free Email Newsletter Enter your email address below to get the latest news and analysts' ratings for your stocks with our FREE daily email newsletter: Recent Market New \ No newline at end of file diff --git a/input/test/Test4919.txt b/input/test/Test4919.txt new file mode 100644 index 0000000..3e7a919 --- /dev/null +++ b/input/test/Test4919.txt @@ -0,0 +1 @@ +A freelance writer helping businesses to build a brand personality using words: straightforword.co.uk May 18 Photo by Elijah O'Donell on Unsplash You know that marketing yourself and/or your business is about creativity. You know it's about standing out from the crowd and exploring new ideas. So, why are you holding back? Why is the stuff you're churning out still similar to everyone else's? The 'professional' box From marketers, to business owners, to those trying to build a brand, we all come up with new, creative ideas. We try to market ourselves in different ways and we're always trying to come up with effective ways to catch people's attention. Yet, when it gets round to implementing our ideas, we make sure it's contained within a 'professional' box. It's different, but it's not too different. We'll think of the idea, build it up to dizzying heights, then take out the most innovative parts and try to bring it down a peg or two so that we still maintain a professional image. But…the websites, the emails, the tweets, the ideas by others that attract our attention very rarely come from in this box. The stuff that makes us lean forward in our chairs and pay attention haven't even attempted to stay in this box. We know this. Yet we're still scared to venture out of our box in case it'll drive people away. We're too scared to post a tweet with a swear word, an actually interesting description of ourselves on our 'about' page, a profile picture on LinkedIn that isn't against a white backdrop looking like it was taken on school picture day… I'm saying "we" because I'm guilty of this too. At the moment, I'm in the middle of designing and building my new website (with the help of a dev, of course), and our current buzzword is "ridiculous". "Is this too ridiculous?" "Shall I write this or is that too ridiculous?" "How ridiculous would it be if I put this animation here?" And what we're essentially saying is "has anyone done this before? If not, it's probably too risky". Which isn't the right way to design a website. I've recently learnt to never throw ideas away just for being a bit nuts. We shelve them and come back to them later if we're unsure. Ridiculous can be good and we need to learn to embrace it. Although we may need to sleep on an idea before it grows on us, we need to learn not not to control it as much, to stop worrying that we'll scare people off. That ridiculousness will be the bit that grabs people's attention. The takeaway You won't scare people off. You won't be laughed at. Not if you use your common sense and you make the most of your bright ideas. Put you and your ridiculous ideas out there in a big way and don't worry if you're being unprofessional. The people who have grabbed your attention didn't worry about it and it worked for them. This story is published in The Startup , Medium's largest entrepreneurship publication followed by 325,962+ people \ No newline at end of file diff --git a/input/test/Test492.txt b/input/test/Test492.txt new file mode 100644 index 0000000..60e6c86 --- /dev/null +++ b/input/test/Test492.txt @@ -0,0 +1 @@ +Korean Crypto Exchange adds Security from the Vault Foundation The Vault Platform is the worlds first dedicated and comprehensive security solution for the crypto currency sector. The Vault Platform provides a three tiered approach, an artificial intelligence-powered, Fraud Detection Solution, consumer application protection and a network consensus protocol. r whether from hardware devices, location or user behavior usage patterns. In addition, the Vault Foundation will provide Cashierest with blanket protection for all of its 2 million customers by adding security to its members application. Cashierest CEO, Jack Park said: Security for our users is the most important priority for us. The Vault Platform is the most comprehensive security platform in the market today, it will make our transactions even faster, and their business partner strategy embraces the blockchain eco-system to ensure we are all winners. Dannie Francis, CEO at The Vault Foundation said: Cashierest has grown very fast since its launch in March 2018. Already Koreas third-largest exchange, they have an excellent service and the security of the customers is their number one priority. We are honored to be their partner. The Vault Platform will give Cashierest customers, a level of security they can trust. The Vault Foundation is the exclusive global reseller for INCA Internet, Koreas leading software security solution provider for the finance and gaming sectors. About NewLink Co Ltd: For more information about NewLink/Cashierest contact: Sukhyun, Yoo (ysh@newlinkcorp.co.kr) About The Vault Foundation:You Can Trust! For more information about the Vault Foundation contact \ No newline at end of file diff --git a/input/test/Test4920.txt b/input/test/Test4920.txt new file mode 100644 index 0000000..b09da32 --- /dev/null +++ b/input/test/Test4920.txt @@ -0,0 +1,7 @@ +Weekly Research Analysts' Ratings Updates for Horizon Pharma (HZNP) Paula Ricardo | Aug 17th, 2018 +A number of firms have modified their ratings and price targets on shares of Horizon Pharma (NASDAQ: HZNP) recently: 8/10/2018 – Horizon Pharma was upgraded by analysts at BidaskClub from a "buy" rating to a "strong-buy" rating. 8/9/2018 – Horizon Pharma had its price target raised by analysts at Jefferies Financial Group Inc from $21.00 to $23.00. They now have a "buy" rating on the stock. 8/9/2018 – Horizon Pharma had its "buy" rating reaffirmed by analysts at Cowen Inc. They now have a $25.00 price target on the stock. They wrote, "Sarepta (SRPT) reported 2Q18 sales/earnings and provided a business update on 8/8. Exondys51 sales of $74M topped our expectations (see below) by 5%, and accelerated sequentially in 2Q18, after a slight dip in 1Q18. However, SRPT kept its FY18 guidance unchanged. OPEX is increasing faster than expectations, with FY18E non-GAAP OPEX potentially >2X 2016 levels of $198M. With sales growth starting to slow to high single digits Q/Q, focus is increasingly turning to the early/mid-stage pipeline to deliver commercial products in the near term. We continue to believe that gene therapy projects will take a minimum of 3-5 years to get to market and the exon- skipping agents (53 & 45) on-market by 2020. We stay neutral on the name."" 8/9/2018 – Horizon Pharma had its "buy" rating reaffirmed by analysts at Piper Jaffray Companies. They now have a $25.00 price target on the stock. 8/8/2018 – Horizon Pharma had its "buy" rating reaffirmed by analysts at Mizuho. They now have a $18.00 price target on the stock. They wrote, "We think the beat was clean, driven by a combination of strong sales, better gross margins, and lower OpEx. Primary care brands beat expectations ($101.1M vs. $85.9M consensus), and Horizon is now reorganizing its segments to segregate this unit from the rest of the company. Krystexxa sales were $58.6M (+53% Y/Y) and also beat consensus expectations of $56.3M. The Teprotumumab trial is now fully enrolled, significantly ahead of schedule, and the company will present its one-year Teprotumumab data at the American Thyroid Association conference (Oct 3-7 in Washington, DC). We will update estimates after the 8 AM call."" 8/8/2018 – Horizon Pharma was given a new $21.00 price target on by analysts at Cantor Fitzgerald. They now have a "buy" rating on the stock. 8/6/2018 – Horizon Pharma was downgraded by analysts at BMO Capital Markets from an "outperform" rating to a "market perform" rating. They now have a $18.00 price target on the stock. 7/30/2018 – Horizon Pharma was upgraded by analysts at ValuEngine from a "hold" rating to a "buy" rating. 7/25/2018 – Horizon Pharma had its price target raised by analysts at Cantor Fitzgerald to $21.00. They now have an "overweight" rating on the stock. 7/20/2018 – Horizon Pharma was upgraded by analysts at BidaskClub from a "hold" rating to a "buy" rating. 7/17/2018 – Horizon Pharma was downgraded by analysts at Zacks Investment Research from a "buy" rating to a "hold" rating. According to Zacks, "Horizon Pharma's orphan and rheumatology business units witnessed strong growth. We expect Krystexxa, Ravicti and Actimmune to drive further growth. The acquisition of teprotumumab has further diversified the company's portfolio. However, revenues from primary care business units declined due to the implementation of a new commercial model where the company is contracting with pharmacy benefit managers and payers to help patients obtain access to its medicines. In June 2017, Horizon Pharma sold the marketing rights for Procysbi and Quinsair in Europe, the Middle East and Africa to Chiesi Farmaceutici S.p.A. to focus on higher return businesses. Shares of the company have outperformed the industry so far this year." 7/10/2018 – Horizon Pharma was upgraded by analysts at Zacks Investment Research from a "hold" rating to a "buy" rating. They now have a $19.00 price target on the stock. According to Zacks, "Horizon Pharma's orphan and rheumatology business units witnessed strong growth. We expect Krystexxa, Ravicti and Actimmune to drive further growth. The acquisition of teprotumumab has further diversified the company's portfolio. However, revenues from primary care business units declined due to the implementation of a new commercial model where the company is contracting with pharmacy benefit managers and payers to help patients obtain access to its medicines. In June 2017, Horizon Pharma sold the marketing rights for Procysbi and Quinsair in Europe, the Middle East and Africa to Chiesi Farmaceutici S.p.A. to focus on higher return businesses. Shares of the company have outperformed the industry so far this year." 7/5/2018 – Horizon Pharma was downgraded by analysts at ValuEngine from a "buy" rating to a "hold" rating. 6/28/2018 – Horizon Pharma was downgraded by analysts at BidaskClub from a "buy" rating to a "hold" rating. 6/27/2018 – Horizon Pharma was downgraded by analysts at Citigroup Inc from a "buy" rating to a "neutral" rating. 6/18/2018 – Horizon Pharma had its price target raised by analysts at Stifel Nicolaus from $20.00 to $22.00. They now have a "buy" rating on the stock. +Shares of HZNP opened at $20.60 on Friday. The stock has a market cap of $3.49 billion, a price-to-earnings ratio of 17.46, a price-to-earnings-growth ratio of 1.26 and a beta of 1.43. The company has a debt-to-equity ratio of 2.19, a current ratio of 1.70 and a quick ratio of 1.63. Horizon Pharma PLC has a 12 month low of $11.17 and a 12 month high of $21.25. Get Horizon Pharma PLC alerts: +Horizon Pharma (NASDAQ:HZNP) last posted its quarterly earnings data on Wednesday, August 8th. The biopharmaceutical company reported $0.48 earnings per share for the quarter, topping the Thomson Reuters' consensus estimate of $0.31 by $0.17. The company had revenue of $302.84 million during the quarter, compared to analyst estimates of $275.51 million. Horizon Pharma had a negative net margin of 28.02% and a positive return on equity of 19.05%. The company's revenue was up 4.6% on a year-over-year basis. During the same quarter last year, the business posted $0.41 earnings per share. sell-side analysts anticipate that Horizon Pharma PLC will post 1.41 earnings per share for the current fiscal year. +In other news, Chairman Timothy P. Walbert sold 83,353 shares of the firm's stock in a transaction that occurred on Friday, June 1st. The shares were sold at an average price of $16.17, for a total transaction of $1,347,818.01. The transaction was disclosed in a document filed with the Securities & Exchange Commission, which is accessible through this hyperlink . Also, EVP Brian K. Beeler sold 15,433 shares of the firm's stock in a transaction that occurred on Friday, June 8th. The stock was sold at an average price of $17.58, for a total transaction of $271,312.14. The disclosure for this sale can be found here . In the last ninety days, insiders have sold 116,717 shares of company stock valued at $1,907,999. Company insiders own 3.90% of the company's stock. +Several hedge funds and other institutional investors have recently bought and sold shares of HZNP. Ladenburg Thalmann Financial Services Inc. increased its holdings in shares of Horizon Pharma by 74.4% in the first quarter. Ladenburg Thalmann Financial Services Inc. now owns 9,091 shares of the biopharmaceutical company's stock valued at $128,000 after purchasing an additional 3,877 shares in the last quarter. D.A. Davidson & CO. acquired a new stake in shares of Horizon Pharma in the first quarter valued at approximately $143,000. Zweig DiMenna Associates LLC acquired a new stake in shares of Horizon Pharma in the first quarter valued at approximately $156,000. Quantitative Systematic Strategies LLC acquired a new stake in shares of Horizon Pharma in the second quarter valued at approximately $172,000. Finally, Strs Ohio increased its holdings in shares of Horizon Pharma by 74.2% in the second quarter. Strs Ohio now owns 10,800 shares of the biopharmaceutical company's stock valued at $178,000 after purchasing an additional 4,600 shares in the last quarter. 84.62% of the stock is owned by institutional investors. +Horizon Pharma Public Limited Company, a biopharmaceutical company, focuses on researching, developing, and commercializing medicines that address unmet treatment needs for rare and rheumatic diseases in the United States and internationally. The company's marketed medicine portfolio consists of RAVICTI for the treatment of urea cycle disorders; PROCYSBI to treat nephropathic cystinosis; ACTIMMUNE for the treatment of chronic granulomatous disease and malignant osteopetrosis; BUPHENYL to treat urea cycle disorders; and QUINSAIR for the treatment of chronic pulmonary infections due to pseudomonas aeruginosa in cystic fibrosis patients. Horizon Pharma PLC Horizon Pharma PL \ No newline at end of file diff --git a/input/test/Test4921.txt b/input/test/Test4921.txt new file mode 100644 index 0000000..809d170 --- /dev/null +++ b/input/test/Test4921.txt @@ -0,0 +1,9 @@ +Monster Beverage (MNST) Raised to "Buy" at BidaskClub Paula Ricardo | Aug 17th, 2018 +Monster Beverage (NASDAQ:MNST) was upgraded by equities research analysts at BidaskClub from a "hold" rating to a "buy" rating in a research report issued to clients and investors on Friday. +Several other research firms have also recently weighed in on MNST. Stifel Nicolaus lifted their price target on Monster Beverage from $63.00 to $65.00 and gave the stock a "buy" rating in a report on Thursday, July 12th. Zacks Investment Research cut Monster Beverage from a "buy" rating to a "hold" rating in a report on Monday, July 23rd. JPMorgan Chase & Co. cut Monster Beverage from an "overweight" rating to a "neutral" rating and dropped their price target for the stock from $67.00 to $52.00 in a report on Wednesday, May 9th. ValuEngine raised Monster Beverage from a "hold" rating to a "buy" rating in a report on Wednesday, July 11th. Finally, SunTrust Banks dropped their price target on Monster Beverage to $50.00 and set a "hold" rating for the company in a report on Wednesday, May 9th. One research analyst has rated the stock with a sell rating, five have assigned a hold rating and thirteen have given a buy rating to the company's stock. The stock currently has an average rating of "Buy" and an average target price of $63.94. Get Monster Beverage alerts: +NASDAQ:MNST opened at $61.67 on Friday. The company has a market cap of $33.54 billion, a P/E ratio of 42.24, a PEG ratio of 2.20 and a beta of 1.34. Monster Beverage has a 1-year low of $47.61 and a 1-year high of $70.21. +Monster Beverage (NASDAQ:MNST) last released its quarterly earnings results on Wednesday, August 8th. The company reported $0.49 earnings per share for the quarter, topping the Thomson Reuters' consensus estimate of $0.47 by $0.02. The business had revenue of $1.02 billion during the quarter, compared to analysts' expectations of $1.03 billion. Monster Beverage had a return on equity of 24.39% and a net margin of 25.27%. The firm's revenue for the quarter was up 12.0% compared to the same quarter last year. During the same period last year, the firm posted $0.39 EPS. analysts predict that Monster Beverage will post 1.73 earnings per share for the current year. +Monster Beverage declared that its board has approved a share buyback program on Wednesday, May 30th that authorizes the company to buyback $500.00 million in outstanding shares. This buyback authorization authorizes the company to reacquire up to 1.8% of its stock through open market purchases. Stock buyback programs are often an indication that the company's board of directors believes its shares are undervalued. +Institutional investors have recently bought and sold shares of the business. Optimum Investment Advisors bought a new position in Monster Beverage during the 1st quarter worth $120,000. Integrated Investment Consultants LLC bought a new position in Monster Beverage during the 2nd quarter worth $123,000. Exane Derivatives increased its stake in shares of Monster Beverage by 7,740.0% in the 2nd quarter. Exane Derivatives now owns 2,352 shares of the company's stock valued at $134,000 after purchasing an additional 2,322 shares during the last quarter. Valeo Financial Advisors LLC bought a new position in shares of Monster Beverage in the 2nd quarter valued at $181,000. Finally, Qube Research & Technologies Ltd bought a new position in shares of Monster Beverage in the 2nd quarter valued at $175,000. Hedge funds and other institutional investors own 64.24% of the company's stock. +Monster Beverage Company Profile +Monster Beverage Corporation, through its subsidiaries, develops, markets, sells, and distributes energy drink beverages, soda, and its concentrates in the United States and internationally. It operates through three segments: Monster Energy Drinks, Strategic Brands, and Other. The company offers ready-to-drink packaged drinks, non-carbonated dairy based coffee and energy drinks, and non-carbonated energy shakes primarily to bottlers and full service beverage distributors, as well as sells directly to retail grocery and specialty chains, wholesalers, club stores, drug stores, mass merchandisers, convenience chains, food service customers, and the military; and concentrates and/or beverage bases to authorized bottling and canning operations; and ready-to-drink packaged energy drinks to bottlers and full service beverage distributors. Monster Beverage Monster Beverag \ No newline at end of file diff --git a/input/test/Test4922.txt b/input/test/Test4922.txt new file mode 100644 index 0000000..933a5c9 --- /dev/null +++ b/input/test/Test4922.txt @@ -0,0 +1,17 @@ +With all the subtlety of a bull shopping for new dinner plates, Fraser Anning has put immigration and population growth back on the front pages . In fact, for an issue that we are constantly told we can't talk about, it's striking how many column inches and airtime is taken up with talking about who and how many are allowed to live in Australia. +Sydney's diversity is a strength. +Photo: Michele Mossop Rather than dive into how appropriate it is to refer to a "final solution" with regards to immigration, we should consider the underlying factors that allow such comments to be spoken in our public discourse. +Loading Below the rhetoric sit two fears – that rural and regional areas lose out to our cities, and that the population of cities like Sydney are growing at an unsustainable rate, that they are full to bursting and that our communities are can't keep up. Because 80 per cent of Australia's migrants move to either Sydney or Melbourne, these issues become conflated with each other, and immigration gets the blame. +Both of these fears are misguided. Immigration is good for Australia and stopping immigration won't stop the growth of our cities. Finally, without immigration, our ageing population will impact on our ongoing prosperity. +Advertisement However, the worst thing that policymakers can do is dismiss these fears. They provide fertile ground for lazy, racially charged solutions and are widely and deeply felt. Indeed, research undertaken by the Committee for Sydney and Ipsos shows that there is near universal community concern about a high cost of living, housing affordability and congestion. +Commentators have linked the problem of congestion with immigration. +Photo: Peter Rae When people express their concerns about these issues, immigration isn't the problem. But some public commentators have successfully sold the idea that migrants are to blame. To address this, we should kick off a more useful conversation about how we manage and plan for the growth of our cities, and how this growth can benefit the regions around these cities. +The committee's annual benchmarking survey demonstrates that Sydney is one of the most liveable cities in the world (something confirmed this week by The Economist ). In large part, this appeal comes from our openness, tolerance and diversity – as well as recognition that immigration has enhanced our city. Turning our back on this important aspect of our city will lessen the quality of our lives, damage our international reputation and hurt us economically. +Between 2000 and 2006, NSW's share of Australia's total overseas migration fell by more than 10 per cent, which coincided with the state having the worst performing economy in the country. The impact of turning off the taps would arguably be worse today as Sydney's boom industries in the tech sector, advanced manufacturing and professional services are highly reliant on accessing global talent. +Sydney and Melbourne need greater investment to keep up with growth. Federal plans to move recent migrants to regional areas make sense in areas of skills shortages, but not where jobs are already scarce. +Loading If the debate turns from "we're full" to "how do we make sure that growth works for everyone", there are many more policy levers we can pull. +The Greater Sydney Commission's plan for a Metropolis of Three Cities sets out a plan that we should deliver. Along with matching plans for infrastructure and transport, this is a strategy that will ensure we're keeping pace with growth. +We should also aim to grow existing regional cities in NSW, such as Gosford, Newcastle and Wollongong and link them together with faster rail links to Sydney. This could both relieve some pressure on Sydney while boosting regional economies. +But we should also have a discussion about funding. A large part of the funding of cities is placed on state government, who have to pay for the infrastructure supporting growth but have no controls over that growth. That's why it's reasonable to ask both the federal government to invest more in cities, while also expanding the options for local government to raise funds to deliver local infrastructure. +Our challenge now is to ensure that we remain a city for all in a period of great change. This won't be through running our finger down a list arbitrarily deciding who's allowed to become an Australian, it will come through proper discussion about managing the side-effects of growth and ensuring we continue to be a welcoming, open and diverse society. +Eamon Waterford is director of policy for The Committee for Sydne \ No newline at end of file diff --git a/input/test/Test4923.txt b/input/test/Test4923.txt new file mode 100644 index 0000000..933a5c9 --- /dev/null +++ b/input/test/Test4923.txt @@ -0,0 +1,17 @@ +With all the subtlety of a bull shopping for new dinner plates, Fraser Anning has put immigration and population growth back on the front pages . In fact, for an issue that we are constantly told we can't talk about, it's striking how many column inches and airtime is taken up with talking about who and how many are allowed to live in Australia. +Sydney's diversity is a strength. +Photo: Michele Mossop Rather than dive into how appropriate it is to refer to a "final solution" with regards to immigration, we should consider the underlying factors that allow such comments to be spoken in our public discourse. +Loading Below the rhetoric sit two fears – that rural and regional areas lose out to our cities, and that the population of cities like Sydney are growing at an unsustainable rate, that they are full to bursting and that our communities are can't keep up. Because 80 per cent of Australia's migrants move to either Sydney or Melbourne, these issues become conflated with each other, and immigration gets the blame. +Both of these fears are misguided. Immigration is good for Australia and stopping immigration won't stop the growth of our cities. Finally, without immigration, our ageing population will impact on our ongoing prosperity. +Advertisement However, the worst thing that policymakers can do is dismiss these fears. They provide fertile ground for lazy, racially charged solutions and are widely and deeply felt. Indeed, research undertaken by the Committee for Sydney and Ipsos shows that there is near universal community concern about a high cost of living, housing affordability and congestion. +Commentators have linked the problem of congestion with immigration. +Photo: Peter Rae When people express their concerns about these issues, immigration isn't the problem. But some public commentators have successfully sold the idea that migrants are to blame. To address this, we should kick off a more useful conversation about how we manage and plan for the growth of our cities, and how this growth can benefit the regions around these cities. +The committee's annual benchmarking survey demonstrates that Sydney is one of the most liveable cities in the world (something confirmed this week by The Economist ). In large part, this appeal comes from our openness, tolerance and diversity – as well as recognition that immigration has enhanced our city. Turning our back on this important aspect of our city will lessen the quality of our lives, damage our international reputation and hurt us economically. +Between 2000 and 2006, NSW's share of Australia's total overseas migration fell by more than 10 per cent, which coincided with the state having the worst performing economy in the country. The impact of turning off the taps would arguably be worse today as Sydney's boom industries in the tech sector, advanced manufacturing and professional services are highly reliant on accessing global talent. +Sydney and Melbourne need greater investment to keep up with growth. Federal plans to move recent migrants to regional areas make sense in areas of skills shortages, but not where jobs are already scarce. +Loading If the debate turns from "we're full" to "how do we make sure that growth works for everyone", there are many more policy levers we can pull. +The Greater Sydney Commission's plan for a Metropolis of Three Cities sets out a plan that we should deliver. Along with matching plans for infrastructure and transport, this is a strategy that will ensure we're keeping pace with growth. +We should also aim to grow existing regional cities in NSW, such as Gosford, Newcastle and Wollongong and link them together with faster rail links to Sydney. This could both relieve some pressure on Sydney while boosting regional economies. +But we should also have a discussion about funding. A large part of the funding of cities is placed on state government, who have to pay for the infrastructure supporting growth but have no controls over that growth. That's why it's reasonable to ask both the federal government to invest more in cities, while also expanding the options for local government to raise funds to deliver local infrastructure. +Our challenge now is to ensure that we remain a city for all in a period of great change. This won't be through running our finger down a list arbitrarily deciding who's allowed to become an Australian, it will come through proper discussion about managing the side-effects of growth and ensuring we continue to be a welcoming, open and diverse society. +Eamon Waterford is director of policy for The Committee for Sydne \ No newline at end of file diff --git a/input/test/Test4924.txt b/input/test/Test4924.txt new file mode 100644 index 0000000..ea79e62 --- /dev/null +++ b/input/test/Test4924.txt @@ -0,0 +1,34 @@ +A family of Syrian migrants crosses a field in northern Greece in 2016. (AP photo/Petros Giannakouris) +For the weekly edition of our summer retrospective series on current events, the subject of migration is one that Equal Times could not ignore. +In fact, you could argue that we should be using the term 'migrations' as we are discussing many different types of migrants, including economic migrants, refugees and asylum seekers, each of which represent different realities. These groups include both people who chose to migrate and people who had no choice, both those who are just passing through and those who plan to stay in their receiving countries. +Today virtually all countries are affected by migrations and it would be incorrect to assume that they only go in one direction: from poor countries to rich countries. While it might be hard to believe for some European and North American citizens who feel threatened by the waves of new arrivals, the countries hosting the most refugees are not in the West. Rather, it is countries like Turkey, Pakistan and Lebanon that must manage, often with no help, more than a million people in need. +It should not be forgotten that migration is first and foremost a proximity-based phenomenon between neighbouring countries and that some of the poorest countries on earth, such as Ethiopia, Chad and Sudan, each welcomed more people in 2016 than France or Germany. +Just one month ago, 192 UN member states (with the notable exception of the United States) recognised the need for improved international cooperation when they approved an important draft agreement: the Global Compact for Safe, Orderly and Regular Migration . The agreement is set to be adopted definitively in December and will mark the first effort at cooperation on this issue in many years. It could also play a role in combatting human trafficking, one of many dangers that accompany the journey into exile. +Reaffirming the principles of human rights seems more necessary than ever as more walls and barriers rise and more ports of entry close. Many leaders seem to forget that their countries are signatories to treaties such as the 1951 Geneva convention which defines the right to asylum and refugee status. +Countries like the United States and Australia, themselves "nations of immigrants", are closing their borders with contempt and cruelty to those seeking a better future. In an article on Equal Times , journalist Martin Watters reported on the fate of asylum seekers detained on an island by the Australian government. "Currently there are over 2000 people who have been languishing in remote islands in the Pacific who are being held hostage to this policy," said Amy Frew, a lawyer for Australia's Human Rights Law Centre. +Fortunately, other countries and local communities are providing support to those seeking refuge or a better life. Uganda, for example, has stood out in its efforts to welcome foreigners, primarily those from Sudan, as journalist Evelyn Lirri and photographer Nicholas Bamulanzeki recently reported. Even though the situation is not perfect for everyone, it shows that withdrawal is not the only answer. +Among those providing support are many NGOs, including SOS Méditerranée . With its iconic boat the Aquarius, the organisation rescues migrants who have set sail to reach the coasts of Europe. To date, SOS Méditerranée has carried out over 100 rescue missions and saved almost 30,000 lives. The organisation continued to save migrants from drowning this week. It is worthwhile to read the report by Anna Benjamin who participated in their very first mission at sea in February 2016. +Once they arrive, migrants seek employment. This is the area where the hypocrisy of politicians is the most striking: we don't want foreigners, but we do want them to do our least rewarding work. +Equal Times regularly documents the reality of these "migrant jobs", which are often accompanied by serious violations of fundamental workers' rights: domestic workers in the Middle East, agricultural labour in Italy, street vendors in Spain, etc. Amongst countless possible examples, we've chosen once again to shed light on the plight of Venezuelan refugees in Peru, where many engineers and architects are selling donuts or empanadas, working without contracts and subject to abuse. +As a concluding remark, it is worth mentioning that many experts consider the phenomenon of mass migration to be still in its infancy. Refugees currently represent less than 1 per cent of the world's population and are predominantly people fleeing war and oppression. But what will happen when "climate refugees" become a reality? In the final article of our selection, Steve Rushton reminds us that "climate refugees are not recognised or protected by international law". This is another challenge facing humanity in terms of both the environment and human rights. Australia's hard line on refugees leads to a cycle of offshore horror +By Martin Watters +In this still from an Australia Broadcasting Corporation video made on 31 October 2017, asylum seekers protest the closure of their detention centre, on Manus Island, Papua New Guinea. Photo: Australia Broadcasting Corporation via AP +There are currently hundreds of men detained on a remote island in the north of Papua New Guinea (PNG), after trying to seek refuge in Australia. Some are ill or injured, many are mentally traumatised and most have been on Manus Island – dubbed "Australia's Guantanamo" – for three to four years. +Despite international condemnation of their plight, their future remains uncertain. The men are victims of Australian government policies targeting asylum seekers trying to reach its shores by boat. Starting over in the "most refugee-friendly country in the world" +By Nicholas Bamulanzeki +A street vendor sells fruit on a busy street in Kampala, Uganda. Photo: Nicholas Bamulanzeki +It has been called a 'refugee paradise' and 'the most refugee-friendly country in the world'. Those who aren't quite so evangelical simply laud Uganda for its progressive refugee policy. And with good reason. +Last year, Uganda took in more refugees than any other country in the world, and at present, more than 1.35 million refugees have settled in Uganda, primarily from South Sudan. The vast majority of refugees in Uganda live in settlements such as Bidi Bidi – the world's largest refugee camp – where they are given plots of land, food, basic goods, access to public services and freedom of movement. The Aquarius: the solidarity boat that sets sail to rescue refugees +By Anna Benjamin +A 25-person crew – seafarers, rescue workers, doctors and nurses – coordinates the operation on the boat which can take up to 500 shipwrecked refugees. Photo: Anna Benjamin +In the port of Marseille, the fluorescent orange hull of the 77 metre long Aquarius can be seen from far away. Seafarers are loading dozens of boxes onto the deck. Forming a human chain, doctors and nurses wearing lifejackets bearing the logo Médecins du monde (Doctors of the World) carry them inside the boat. Despite the tension and tiredness, it is a well practised routine. These are the final preparations before departure. +On Saturday the Aquarius, which arrived in the Mediterranean city two days earlier having been chartered from the Baltic, set sail for an unprecedented mission to the Strait of Sicily, off the Italian and Libyan coasts: the biggest refugee rescue operation organised by an NGO, the SOS Méditerranée . Venezuelan migrants suffer precarious conditions in Peru's informal economy +By Jack Guy +A man hauls a suitcase along a dirt road in the Santa Rosa Chuquitanta neighbourhood in Lima, Peru. The crisis in Venezuela has prompted thousands of Venezuelans to flee for Peru, where they often end up working in the informal economy. Photo: AP/Rodrigo Abd +Luis Ferrer fled to Peru after his fellow students were killed in anti-government protests in Venezuela. But there he found a different nightmare, typical for migrants, working long, hard hours in a Lima restaurant. +"I had a job doing 12-hour shifts washing dishes, but they didn't only make me do that but also chopping, cooking and waiting tables." With no contract and terrible working conditions, the 23-year-old Venezuelan left that job after a few days and without pay. "Some jobs don't ask for a permit but the work they make you do is very demanding. It's basically exploitation." +Thousands like Ferrer are employed in businesses ranging from street vendors to restaurants and bars to beauty salons and warehouses, the vast majority working off the books without contracts or labour protection. Unscrupulous bosses also take advantage of recent arrivals who have no idea about how much they should earn, and no legal recourse to demand their rights. Unions and NGOs gather in London to stand up for climate refugees +By Steve Rushton +In this photo taken on 10 October 2015, residents who were relocated from a drought-affected region elsewhere in the country sort out maize stalks at their new home in Hongbusi in northwestern China's Ningxia Hui autonomous region. Photo: AP/Ng Han Guan +While US President Donald Trump may not believe that climate change is a result of human activity – a position which flies in the face of decades of scientific research – one thing is undeniable and that's the devastating impact of soaring temperatures on people and communities across the world. +In 2016, for example, Pakistan and India were hit by a heatwave which saw temperatures peaking at 51°C, posing a major threat to human life, according to Asad Rehman, a senior international climate campaigner with Friends of the Earth. "When these heatwaves reoccur the government has to ask itself what it can do: the only answer is dig more mass graves." This story has been translated from French. Share this pag \ No newline at end of file diff --git a/input/test/Test4925.txt b/input/test/Test4925.txt new file mode 100644 index 0000000..62c0e84 --- /dev/null +++ b/input/test/Test4925.txt @@ -0,0 +1,28 @@ +17 August 2018 +Panther Metals PLC +("Panther Metals" or the "Company") +APPOINTMENT OF NON-EXECUTIVE CHAIRMAN +Panther Metals PLC (NEX:PALM), is pleased to announce that Dr. Ahmet Kerim Sener has been appointed as Non-Executive Chairman of the Company with immediate effect. +Mitchell Smith , Executive Officer of Panther Metals commented : +"I am extremely pleased to announce the appointment of Kerim to the board of Panther Metals as Non-Executive Chairman. Kerim brings considerable management and operational experience to the Company, and we have followed his work as Managing Director of Ariana Resources where he has successfully taken an exploration project all the way through to commercial gold production. +It is rare to find a professional geologist with the breadth of experience Kerim holds, alongside his extensive network across the natural resource sector from which we anticipate a number of additional new opportunities may arise. +The board welcomes Kerim and looks forward to working with him to advance Panther Metals into a great natural resource focused company." +As at the date of this announcement, Dr. Sener does not have an interest in any ordinary shares of the Company. +Kerim graduated from the University of Southampton with a first-class BSc (Hons) degree in Geology in 1997 and from the Royal School of Mines, Imperial College, with an MSc in Mineral Exploration in 1998. After working in gold exploration and mining in Zimbabwe , he completed a PhD at the University of Western Australia in 2004 and worked on a variety of projects in Western Australia and the Northern Territory. Since then he has been responsible for the discovery of over 3.8Moz of gold in Eastern Europe and has been instrumental in the development of an active gold mine in Turkey . +He is a Fellow of The Geological Society of London , Member of The Institute of Materials, Minerals and Mining, Member of the Chamber of Geological Engineers in Turkey and a member of the Society of Economic Geologists. +Kerim is a director of a number of companies including Ariana Resources plc, the AIM quoted exploration and development company and Matrix Exploration Pty. Ltd., a mineral exploration consultancy. He is also an Adjunct Research Associate at the Centre for Exploration Targeting, University of Western Australia . +Kerim has been a director or partner of the following companies/partnerships in the last five years: +Current Directorships and Partnerships Past Directorships and Partnerships Ariana Resources plc Matrix Exploration Ltd Ariana Exploration and Development Ltd Asgard Metals Pty. Ltd Greater Pontides Exploration BV Matrix Exploration Pty. Ltd Parthian Resources Pty. Ltd Portswood Resources Limited Zenit Madencilik San. ve Tic. A.S. There is no further information that is required to be disclosed pursuant to Paragraph 21, Appendix 1 of the NEX Exchange Growth Market – Rules for Issuers. +The Directors of the Company accept responsibility for the contents of this announcement. +For further information on the Company: +The Company +PANTHER METALS PLC +Darren Hazelwood, Non-Executive Director +Mitchell Smith, Chief Executive Officer ++ 44 (0)7971 957 685 ++ 1 (604) 209 6678 +info@panthermetals.co.uk NEX Exchange Corporate Adviser +PETERHOUSE CAPITAL LIMITED +Mark Anwyl +Guy Miller ++ 44 (0)7469 093 \ No newline at end of file diff --git a/input/test/Test4926.txt b/input/test/Test4926.txt new file mode 100644 index 0000000..57c3146 --- /dev/null +++ b/input/test/Test4926.txt @@ -0,0 +1 @@ +All Press Releases for August 17, 2018 On The Border Mexican Grill & Cantina's® Week-Long Fajita Fiesta Starts Monday, Aug. 13th! Creator of National Fajita Day to Offer Multiple Types of Mesquite Grilled Fajitas for 2 for Under $20 DALLAS, TX, August 17, 2018 /24-7PressRelease/ -- Nothing beats the signature sizzle and delicious aroma of fajitas fresh off a mesquite wood-fired grill. That's why On The Border® (OTB) invented National Fajita Day a few years ago – so fajita lovers across the country could enjoy one more reason to indulge in their favorite, festive, grilled Mexican dish. This year, even though On The Border has been the casual dining authority on all things fajita since 1982, they're supersizing the sizzle with a week-long National Fajita Day celebration starring OTB Classic Fajitas. From Monday, August 13th through Saturday, August 18th, guests can choose a Fajita Fiesta for Two for just $19.99. "National Fajita Day is one of our favorite fiesta occasions of the year," said Rebecca Miller, Senior Vice President of Marketing for On The Border. "And since we invented the holiday, we figure it's our duty to keep the sizzle going all week long with multiple fajita options guests can enjoy with friends and family." The Fajita Fiesta for Two gives guests their choice of any Classic Fajita option as a two-person-sized order – including Chicken, Steak, Shrimp Carnitas, and Portobello & Veggie – all cooked to perfection over OTB's authentic mesquite-wood grill. All fajitas are served with made-in-house warm soft flour tortillas, sour cream, pico de gallo, shredded cheese, guacamole, and a side of Mexican rice and refried beans. The same Classic Fajita options are also available as a lunch combo option for catering, delivery, and to-go orders – and with 20% off orders of $200 or more, Lunch Combo Fajitas are perfect for those wishing to hold a National Fajita Day fiesta at the office or at home. Simply mention or enter FAJITADAY18 when ordering. "No matter which option our guests choose, they can be assured of delicious authentic flavor, perfectly tender grilled meats, and a mix of seasonings that just make you crave more," continued Miller. "Fortunately, guests can also come back to our restaurants day after day to try another Classic Fajita option or bring a bunch of people to a local OTB and share a couple different orders around the same table." The OTB Fajita Fiesta for Two for $19.99 is available at all participating On The Border restaurants in the continental U.S. all day long between August 13 and August 18, 2018. Dine in only. No substitutions. Not valid with any other coupon or promotional offer. FAJITADAY18 code is valid on to-go, delivery, delivery deluxe, and full-service catering orders only between 8/13/2018 and 8/18/2018. Not valid on orders previously placed. Excludes tax and gratuity. Cannot be combined with other offers or discountsFor more information, visit www.ontheborder.com .# # \ No newline at end of file diff --git a/input/test/Test4927.txt b/input/test/Test4927.txt new file mode 100644 index 0000000..437608d --- /dev/null +++ b/input/test/Test4927.txt @@ -0,0 +1,29 @@ +The Strictly Come Dancing line-up so far Menu The Strictly Come Dancing line-up so far Press Association 2018 The line-up for the 2018 series of Strictly Come Dancing is gradually being unveiled.Here are the stars who are confirmed to be taking to the dancefloor. +Katie Piper Katie Piper was the first contestant to be announced (Ian West/PA) +The television presenter and former model, 34, is best known for sharing her story about surviving an acid attack in the documentary Katie: My Beautiful Face. +The mother of two young daughters, she has said she is excited to show her children her dance moves. +Faye Tozer Steps singer Faye Tozer will also be taking part (Victoria Jones/PA) +The Steps singer, 42, has sold more than 20 million records as part of the successful pop group. +After they disbanded in 2001, she started a career in the theatre but the group got back together in 2011 and embarked on a sell-out tour. Tozer has said being on Strictly is a "dream come true". +Danny John-Jules Red Dwarf star Danny John-Jules will compete for the glitterball trophy (Victoria Jones/PA) +The actor, 57, is best known for his role as Cat in the sci-fi comedy Red Dwarf. +He is also recognisable for playing the policeman Dwayne Myers in the long running BBC hit crime drama, Death In Paradise and Barrington in the BBC comedy Maid Marian And Her Merry Men and has said he is excited to embrace the "glittery spandex" of Strictly. +Joe Sugg Joe Sugg will also compete (Comic Relief) +The YouTube star, 26, is well known on the streaming platform for his channels ThatcherJoe, ThatcherJoeVlogs and ThatcherJoeGames and has amassed more than 25 million followers. +His videos consist of challenges, pranks, impressions and gaming but he is also the author of the graphic novel series Username: Evie and says that the dancing programme is "totally out of my comfort zone". +Vick Hope Vick Hope has been revealed as a contestant (Isabel Infantes/PA) +The radio DJ, 28, currently presents the Capital Breakfast show every morning with Roman Kemp. +The Cambridge University graduate, who says it is a "huge honour" to join the show also hosts 4Music Trending Live and Box Fresh and has fronted Sky One's Carnage alongside Freddie Flintoff and Lethal Bizzle. +Graeme Swann Graeme Swann will follow in a long line of cricketers to take part (Anthony Devlin/PA) +The former England cricketer, 39, is regarded as one the country's greatest ever spin bowlers. +He was part of the victorious England team who claimed the Ashes back from Australia, where he delivered the winning wicket to secure the victory and is now a popular commentator on Test Match Special for the BBC. +He has said he is "hoping to follow in the footsteps of the cricketers who've come before me who've either won the whole thing or had an absolute ball on the show". +Dr Ranj Singh Dr Ranj Singh is the latest This Mornign star to take part (Isabel Infantes/PA) +This Morning's medical expert, 39, specialises in the well-being of young people, and still works shifts in A&E and the intensive care unit at his local NHS hospital. +He follows in the footsteps of his This Morning co-star Ruth Langsford, who took part last year, and said: "Anyone that knows me knows that I love a bit of sparkle… so bring on the glitter!" +Stacey Dooley Stacey Dooley will embrace the escapism of Strictly (Ian West/PA) +The documentary presenter, 31, has been making television programmes for nine years after getting her start in a BBC Three series in which she travelled to India to explore the fashion industry making clothes for the UK High Street. +She has since travelled to Syria to present the critically acclaimed BBC Three documentary, Stacey Dooley On The Frontline: Gun Girls And Isis, and said: "Typically, work for me is very serious and can be quite hard core so I'm going to soak up the escapism and bathe in the sequins." +Ashley Roberts Ashley Roberts found fame in the Pussycat Dolls (Isabel Infantes/PA) +The singer, 36, found fame as a member of the Pussycat Dolls before leaving the group in 2010. +She has since taken part in I'm A Celebrity…Get Me Out Of Here and The Jump and appeared as a judge on Dancing On Ice and has said she will put her "heart and soul" into her new adventure \ No newline at end of file diff --git a/input/test/Test4928.txt b/input/test/Test4928.txt new file mode 100644 index 0000000..276b524 --- /dev/null +++ b/input/test/Test4928.txt @@ -0,0 +1,21 @@ +Mainstream, pro-government Turkish media have recently discovered the existence of a strong alliance between Germany and Turkey, loudly proclaiming that Germany stands with Turkey against the "economic coup" by the United States. They failed, however, to mention that German Chancellor Angela Merkel has also advocated measures to ensure the independence of the Central Bank in Turkey. +It was only a year ago, in August 2017, during the campaign leading up to German nation elections, that Turkish President Recep Tayyip Erdogan feverishly called on the 1.2 million eligible voters of Turkish descent living in Germany to vote against the enemies of Islam and Turkey , by which he meant Merkel and her party. Fast forward one year, and the Turkish media, guided by the palace, is trumpeting bragging rights for an official Erdogan visit to Germany scheduled for Sept. 28-29. +Turkish-German relations are important for Ankara at a time when Erdogan is looking for allies against the Donald Trump-led United States. In addition, Germany is home to the largest Turkish population outside Turkey, and it ranks as Turkey's number one trading partner . Yet, several thorny issues require attention before Erdogan's September visit. +One of them involves the July 10 announcement by German Interior Minister Horst Seehofer banning the Osmanen Germania Biker Club (OGBC), calling the group a "grave threat to public safety." A statement on the ministry's website read, "Once again, the federal government and the federal states have shown that they are resolutely fighting all manifestations of organized crime in Germany, including rocker-like groups such as OGBC, whose members commit serious crimes. Those who reject the rule of law cannot expect any kind of leniency from us." +The charges leveled against the club were backed up by phone records between OGBC members and close Erdogan associates, including Metin Kulunk, a former lawmaker for the Justice and Development Party (AKP) who keeps popping up as a liaison between Erdogan and the OGBC. +During the early stages of an Al-Monitor investigation into the OGBC begun July 10, a prominent journalist covering international criminal organizations told Al-Monitor, "OGBC is known to torture prospective members for days if they break the rules." +Those courageous enough to meet with Al-Monitor in Germany and in Turkey about the group included scholars, family members of prospective and current OGBC members among others. Although willing to speak out, their names are being withheld, as they all fear for their lives. +A scholar conducting research on immigrant groups in Germany explained to Al-Monitor, "The gang, OGBC has been active since 2014. They have a membership estimated between 300 and 3,500, and they are like the biker gangs, all inspired and designed on the model of the California-based Hells Angels . They have at least 22 chapters all around the EU." +The scholar also said that the OGBC had been formed as a boxing club, because they don't bike. That said, however, the founder is the only known boxer among its members. They are all required to work out regularly. Indeed, the recruitment videos posted on YouTube include men with Hells Angels-like leather jackets displaying symbols of brotherhood. +"They do not speak much Turkish," one person who knows some members revealed to Al-Monitor. "They are German-born yet marginalized, because they failed to get a decent education or a legitimate trade to earn a living. In order to make money, they needed to resort to other ways and means." +Like other such gangs, the OGBC is known to be involved in prostitution and sexual slavery, extortion, drugs and blackmail. There is also the matter of attempted murder. The group's official video boldly proclaims, "We are coming to take over the entire country." +The club claims the Ottomans are coming, and they also assert that it was established to promote social welfare, by working with youths, providing them with a setting for boxing, lifting weights and so on. Along the way, it apparently became involved in criminal activity. There are a number of rocker, biker or boxer groups in Germany, so why did the government single out the OGBC? +A senior bureaucrat in Ankara told Al-Monitor, "We strongly believe Kulunk messed up. He was reckless and did not understand what it means to get tangled up with armed non-state entities in a European state. This is not Africa, or Syria or Iraq. No proper state would allow international espionage on its territory. They would catch and punish drug dealers, and other sorts of crimes, but they would not ban a group as a whole. OGBC was banned due to their links to Turkey." +Indeed, on June 1, 2016, Kulunk called Erdogan directly on his phone from Germany to inform him about efforts to work with the OGBC to organize protests against a bill to recognize the Armenian genocide. The taped conversations of Kulunk reporting directly to Erdogan have cast a cloud over the Turkish National Intelligence Organization, the AKP's European lobby and Erdogan. +In December 2017, Kulunk, after learning that his phone conversations had been recorded , didn't deny them, but instead charged, "No one has security in communication or travel in Germany." He was particularly peeved that the German government would, in his eyes, make life easy for the Kurdistan Workers Party, Greeks, Armenians and Gulenists, but erect hurdles for Turks, with various investigations and regulations. After Germany banned the OGBC, Kulunk changed his tune, saying he could not believe the German government would take fake news seriously and act on it. +Kulunk is not the only name linking the OGBC to the Turkish government. Indeed, photos have emerged of Erdogan senior adviser Ilnur Cevik hosting group members and happily posing with them in an OGBC T-shirt. The group proudly posted the photo on its social media site and asserted in broken Turkish that Cevik stands with them as they battle terrorist groups. Among Kurds, liberal Turks and alleged Gulenists in Europe, the OGBC is known as "Erdogan's pit bulls." +German authorities characterize the group as Turkish nationalists with suspected ties to the Turkish government. One source told Al-Monitor, "There is no way they would have become so strong in two to three years without a solid source of funding to acquire arms. The turf wars among different gangs are rather intense. The OGBC grew exponentially, and they were going beyond just petty criminal activity. Their links to the Turkish government must involve funding, money laundering and expansion of legal protection." +Some members' relatives allege that the group is rewarded by Turkey with whatever they want in return for intimidating Ankara's opponents in Europe. One of them said, "The group was particularly active for the April 16 referendum [in 2017 to switch Turkey to a presidential governing system]. They organized several neighborhoods all around Europe. They have Schengen passports, which means they can travel at ease and under the radar. They also intimidated those who were not going to vote yes from going to the ballot box at the consulates and embassies." +The club has chapters in other European countries, along with serious allegations against them. In January 2017, Danish authorities uncovered a plot to assassinate Gulenists . +One scholar remarked to Al-Monitor, "Whether or not Kulunk and Celik still hold official positions or have been tossed aside does not matter. They have been long-time associates of Erdogan, and he is still in power. How long can Erdogan wash his hands of all these affiliations?" +For now, Erdogan is hoping to form an anti-Trump alliance with anyone willing, including in the EU. Is anti-Trump sentiment strong enough for Erdogan, Merkel and others to join forces on the basis of the enemy of my enemy is my friend \ No newline at end of file diff --git a/input/test/Test4929.txt b/input/test/Test4929.txt new file mode 100644 index 0000000..81b5594 --- /dev/null +++ b/input/test/Test4929.txt @@ -0,0 +1,12 @@ +Rules around e-cigarettes should be relaxed to help accelerate already declining smoking rates, MPs have said. +But do you think they are a help or a hindrance? +E-cigarettes are back in the news. +A new report by the Commons Science and Technology Committee (STC) says rules around e-cigarettes should be relaxed to help accelerate already declining smoking rates. MPs said there should be an urgent review to make it easier for e-cigarettes to be made available on prescription, as well as a wider debate over rules on their use in public spaces and how they are allowed to be advertised. +- A healthier alternative? +A landmark review by Public Health England (PHE) published in 2015 said vaping is 95% less harmful than smoking tobacco. The body said much of the public wrongly believed that e-cigarettes carry health risks in the same way cigarettes do. PHE wants to see smokers taking up the electronic devices to reduce the thousands of people dying from tobacco-related diseases every year. A Cochrane Review found that 18,000 people in England may have given up smoking in 2015 thanks to e-cigarettes. +- That settled it then? +PHE's findings were criticised at the time by some experts, saying they were based on poor quality evidence. They also pointed to links between some experts, the tobacco industry and firms that manufacture e-cigarettes. +- So they could be more harmful than has been said? +Some studies have linked vaping with lung damage, heart disease and even cancer and infant mortality. Research by the University of Birmingham published this week said e-cigarette vapour has a similar effect on the lungs and body that is seen in regular cigarette smokers and patients with chronic lung disease. A study by the New York University School of Medicine found smoke from e-cigarettes damages DNA and can increased the risk of cancer and heart disease in mice. Meanwhile researchers at the Geisel School of Medicine in the US have warned any kind of nicotine exposure during pregnancy, whether from smoking, skin patches or vaping, heightens the chances of Sudden Infant Death Syndrome. Many experts say much more research needs to be done in the area. +- Can they encourage people to smoke conventional cigarettes? +The STC says concerns that e-cigarettes could be a gateway to conventional smoking, including for young non-smokers, "have not materialised". Expert opinion is divided on whether e-cigarettes can act as a young person's gateway to tobacco. In the UK a person must be 18 to buy e-cigarettes or the e-liquids they vaporise. The latest Office for National Statistics data suggests young people are smoking in fewer numbers, with the number of 18 to 24-year-olds who smoke falling eight percentage points since 2011. However a 2017 study of 14 and 15-year-olds from 20 English schools found a "robust association" between vaping and a higher probability of cigarette smoking \ No newline at end of file diff --git a/input/test/Test493.txt b/input/test/Test493.txt new file mode 100644 index 0000000..fbce41b --- /dev/null +++ b/input/test/Test493.txt @@ -0,0 +1 @@ +: Offering Laptops in addition to systems have been in continuous necessity of routine maintenance and assistance because these are a few of the items that can utilize for prolonging the period of time as well as constantly that is certainly the reason why there is certainly necessity of services associated with maintenance. There are many firms which offer such expert services to the clients then one such is INDIA DELL SUPPORT, continues to be effectively providing high quality solutions. Dell Inspiron laptop assistance support centre in India belongs to the limbs of the business. Posted id:- augb275 Advertisements It is NOT ok to contact this poster with commercial interests. 106 Visits Ad Detail: Dell Inspiron Laptop Support You are viewing "Dell Inspiron Laptop Support" classified Ad. This free Ad has been placed in India, Jaipur location under Services, Computer category. Deal locally to avoid scams and frauds! Avoid sending money to unknown persons. Muamat.com is not involved in any transaction between members and take no responsibility of any kind of loss or damage \ No newline at end of file diff --git a/input/test/Test4930.txt b/input/test/Test4930.txt new file mode 100644 index 0000000..558a177 --- /dev/null +++ b/input/test/Test4930.txt @@ -0,0 +1,7 @@ +Calling all agriculturists born or resident in East Anglia Calling all agriculturists born or resident in East Anglia +An opportunity has arisen for agriculturists born or resident in East Anglia to apply for an all-expenses-paid training course on effective communication in farming. +The John Forrest Memorial Award will fund the training for eight successful applicants for whom good communication skills are integral to their careers. For example, applicants may be involved in explaining food and farming to the general public or translating research findings and communicating them at farm level. +The three-day residential course will be held in Cambridge at the beginning of January 2019 and cover topics such as dealing with the press, interview techniques, photography, PowerPoint skills, and film-making. +If you would like to apply, please email Ros Lloyd at the National Institute of Agricultural Botany by 27 August – include your contact details and around 400 words on who you are, what you do, how this type of training would benefit your career and how you would use it. +For more information on the award and training course, please read the promotional leaflet here or visit the website of the company that provides the course here . +You might also be interested in \ No newline at end of file diff --git a/input/test/Test4931.txt b/input/test/Test4931.txt new file mode 100644 index 0000000..9f0667c --- /dev/null +++ b/input/test/Test4931.txt @@ -0,0 +1,2 @@ +RSS MOSFET & IGBT Gate Drivers Market Trends by 2025: Top Players Like Sharp, ABB, Toshiba, Microchip, Vishay, IXYS, Renesas, SEMIKRON, Texas Instruments The MOSFET & IGBT Gate Drivers market report defines all important industrial or business terminologies. Industry experts have made a conscious effort to describe various aspects such as market size, share and growth rate. Apart from this, the valuable document weighs upon the performance of the industry on the basis of a product service, end-use, geography and end customer. +New York, NY -- ( SBWIRE ) -- 08/17/2018 -- Top key vendors in MOSFET & IGBT Gate Drivers Market include are Infineon Technologies, Texas Instruments, ON Semiconductor, STMicroelectronics, IXYS, Fairchild Semiconductor, Powerex (Mitsubishi Electric), Renesas, SEMIKRON, Vishay, Analog Devices, Microchip, ROHM Semiconductor, Broadcom, Sharp, ABB, Toshiba, Lite-On Technology, Microsemiconductor, Power Integrations, Inc., Beijing LMY Electronics. You Can Download FREE Sample Brochure @ https://www.marketexpertz.com/sample-enquiry-form/16321 The recent report, MOSFET & IGBT Gate Drivers market fundamentally discovers insights that enable stakeholders, business owners and field marketing executives to make effective investment decisions driven by facts – rather than guesswork. The study aims at listening, analyzing and delivering actionable data on the competitive landscape to meet the unique requirements of the companies and individuals operating in the MOSFET & IGBT Gate Drivers market for the forecast period, 2018 to 2025. To enable firms to understand the MOSFET & IGBT Gate Drivers industry in various ways the report thoroughly assesses the share, size and growth rate of the business worldwide. The study explores what the future MOSFET & IGBT Gate Drivers market will look like. Most importantly, the research familiarizes product owners with whom the immediate competitors are and what buyers expect and what are the effective business strategies adopted by prominent leaders. To help both established companies and new entrants not only see the disruption but also see opportunities. In-depth exploration of how the industry behaves, including assessment of government bodies, financial organization and other regulatory bodies. Beginning with a macroeconomic outlook, the study drills deep into the sub-categories of the industry and evaluation of the trends influencing the business. Purchase MOSFET & IGBT Gate Drivers Market Research Report@ https://www.marketexpertz.com/checkout-form/16321 On the basis of the end users/applications, this report focuses on the status and outlook for major applications/end users, consumption (sales), market share and growth rate for each application, including - Home Applianc \ No newline at end of file diff --git a/input/test/Test4932.txt b/input/test/Test4932.txt new file mode 100644 index 0000000..e82fcef --- /dev/null +++ b/input/test/Test4932.txt @@ -0,0 +1,21 @@ +Harm reduction within reach speccomm | August 17, 2018 +Members of parliament have warned the UK Government that misconceptions about electronic cigarettes mean that it is missing an opportunity to tackle a major cause of death. +In a press note issued today alongside its report, E-cigarettes, the House of Commons Science and Technology Committee said that these products, estimated to be 95 percent less harmful than conventional cigarettes, were too often being overlooked as a stop-smoking tool by the National Health Service (NHS). +'Regulations should be relaxed relating to e-cigarettes' licensing, prescribing and advertising of their health benefits,' the note said. 'Their level of taxation and use in public places must be reconsidered.' +In what will be seen by many as one of its most important interventions, the Committee said that it believed the risk for smokers of continuing to use conventional cigarettes was greater than the uncertainty over the long-term use of e-cigarettes. 'To gather independent health-related evidence on e-cigarettes and heat-not-burn products, the Committee is calling on the Government to support a long-term research programme overseen by Public Health England and the Committee on Toxicity of Chemicals in Food, Consumer Products and the Environment,' the note said. 'The Government should make its research available to the public and to health professionals.' +The chair of the Committee, Norman Lamb MP (pictured in 2017), said smoking remained a national health crisis and the Government should be considering innovative ways of reducing the smoking rate. "E-cigarettes are less harmful than conventional cigarettes, but current policy and regulations do not sufficiently reflect this and businesses, transport providers and public places should stop viewing conventional and e-cigarettes as one and the same," he said. "There is no public health rationale for doing so. +"Concerns that e-cigarettes could be a gateway to conventional smoking, including for young non-smokers, have not materialised. If used correctly, e-cigarettes could be a key weapon in the NHS's stop smoking arsenal." +The Committee is recommending that: 'The Government, the MHRA (Medicines and Healthcare products Regulatory Agency) and the e-cigarette industry should review how approval systems for stop smoking therapies could be streamlined should e-cigarette manufacturers put forward a product for medical licensing. 'There should be a wider debate on how e-cigarettes are to be dealt with in our public places, to help arrive at a solution which at least starts from the evidence rather than misconceptions about their health impacts. 'The Government should continue to annually review the evidence on the health effects of e-cigarettes and extend that review to heat-not-burn products. Further it should support a long-term research programme overseen by Public Health England and the Committee on Toxicity of Chemicals in Food, Consumer Products and the Environment with an online hub making evidence available to the public and health professionals. 'The limit on the strength of refills should be reviewed as heavy smokers may be put off persisting with them — and the restriction on tank size does not appear to be founded on scientific evidence and should therefore urgently be reviewed. 'The prohibition on making claims for the relative health benefits of stopping smoking and using e-cigarettes instead has prevented manufacturers informing smokers of the potential benefits and should be reviewed to identify scope for change post-Brexit. 'There should be a shift to a more risk-proportionate regulatory environment; where regulations, advertising rules and tax duties reflect the evidence of the relative harms of the various e-cigarettes, heat-not-burn and tobacco products available. 'NHS England should set a policy of mental health facilities allowing e-cigarette use by patients unless trusts can demonstrate evidence-based reasons for not doing so. 'The Government should review the evidence supporting the current ban on snus as part of a wider move towards a more risk aware regulatory framework for tobacco and nicotine products.' +In welcoming the report, the UK's New Nicotine Alliance (NNA) said that it contained several evidence-based policy proposals that would positively transform the way vaping was viewed by businesses, institutions and the public alike. +It said that it 'warmly welcomes this report for its clear and unequivocal message that e-cigarettes and other alternative nicotine products are far safer than combustible tobacco and should be treated as such'. +"E-cigarettes are a proven safer alternative to smoking and the UK boasts 1.5 million former smokers who have converted from combustible tobacco to exclusively vaping instead," said Sarah Jakes, the NNA chair. "The Science and Technology Committee has wisely recognised that misconceptions about e-cigarettes are threatening further progress in encouraging their use by smokers who choose to quit. +"We welcome the Committee's call for a root and branch review of how risk-reduced products are treated by businesses, institutions and government itself. The report is a beacon of enlightenment in an area of public health which is often burdened by dogma and outdated thinking towards the use of nicotine…" +Jakes said also that there was a lot of confusion about e-cigarettes among the public, health institutions and businesses; so the report was timely and could have hugely positive implications for public health if its recommendations were implemented in full. +"Sir Norman's Committee has done an excellent job of peering through the mist of misunderstanding surrounding e-cigarettes and its policy proposals can go a long way to dispel the – often deliberately fabricated – misconceptions that are deterring many thousands of smokers from switching," she said. "We would urge the government to read the Committee's findings carefully and act on them without delay" +Commenting on the report, the Vaping Industry Association (UKVIA) said that, following an extensive inquiry into e-cigarettes, the Committee had concluded that the government was missing significant opportunities to tackle UK smoking rates. +The UKVIA highlighted that the Committee had urged the government to consider tax breaks for vaping products; to allow wider use of vaping in public places; and to create a streamlined route to medically licenced vaping products. +It pointed out too that the report called on the government to reconsider the regulations around e-cigarette packaging and advertising. 'Advertising rules currently prevent the industry from making health claims comparing vaping to smoking,' said the UKVIA. 'The Committee believes this is stopping UK smokers (almost seven million), from making informed decisions about switching to vaping …' +The report said also that restrictions on nicotine strength, tank size and bottles was not founded on scientific evidence and should be urgently reviewed. +"The Science and Technology Committee report is a ringing endorsement of vaping's public health potential," said John Dunne, who appeared before the Committee on behalf of the UKVIA. +"They are absolutely right that advertising restrictions are preventing smokers from hearing the truth. More and more people wrongly believe vaping to be more harmful or as harmful as smoking. This is a direct consequence of advertising restrictions that prevent the industry from telling smokers that vaping is 95 percent less harmful. If health bodies can say it, why can't we? +"The industry is pleased to see the Committee recognise the nonsensical packaging and nicotine strength regulations, that only hamper vaping's potential appeal to smokers looking for an alternative." Share this \ No newline at end of file diff --git a/input/test/Test4933.txt b/input/test/Test4933.txt new file mode 100644 index 0000000..1ec676c --- /dev/null +++ b/input/test/Test4933.txt @@ -0,0 +1,2 @@ +Odnoklassniki launches group voice, video calls Friday 17 August 2018 | 12:57 CET | News Russian internet company Mail.ru Group announced that its social network Odnoklassniki launched a service enabling use of audio and video conferencing. Up to 100 users are able to connect to group calls. Thank you for visiting Telecompaper +We hope you've enjoyed your free articles. Sign up below to get access to the rest of this article and all the telecom news you need. Register free and gain access to even more articles from Telecompaper. Register here Subscribe and get unlimited access to Telecompaper's full coverage, with a customised choice of news, commentary, research and alerts \ No newline at end of file diff --git a/input/test/Test4934.txt b/input/test/Test4934.txt new file mode 100644 index 0000000..a237633 --- /dev/null +++ b/input/test/Test4934.txt @@ -0,0 +1,29 @@ +The Strictly Come Dancing line-up so far By Press Association 2018 The line-up for the 2018 series of Strictly Come Dancing is gradually being unveiled.Here are the stars who are confirmed to be taking to the dancefloor. +Katie Piper Katie Piper was the first contestant to be announced (Ian West/PA) +The television presenter and former model, 34, is best known for sharing her story about surviving an acid attack in the documentary Katie: My Beautiful Face. +The mother of two young daughters, she has said she is excited to show her children her dance moves. +Faye Tozer Steps singer Faye Tozer will also be taking part (Victoria Jones/PA) +The Steps singer, 42, has sold more than 20 million records as part of the successful pop group. +After they disbanded in 2001, she started a career in the theatre but the group got back together in 2011 and embarked on a sell-out tour. Tozer has said being on Strictly is a "dream come true". +Danny John-Jules Red Dwarf star Danny John-Jules will compete for the glitterball trophy (Victoria Jones/PA) +The actor, 57, is best known for his role as Cat in the sci-fi comedy Red Dwarf. +He is also recognisable for playing the policeman Dwayne Myers in the long running BBC hit crime drama, Death In Paradise and Barrington in the BBC comedy Maid Marian And Her Merry Men and has said he is excited to embrace the "glittery spandex" of Strictly. +Joe Sugg Joe Sugg will also compete (Comic Relief) +The YouTube star, 26, is well known on the streaming platform for his channels ThatcherJoe, ThatcherJoeVlogs and ThatcherJoeGames and has amassed more than 25 million followers. +His videos consist of challenges, pranks, impressions and gaming but he is also the author of the graphic novel series Username: Evie and says that the dancing programme is "totally out of my comfort zone". +Vick Hope Vick Hope has been revealed as a contestant (Isabel Infantes/PA) +The radio DJ, 28, currently presents the Capital Breakfast show every morning with Roman Kemp. +The Cambridge University graduate, who says it is a "huge honour" to join the show also hosts 4Music Trending Live and Box Fresh and has fronted Sky One's Carnage alongside Freddie Flintoff and Lethal Bizzle. +Graeme Swann Graeme Swann will follow in a long line of cricketers to take part (Anthony Devlin/PA) +The former England cricketer, 39, is regarded as one the country's greatest ever spin bowlers. +He was part of the victorious England team who claimed the Ashes back from Australia, where he delivered the winning wicket to secure the victory and is now a popular commentator on Test Match Special for the BBC. +He has said he is "hoping to follow in the footsteps of the cricketers who've come before me who've either won the whole thing or had an absolute ball on the show". +Dr Ranj Singh Dr Ranj Singh is the latest This Mornign star to take part (Isabel Infantes/PA) +This Morning's medical expert, 39, specialises in the well-being of young people, and still works shifts in A&E and the intensive care unit at his local NHS hospital. +He follows in the footsteps of his This Morning co-star Ruth Langsford, who took part last year, and said: "Anyone that knows me knows that I love a bit of sparkle… so bring on the glitter!" +Stacey Dooley Stacey Dooley will embrace the escapism of Strictly (Ian West/PA) +The documentary presenter, 31, has been making television programmes for nine years after getting her start in a BBC Three series in which she travelled to India to explore the fashion industry making clothes for the UK High Street. +She has since travelled to Syria to present the critically acclaimed BBC Three documentary, Stacey Dooley On The Frontline: Gun Girls And Isis, and said: "Typically, work for me is very serious and can be quite hard core so I'm going to soak up the escapism and bathe in the sequins." +Ashley Roberts Ashley Roberts found fame in the Pussycat Dolls (Isabel Infantes/PA) +The singer, 36, found fame as a member of the Pussycat Dolls before leaving the group in 2010. +She has since taken part in I'm A Celebrity…Get Me Out Of Here and The Jump and appeared as a judge on Dancing On Ice and has said she will put her "heart and soul" into her new adventure \ No newline at end of file diff --git a/input/test/Test4935.txt b/input/test/Test4935.txt new file mode 100644 index 0000000..faf40f3 --- /dev/null +++ b/input/test/Test4935.txt @@ -0,0 +1 @@ +Chaga Mushroom Market Growth, Trends and Value Chain 2018-2028 by TMR , 17 August 2018 -- Chaga Mushroom Market - Global Industry Analysis, Size, Share, Growth, Trends and Forecast 2018 – 2028Mushrooms are regarded as great sources of essential nutrients, such as proteins, fibers, vitamins, calcium, minerals and selenium. Mushrooms are widely consumed across the globe for their considerable health benefits – they help in weight management, they can be used to boost immunity, they can destroy cancerous cells and thus, help in improving overall nutrition and promoting a healthy lifestyle. Chaga mushroom, also refereed to as Inonotus obliquus, is a fungus belonging to the family Hymenochaetaceae. Chaga mushroom is commonly found growing on birch trees and less commonly on other trees, such as alder, oak, beech and others. Chaga mushroom is mostly grown in Russia as this mushroom grows well in cold climates. Consumption of chaga mushroom is highly concentrated across the European and American regions due to greater demand for these mushrooms as an essential source of antioxidant and due to its use in the production of chaga tea. Furthermore, chaga mushroom has also been in focus due to its medicinal properties, which has further been strengthening the market for chaga mushrooms across the globe. The global chaga mushroom market is expected to benefit from growing consumers' demand for healthy and organic products. Request to view Sample Report: https://www.transparencymarketresearch.com/sample/sample.php?flag=B&rep_id=43277 Today, consumers are looking for food products with potential health benefits, which has been pushing the incorporation of healthy ingredients in various edible products. Chaga mushroom consists of highest levels of Superoxide Dismutase (SOD), which is considered to be one of the most powerful antioxidant and anti-inflammatory substance and researchers, now, are investigating its potential as an anti-aging product. Also, several research studies have demonstrated that chaga mushrooms can be used to inhibit the progression of cancerous cells and stimulate one's immune system, thereby making chaga a biological response modifier. Apart from this, chaga mushroom has also been known to help combat other diseases, such as diabetes and cholesterol and improve digestion. Chaga mushroom has long been used for its potential applications in maintaining a healthy digestive system. This will further push the market for chaga mushrooms across the globe. Growing trend of functional food ingredients and increasing consumption of chaga mushroom as a healthy nutrient is expected to help accelerate the market growth of chaga mushrooms in the near future. Some of the key players operating in the global Chaga Mushroom market are Annanda Chaga Mushrooms., Baikal Herbs, Lingonberry Group, Sayan Health, Chaga Mountain, Bioway (Xi'an) Organic Ingredients Co. Ltd, Chaga Mountain, Inc., Eartherbs L.L.C and Four Sigmatic, among others. # # \ No newline at end of file diff --git a/input/test/Test4936.txt b/input/test/Test4936.txt new file mode 100644 index 0000000..3105f48 --- /dev/null +++ b/input/test/Test4936.txt @@ -0,0 +1,16 @@ +Saturday's Bledisloe Cup opener will cap an immense personal journey for All Blacks captain Kieran Read. +In November last year Read was bed-ridden during the New Zealand's spring tour to Europe, battling chronic pain in his hip brought on by a bulging disc between two vertebrae that was putting pressure on a nerve. +Comeback: All Blacks skipper Kieren Read makes his Test return on Saturday night. +Photo: AP The 109-Test hard man of New Zealand rugby underwent spinal surgery and then six months in rehabilitation before returning for the Crusaders at the end of June. +Standing on North Sydney Oval bathed in late afternoon sun, he could not hide his excitement. +"It's awesome actually. I had a great week with the lads and I can't wait to get back on the field with the boys," he said. +Advertisement "Getting an injury like I had there are a few doubts that do float around but once we got [into] the process of recorery, I'm in a good space now." +Read's return to top-flight rugby is remarkable considering an injury of that kind would have required that he not put any load onto his spine for at least the first three months. +What we can't do is just rest on the likes of me or Brodie [Retallick] coming back in and think it's just going to happen for us. +Kieran Read But he returned to Super Rugby having barely missed a beat and, while not at his absolute best just yet, possessed the class to merit an immediate Test call up for the Rugby Championship and a return to the captaincy. +"I always had confidence I'd be back. Probably early on I didn't think it woudl be this quick, so I'm really happy to be here," Read said. +"I'm 100 per cent in terms of running out and playing the game. It's a little bit different in my recovery now and how I do things performance-wise, but out on the track, yep, all good." +Loading The All Blacks will be looking to disrupt any burgeoning self-confidence brewing in the Australian squad and with the likes of Read and second-rower Brodie Retallick returning to the line up they have a good shot at doing so. +Retallick has returned from a chest injury that ruled him out of New Zealand's three-Test series against France in June. Read said neither he nor Retallick, who has played 68 Tests, would be resting on their laurels. +"Experience does count for a lot, in terms of getting into tight situations you've been there, done that, so that's what we've got to us to our advantage," he said. +"What we can't do is just rest on the likes of me or Brodie coming back in and think it's just going to happen for us. We've got to work hard right from the outset, that's across the board, and we've got to go out and try to find our rhythm as quickly as we can. \ No newline at end of file diff --git a/input/test/Test4937.txt b/input/test/Test4937.txt new file mode 100644 index 0000000..91aef9a --- /dev/null +++ b/input/test/Test4937.txt @@ -0,0 +1,17 @@ +Larger text size Very large text size +Saturday's Bledisloe Cup opener will cap an immense personal journey for All Blacks captain Kieran Read. +In November last year Read was bed-ridden during the New Zealand's spring tour to Europe, battling chronic pain in his hip brought on by a bulging disc between two vertebrae that was putting pressure on a nerve. +Comeback: All Blacks skipper Kieren Read makes his Test return on Saturday night. Photo: AP +The 109-Test hard man of New Zealand rugby underwent spinal surgery and then six months in rehabilitation before returning for the Crusaders at the end of June. +Standing on North Sydney Oval bathed in late afternoon sun, he could not hide his excitement. +"It's awesome actually. I had a great week with the lads and I can't wait to get back on the field with the boys," he said. Advertisement +"Getting an injury like I had there are a few doubts that do float around but once we got [into] the process of recorery, I'm in a good space now." +Read's return to top-flight rugby is remarkable considering an injury of that kind would have required that he not put any load onto his spine for at least the first three months. +What we can't do is just rest on the likes of me or Brodie [Retallick] coming back in and think it's just going to happen for us. Kieran Read +But he returned to Super Rugby having barely missed a beat and, while not at his absolute best just yet, possessed the class to merit an immediate Test call up for the Rugby Championship and a return to the captaincy. +"I always had confidence I'd be back. Probably early on I didn't think it woudl be this quick, so I'm really happy to be here," Read said. +"I'm 100 per cent in terms of running out and playing the game. It's a little bit different in my recovery now and how I do things performance-wise, but out on the track, yep, all good." Loading +The All Blacks will be looking to disrupt any burgeoning self-confidence brewing in the Australian squad and with the likes of Read and second-rower Brodie Retallick returning to the line up they have a good shot at doing so. +Retallick has returned from a chest injury that ruled him out of New Zealand's three-Test series against France in June. Read said neither he nor Retallick, who has played 68 Tests, would be resting on their laurels. +"Experience does count for a lot, in terms of getting into tight situations you've been there, done that, so that's what we've got to us to our advantage," he said. +"What we can't do is just rest on the likes of me or Brodie coming back in and think it's just going to happen for us. We've got to work hard right from the outset, that's across the board, and we've got to go out and try to find our rhythm as quickly as we can. \ No newline at end of file diff --git a/input/test/Test4938.txt b/input/test/Test4938.txt new file mode 100644 index 0000000..0e770fa --- /dev/null +++ b/input/test/Test4938.txt @@ -0,0 +1 @@ +SAP HANA ADMIN NLINE TRAINING HYDERABAD Description: SAP HANA ADMIN NLINE TRAINING HYDERABAD SOFTNSOL is a Global Interactive Learning company started by proven industry experts with an aim to provide Quality Training in the latest IT Technologies. SOFTNSOL offers SAP HANA ADMIN online Training. Our trainers are highly talented and have Excellent Teaching skills. They are well experienced trainers in their relative field. Online training is your one stop & Best solution to learn SAP HANA ADMIN Online Training at your home with flexible Timings.We offer SAP HANA ADMIN Online Trainings conducted on Normal training and fast track training classes. SAP HANA ADMIN ONLINE TRAINING We offer you : 1. Interactive Learning at Learners convenience time 2. Industry Savvy Trainers 3. Learn Right from Your Place 4. Advanced Course Curriculum 6. Two Months Server Access along with the training 7. Support after Training 8. Certification Guidance We have a third coming online batch on SAP HANA ADMIN Online Training. We also provide online trainings on SAP ABAP,SAP WebDynpro ABAP,SAP ABAP ON HANA,SAP Workflow,SAP HR ABAP,SAP OO ABAP,SAP BOBI, SAP BW,SAP BODS,SAP HANA,SAP HANA Admin, SAP S4HANA, SAP BW ON HANA, SAP S4HANA,SAP S4HANA Simple Finance,SAP S4HANA Simple Logistics,SAP ABAP on S4HANA,SAP Success Factors,SAP Hybris,SAP FIORI,SAP UI5,SAP Basis,SAP BPC,SAP Security with GRC,SAP PI,SAP C4C,SAP CRM Technical,SAP FICO,SAP SD,SAP MM,SAP CRM Functional,SAP HR,SAP WM,SAP EWM,SAP EWM on HANA,SAP APO,SAP SNC,SAP TM,SAP GTS,SAP SRM,SAP Vistex,SAP MDG,SAP PP,SAP PM,SAP QM,SAP PS,SAP IS Utilities,SAP IS Oil and Gas,SAP EHS,SAP Ariba,SAP CPM,SAP IBP,SAP C4C,SAP PLM,SAP IDM,SAP PMR,SAP Hybris,SAP PPM,SAP RAR,SAP MDG,SAP Funds Management,SAP TRM,SAP MII,SAP ATTP,SAP GST,SAP TRM,SAP FSCM,Oracle, Oracle Apps SCM,Oracle DBA,Oracle RAC DBA,Oracle Exadata,Oracle HFM,Informatica,Testing Tools,MSBI,Hadoop,devops,Data Science,AWS Admin,Python, and Salesforce .Experience the Quality of our Online Training. For Free Demo Please Contact SOFTNSOL \ No newline at end of file diff --git a/input/test/Test4939.txt b/input/test/Test4939.txt new file mode 100644 index 0000000..a78ecc8 --- /dev/null +++ b/input/test/Test4939.txt @@ -0,0 +1 @@ +- Pressure Sensors Region wise performance of the Medical Temperature Sensors industry This report studies the global Medical Temperature Sensors market status and forecast categorizes the global Medical Temperature Sensors market size (value & volume) by key players, type, application, and region. This report focuses on the top players in North America, Europe, China, Japan, Southeast Asia India and Other regions (the Middle East & Africa, Central & South America). The Fundamental key point from TOC 7 Global Medical Temperature Sensors Manufacturers Profiles/Analysis 7.1 NXP Semiconductors 7.1.1 Company Basic Information, Manufacturing Base, Sales Area and Its Competitors 7.1.2 Medical Temperature Sensors Product Category, Application and Specification 7.1.2.1 Product A 7.1.3 NXP Semiconductors Medical Temperature Sensors Capacity, Production, Revenue, Price and Gross Margin (2013-2018) 7.1.4 Main Business/Business Overview 7.2.1 Company Basic Information, Manufacturing Base, Sales Area and Its Competitors 7.2.2 Medical Temperature Sensors Product Category, Application and Specification 7.2.2.1 Product A 7.2.3 BioVision Technologies Medical Temperature Sensors Capacity, Production, Revenue, Price and Gross Margin (2013-2018) 7.2.4 Main Business/Business Overview 7.3.1 Company Basic Information, Manufacturing Base, Sales Area and Its Competitors 7.3.2 Medical Temperature Sensors Product Category, Application and Specification 7.3.2.1 Product A 7.3.3 Analog Medical Temperature Sensors Capacity, Production, Revenue, Price and Gross Margin (2013-2018) 7.3.4 Main Business/Business Overview Continue.. This Medical Temperature Sensors market report holds answers to some important questions like: - What is the size of occupied by the prominent leaders for the forecast period, 2018 to 2025? What will be the share and the growth rate of the Medical Temperature Sensors market during the forecast period? - What are the future prospects for the Medical Temperature Sensors industry in the coming years? - Which trends are likely to contribute to the development rate of the industry during the forecast period, 2018 to 2025? - What are the future prospects of the Medical Temperature Sensors industry for the forecast period, 2018 to 2025? - Which countries are expected to grow at the fastest rate? - Which factors have attributed to an increased sale worldwide? - What is the present status of competitive development? Browse Full RD with TOC of This Report @ https://www.marketexpertz.com/industry-overview/medical-temperature-sensors-market About MarketExpertz Planning to invest in market intelligence products or offerings on the web? Then MarketExpertz has just the thing for you - reports from over 500 prominent publishers and updates on our collection daily to empower companies and individuals catch-up with the vital insights on industries operating across different geography, trends, share, size and growth rate. There's more to what we offer to our customers. With marketexpertz you have the choice to tap into the specialized services without any additional charges. Our in-house research specialists exhibit immense knowledge of not only the publisher but also the types of market intelligence studies in their respective business verticals. Contact 40 Wall St. 28th floor New York City, NY 10005 United State \ No newline at end of file diff --git a/input/test/Test494.txt b/input/test/Test494.txt new file mode 100644 index 0000000..3f94b42 --- /dev/null +++ b/input/test/Test494.txt @@ -0,0 +1,10 @@ +By Caroline Watson +In an update to investors, Cherry AB has announced its Q2 results posting a revenue increase of 41% to MSEK 753 ($82m) for that period. +Organic revenue growth amounted to 39%, with profitability improving and EBITDA increasing by 78% to MSEK 165 ($18m). +The Q2 period generated MSEK 91 ($10m) in profit, whereas profit for the H1 period amounted to MSEK 180 ($20m). +Cherry's Acting CEO, Gunnar Lind commented: "The second quarter of 2018 was characterised by a focus on growth, in the short term as well as long term. Investments in marketing were significant and effective. +"Online gaming is expanding and strengthening its position in key markets, while the business area's new brands are also rapidly building awareness and establishing a good customer base." +Investments during the quarter were made primarily in the marketing of existing and new brands, and of games developed in-house by Yggdrasil and Highlight Games. +The company posted a number of exciting updates during the quarter, including a new sports betting licence that was granted to the company in Poland. Additionally, the group's affiliate company, Game Lounge, acquired two premium domains in North America, BetNJ.com for sports betting and casino in New Jersey, and the Mexican domain OnlineCasino.mx. +Included in these updates was the boards' decision to terminate Anders Holmgren's employment as the President and CEO of Cherry. +"The recruitment of a permanent President and CEO has been initiated and includes both internal and external candidates," added Gunnar. "I am sure the Board of Directors is doing a thorough job and, as its work progresses, I am focusing on developing the Group in accordance with the established strategy, supported well by all employees." RELATED TAGS: Financia \ No newline at end of file diff --git a/input/test/Test4940.txt b/input/test/Test4940.txt new file mode 100644 index 0000000..067123e --- /dev/null +++ b/input/test/Test4940.txt @@ -0,0 +1 @@ +Policing Twitter will ruin its 'magic,' internet entrepreneur says Chloe Aiello Reblog Policing Twitter will ruin its magic, internet entrepreneur Jason Calacanis told CNBC on Thursday. "If they try to reverse engineer Twitter into being like Facebook , where you can't just put yourself on somebody else's wall — you can't go onto a journalist or a celebrity's or an author's page and challenge them — well that kills the whole reason for Twitter to exist," Calacanis said on "Squawk Alley." "The entire magic of Twitter is that anybody can mix it up with anybody," he added. Twitter CEO Jack Dorsey appeared on NBC Nightly News on Wednesday to discuss his decision to suspend InfoWars' Alex Jones for a tweet that linked to content encouraging violence, which violated Twitter's policies. Twitter suspended Jones on Tuesday for seven days in a reversal of its previous position, allowing the conspiracy theorist on its platform because he hadn't broken its rules . Twitter was one of the last major platforms not to remove Jones from its platforms. "Whether it works within this case to change some of those behaviors and change some of those actions, I don't know," Dorsey said during the interview. "But this is consistent with how we enforce." Calacanis, an angel investor and founder of Weblogs, said censorship and policing defies the whole point of Twitter, which is to encourage an "full contact debate" on an equal playing field. Dorsey "wants to pretend that they're going to make it a civil place. Twitter is not designed to be civil," Calacanis said. "If the president posts something, I can reply and put my message right underneath his. And if I want to call the president an idiot and he wants to call Omarosa a dog, that is why Twitter exists, for that kind of full contact debate," he added. But Walter Isaacson , former CNN chairman and Time managing editor, said it's about time social media executives stepped in to moderate the online conversation. "People like Jack Dorsey are going to say, 'Do I really want to be somebody who messes up democracy, messes up our civil society, or do I want to try to contain this platform?'" Isaacson said Thursday on CNBC's "Squawk on the Street." Isaacson said Dorsey is stuck between the demands of his conscience and the demands of Wall Street, which incentivizes "ever growing numbers of users." Twitter is "filled with bots, it's filled with trolls and it's filled with the type of people that if you were to have a responsible platform, you'd get rid of," said Isaacson, a professor at Tulane University. "Companies probably should have a conscience, and if not they can be shamed or pushed into it. We are now in a world in which only the bottom line for investors seems to be driving things. But I think we can push back a bit on that," he added. Isaacson and Calacanis did not agree on much, but both admitted Twitter would be better off without purely anonymous accounts. "There's one thing they could do maybe to stop some of this, which is get rid of anonymous accounts," Calacanis said \ No newline at end of file diff --git a/input/test/Test4941.txt b/input/test/Test4941.txt new file mode 100644 index 0000000..3a864b4 --- /dev/null +++ b/input/test/Test4941.txt @@ -0,0 +1,12 @@ +Video Intercom Devices and Equipments Market Research Report 2018 » Global Cataract Surgery Devices Market Research Report 2018 +Bharat Book Bureau Provides the Trending Market Research Report on "2018-2023 Global and Regional Cataract Surgery Devices Market Production, Sales and Consumption Status and Prospects Professional Market Research Report " under Life Sciences category. The report offers a collection of superior market research, market analysis, competitive intelligence and industry reports. +The Cataract Surgery Devices Market was $6554.02 million in 2014, and is expected to reach $9908.92 million by 2023, registering a CAGR of 4.7% during the forecast period. Cataract is an eye disease in which the natural lens of eye gets clouded. The people having cataract it's like seeing through fogged-up window with the clouded lens. The cataract can be removed by surgery, where the surgeon replaces the clouded lens with a clear plastic intraocular lens (IOL). Nine out of ten people regain a very good vision after the surgery. The cataract surgery devices and instruments such as balanced salt solution, ophthalmic viscoelastic devices, phacoemulsification systems, drapes, gloves, intraocular lenses, irrigation set, and forceps, which assist in this cataract surgical procedure, as these serve as an appropriate instrument for such eye defects surgery without causing any harm to cornea. The number of increasing cataract diseased people as well as technological advancements in ophthalmic surgical devices is booming the market. By the projections of Indian Journal of Ophthallogy, its seen that among those aged 50+ years, the amount of cataract surgery would double (3.38 million in 2001 to 7.63 million in 2020) and cataract surgical rate would increase from 24025/million 50+ in 2001 to 27817/million 50+ in 2020. +Request a free sample copy of Commercial Cataract Surgery Devices Market Report @ https://www.bharatbook.com/MarketReports/Sample/Reports/1203285 +Drivers & Restrains +The global market is driven by the increasing number of population suffering from cataract disorders which may be due to medical conditions and due to natural phenomenon. The number of less skilled professional in this field and due to less awareness about the cataract disorders is delaying the growth of the global cataract surgery devices market. One of the reasons of restrains associated with cataract surgeries is high cost, when it comes to developing countries, like India, South Africa, Brazil, and China. The increased investment for developing efficient devices for cataract surgery all over the globe, like Zepto capsulotomy system by Mynosys Cellular Devices are creating great deal of profit for key market players. +End User Outlook and Trend Analysis +The end user or applications of Cataract Surgery Devices are Ophthalmology Clinics, Hospitals and Ambulatory Surgery Centers. The number of Ophthalmology Clinics is on a rise due to rise in the number of patients. The developing awareness regarding healthcare and additionally activities by the administration and nongovernment associations, to control and forestall cataract disorder by early detection is a main factor in charge of the market development. For example, the Cataract Blindness Control Program is in progress in India partnering with Aravind Eye Hospital and other NGOs for delivering of services. +Competitive Insights +China is helping in the growth of Cataract Surgery Devices market. Market Scope forecast for China's $2.6 billion ophthalmic market is that it will grow at a (CAGR) of 11.3 percent over the next five years to $4.5 billion. The leading players in the market are Johnson & Johnson, Abbott Laboratories, Novartis AG, Topcon Corporation, Essilor International S.A., Ziemer Ophthalmic Systems AG, Nidek Co. Ltd., Carl Zeiss Meditec AG,Valeant Pharmaceuticals International, Inc., and HAAG-Streit Holding AG. +The Cataract Surgery Devices Market is segmented as follows- +By Produc \ No newline at end of file diff --git a/input/test/Test4942.txt b/input/test/Test4942.txt new file mode 100644 index 0000000..0f4577a --- /dev/null +++ b/input/test/Test4942.txt @@ -0,0 +1 @@ +Whole Smart Farming Market Size, Share, Development by 2025 - QY Research, Inc. Press release from: QYResearch PR Agency: QYR Whole Smart Farming Market Size, Share, Development by 2025 - QY Research, Inc. This report studies the Smart Farming market size by players, regions, product types and end industries, history data 2013-2017 and forecast data 2018-2025; This report also studies the global market competition landscape, market drivers and trends, opportunities and challenges, risks and entry barriers, sales channels, distributors and Porter's Five Forces Analysis.Smart farming is the application of modern information and communication technologies (ICT) in agriculture to increase crop production. In smart farming, most modern systems are used for gaining continuous sustainability, along with achieving the best of quality, quantity, and return on investment. Smart farming uses a range of technologies that include global positioning system (GPS), sensors, controllers, light emitting diode (LED) lights, software, and so on to enhance the yield of crops.The purchase volume of automation and control systems is increasing in the agricultural sector because they are used for predictive management of the overall production of crops. The smart agriculture market is experiencing growth in the automation and control systems segment because these smart farm systems are capable of displaying real-time and accurate data to help farmers learn about the condition of crops.Farmers highly need smart farming techniques to maintain the crop health. Smart farming techniques are used to maintain the right amount of humidity, which is essential to the soil and crops. These farming techniques provide the weather condition of a particular place, which in turn, help farmers to take predictive actions. As a result, the smart agriculture market will witness growth in the soil and crop management segment.This report focuses on the global top players, covered    John Deere    Raven Industries    AGCO    Ag Leader Technology    DICKEY-john    Auroras    Farmers Edge    Iteris    Trimble    PrecisionHawk    Precision PlantingMarket segment by Regions/Countries, this report covers    North America    Europe    China    Rest of Asia Pacific    Central & South America    Middle East & AfricaMarket segment by Type, the product can be split into    Automation and Control Systems    Smart Agriculture Equipment and Machinery    OtherMarket segment by Application, the market can be split into    Soil and Crop Management    Fleet Management    Storage and Irrigation Management    Indoor Farming    OtherThe study objectives of this report are:    To study and forecast the market size of Smart Farming in global market.    To analyze the global key players, SWOT analysis, value and global market share for top players.    To define, describe and forecast the market by type, end use and region.    To analyze and compare the market status and forecast among global major regions.    To analyze the global key regions market potential and advantage, opportunity and challenge, restraints and risks.    To identify significant trends and factors driving or inhibiting the market growth.    To analyze the opportunities in the market for stakeholders by identifying the high growth segments.    To strategically analyze each submarket with respect to individual growth trend and their contribution to the market    To analyze competitive developments such as expansions, agreements, new product launches, and acquisitions in the market.    To strategically profile the key players and comprehensively analyze their growth strategies.Request Sample Report and TOC@ www.qyresearchglobal.com/goods-1790612.html About Us:QY Research established in 2007, focus on custom research, management consulting, IPO consulting, industry chain research, data base and seminar services. The company owned a large basic data base (such as National Bureau of statistics database, Customs import and export database, Industry Association Database etc), expertâs resources (included energy automotive chemical medical ICT consumer goods etc.QY Research Achievements:  Year of Experience: 11 YearsConsulting Projects: 500+ successfully conducted so farGlobal Reports: 5000 Reports Every YearsResellers Partners for Our Reports: 150 + Across GlobeGlobal Clients: 34000 \ No newline at end of file diff --git a/input/test/Test4943.txt b/input/test/Test4943.txt new file mode 100644 index 0000000..95af9d1 --- /dev/null +++ b/input/test/Test4943.txt @@ -0,0 +1,57 @@ +Promoted by Murgitroyd Brands matter in the highly competitive food and drink market. Mike Vettese and Alain Godement look at how to make sure they are protected. Brexit is coming and many of our household food and drink brands could soon be feeling the impacts in one particular area – trade marks. Of particular concern to trade mark holders in the food and drink sector is the latest version (March 2018) of the Draft Withdrawal Agreement (DWA) for leaving the European Union (EU) which outlines the relationship between the UK and EU during the transition period and beyond in relation to trade marks. +Applications are on the rise. In most jurisdictions, including the EU and UK, the law requires the owner of a trade mark to put it to use within five years of its registration, the most obvious of uses being affixing the mark on products (there are other types of "uses"). +If the mark is not used within the five-year deadline, the mark is open to being revoked by third parties for non-use. This is a fair and logical legal provision, as a trader cannot "lock down" a mark if he has no intention of using it. +In its current format, the DWA states that the owner of a European Union Trade Mark (EUTM) registered before the end of the transition period shall become the owner of a "clone" UK Trade Mark (UKTM), ensuring continued protection in the UK after Brexit. +It also states that that these "clone" UKTMs cannot be revoked for non-use during the transition period. +However, after the transition period ends, they are stripped from the immunity from revocation, and as soon as the deadline to put them to use has run out, they become vulnerable to attack from third parties. +Therefore, a "clone" UKTM could be revoked for non-use as early as the day after the end of the transition period, that is on 1 January, 2021. +This is a serious issue that cannot be left until the last moment to resolve, and for companies that do not have a presence in the UK, speed in addressing this issue is still more of the essence. +In addition, the DWA states that during the transition period, the fate of the "clone" UKTM is linked to that of the "parent" EUTM. +If the EUTM is revoked (for whatever reason), so too is the clone. The immunity is therefore somewhat virtual if you consider that one only needs to successfully attack the EUTM to revoke both the EUTM and the UKTM." +Protected geographical indications (PGIs) – for Scottish salmon, Arbroath smokies etc – are another related area of uncertainty for food and drink brands: the DWA provides for a similar process to trade marks, but these provisions have not even been agreed to at the negotiator level. +Moreover, the UK does not currently have its own domestic legislation regarding the protection of these rights. +However, as we keep being reminded, "nothing is agreed until everything is agreed", so the DWA should not be considered as legally binding in any way towards the UK and EU until both have ratified the agreement in its totality. +Therefore, there is still a degree of "wait and see" involved in defining what will be finally agreed as regards trade marks, PGIs and other crucial areas. +To quantify the importance of trade marks for the sector, one measure of this is the number of trade mark applications filed. +Since 2013, there has been a steady rise in the number of UKTM and EUTM applications for goods related to food and drink (in the related trade mark classes 29, 30, 31, 32 and 33). +Interestingly, of those, a sizeable number originate from applicants that are neither from the EU nor the UK, proving that these markets are still very much attractive for foreign direct investment in this sector. +A number of factors could be said to have influenced this growth, one of those surely being the emergence of new trends in consumer behaviour in relation to food and drink. +With consumers now leaning towards organic, allergen-free, vegan and responsibly sourced products, the industry as a whole has had to adapt by launching new products that meet these expectations. With new products come new trade marks. The fast-moving consumer goods (FMCG) market is a highly competitive one where speed and accuracy are the key to success. +In terms of branding, the ability for companies to distinguish their products effectively from competing products is vital to consumer retention. +With the array of choice inundating the market, products with distinctive personalities are far more likely to become blockbusters. +The road to success is also conditional on a proactive branding strategy, which implies working hand in hand with trade mark attorneys during conception so as to avoid serious legal issues down the line. +One only has to look at the vast sums and the lengths to which industry leaders go to, to protect their brands, in order to understand their value and importance (for example, Nestlé litigated against Cadbury up to the Court of Justice of the European Union to protect the shape of the KitKat bar). +What is more, proactive branding can be a force multiplier for smaller businesses who do not have the same resources as sector giants, if they effectively leverage the goodwill associated with their brand. +With Brexit fast approaching (the transition period starts on 29 March), auditing the company's intellectual property (IP) portfolio should be the first step in understanding its current positioning in this regard. +There are certain questions businesses need to ask themselves now: +- What are your current and prospective key geographical markets? +- Which are your key brands for which you cannot afford to lose protection? +- Where are these brands being used (within the legal definition of "use" of trade marks)? +Thankfully, there are a number of pre-emptive steps businesses can take in relation to their trade marks today, depending on their own individual circumstances: +- If the UK is a key market and you only hold an EUTM, filing an independent UKTM on top of the "clone" UKTM is of paramount importance as the latter can be indirectly revoked or invalidated, even during the transition period. Further, putting the marks to genuine use within the UK as soon as possible will be of equal importance, as use in the EU will only sustain the "clone" UKTM until the end of the transition period. +- If the UK and EU are both key markets, the same advice as above applies for the same reasons. +- If the EU is your key market, there isn't much change other than future ownership of an identical "clone" UKTM. However, you should consider whether or not you may wish to expand to the UK in the future, in which case the same advice as above applies. Bear in mind that renewal fees in the UK are low and that this free trade mark should not be allowed to lapse. +- If you hold an international trade mark registration designating the EU, it should also initiate a subsequent designation of the UK. +- If the business holds both identical UK and EU trade marks and is considering expanding internationally, it should base its international application on the UKTM as a smaller territory of origin means a smaller risk of litigation against the base mark. +- For owners of PGIs, given that there may be an equivalent procedure to trade marks agreed, it may be possible to simply rely on the EU right being copied over to the UK. However, given the fact that this has not yet been agreed at negotiator level, precaution warrants registering it in the UK as and when such as scheme becomes available there. +Finally, it is recommended that all businesses with trade marks important to their commercial strategy take the opportunity, before the start of the transition period on 29 March, to speak with a trade mark attorney to discuss the best and most cost-effective strategy for safeguarding their brand assets. +Mike Vettese and Alain Godement are trade mark specialists at Murgitroyd , international patent and trade mark attorneys. +Protecting your brand +- Intellectual property (IP) – creative work which can be treated as either an asset or physical property. Intellectual property rights fall principally into four main areas: copyright, trade marks, design rights and patents. +- Intellectual Property Office (IPO) – the official government body responsible for intellectual property rights in the UK. +- Trade mark – a sign (eg a word or logo) capable of distinguishing the goods and services of one trader from another. +- Patent – a patent is granted by the government to the inventor, giving them the right to stop others, for a set period of time, from making, using or selling the invention without their permission. +- Copyright – the legal right that grants the creator of an original work exclusive rights for its use and distribution. +- Design rights – prevents someone else from copying your design and automatically protects it for ten years after it was first sold or 15 years after it was created, whichever is earliest. +- EU Trade Mark (EUTM) – a trade mark which is pending registration or has been registered in the European Union as a whole. +- Protected Geographical Indication (PGI) – a protection mark for products which are produced, processed or prepared in the geographical area you want to associate with it. The EU will only grant a product the PGI mark if they deem it to have a reputation, characteristics or qualities that are a result of the area you want to associate it with. Examples include Scottish Smoked Salmon, Scottish Farmed Salmon and Arbroath Smokies. +Don't be innocent about your brands +Branding – just pick a name and start selling, right? Wrong. To illustrate the woes that can ensue from an ill-thought out branding strategy, we take a look at the example of an unfortunate vitamin manufacturer. +"Innocent Vitamins" came to the attention of well-known smoothie brand "Innocent Drinks" in 2011 when it started trading under the "Innocent" name in a font highly reminiscent of the smoothie company's distinctive trade mark. +The intent to profit from the goodwill associated with the smoothie brand and from the confusion between the two marks was evident. +The reaction from Innocent Drinks was immediate and the owner of the competing product was politely asked to stop trading under that name, despite the fact that the vitamin pills had already been manufactured and sold in a number of high street supermarkets around the UK, resulting in the vitamin company having to abandon the name altogether, clearly incurring huge expense. +Contrast Innocent Drinks' well thought-out branding and promotional strategy which included registering trade marks for its products and thereafter successfully marketing those trademarked products – resulting in the company founded in 1998 by a trio of Cambridge graduates now being valued at in the region of £320 million. +The risk in not getting professional advice on trade marks from inception of a product isn't only litigation, but also the very real possibility of having to remove infringing products from the shelves. +Contacting a trade mark attorney early on in a product's development can save time, expense and worry, and help to underpin branding strategies by providing legal certainty. +For more information, visit www.murgitroyd.com +This article is taken from The Scotsman's Annual Food & Drink Supplement which can be read in full here \ No newline at end of file diff --git a/input/test/Test4944.txt b/input/test/Test4944.txt new file mode 100644 index 0000000..0cbe0c7 --- /dev/null +++ b/input/test/Test4944.txt @@ -0,0 +1 @@ +August 17, 2018 6:30am Comments Share: Dine Brands Global, Inc. Announces Signed Commitments to Significantly Increase and Replace Existing Variable Funding Senior Notes PR Newswire GLENDALE, GLENDALE, /PRNewswire/ -- Dine Brands Global, Inc. (NYSE: DIN ), the parent company of Applebee's Neighborhood Grill & Bar ® and IHOP ® restaurants, today announced it has signed commitments with Barclays Bank PLC and Credit Suisse AG, Cayman Islands Branch to upsize and replace its existing Series 2014-1, Class A-1 Variable Funding Senior Notes (the "Class A-1 Notes") with a new series of Class A-1 Variable Funding Senior Notes (the "New Notes"). The New Notes allow for drawings of up to $225 million and have more favorable fees and interest rates. The current Class A-1 Notes allow for drawings of up to $100 million . The Company has determined not to pursue a refinancing of its existing Series 2014-1 4.277% Fixed Rate Senior Secured Notes (the "Class A-2 Notes") at this time. The Class A-2 Notes have a maturity date of September 2021 . The closing of the New Notes transaction is subject to certain conditions and is anticipated to take place in the third quarter of 2018. There can be no assurance regarding the timing of the closing of the New Notes transaction or that the transaction will be completed on the terms described or at all. About Dine Brands Global, Inc. Based in Glendale, California , Dine Brands Global, Inc. (NYSE: DIN ), through its subsidiaries, franchises restaurants under both the Applebee's Neighborhood Grill & Bar and IHOP brands. With approximately 3,700 restaurants combined in 18 countries and approximately 380 franchisees, Dine Brands is one of the largest full-service restaurant companies in the world. Dine Brands, visit the Company's website located at www.dinebrands.com . Forward-Looking Statements Statements contained in this press release may constitute forward-looking statements within the meaning of Section 27A of the Securities Act of 1933, as amended, and Section 21E of the Securities Exchange Act of 1934, as amended. You can identify these forward-looking statements by words such as "may,""will,""would,""should,""could,""expect,""anticipate,""believe,""estimate,""intend,""plan,""goal" and other similar expressions. These statements involve known and unknown risks, uncertainties and other factors, which may cause actual results to be materially different from those expressed or implied in such statements. These factors include, but are not limited to: general economic conditions; our level of indebtedness; compliance with the terms of our securitized debt; our ability to refinance our current indebtedness or obtain additional financing; our dependence on information technology; potential cyber incidents; the implementation of restaurant development plans; our dependence on our franchisees; the concentration of our Applebee's franchised restaurants in a limited number of franchisees; the financial health our franchisees; our franchisees' and other licensees' compliance with our quality standards and trademark usage; general risks associated with the restaurant industry; potential harm to our brands' reputation; possible future impairment charges; the effects of tax reform; trading volatility and fluctuations in the price of our stock; our ability to achieve the financial guidance we provide to investors; successful implementation of our business strategy; the availability of suitable locations for new restaurants; shortages or interruptions in the supply or delivery of products from third parties or availability of utilities; the management and forecasting of appropriate inventory levels; development and implementation of innovative marketing and use of social media; changing health or dietary preference of consumers; risks associated with doing business in international markets; the results of litigation and other legal proceedings; third-party claims with respect to intellectual property assets; our ability to attract and retain management and other key employees; compliance with federal, state and local governmental regulations; risks associated with our self-insurance; natural disasters or other series incidents; our success with development initiatives outside of our core business; the adequacy of our internal controls over financial reporting and future changes in accounting standards; and other factors discussed from time to time in the Company's Annual and Quarterly Reports on Forms 10-K and 10-Q and in the Company's other filings with the Securities and Exchange Commission. The forward-looking statements contained in this release are made as of the date hereof and the Company does not intend to, nor does it assume any obligation to, update or supplement any forward-looking statements after the date hereof to reflect actual results or future events or circumstances. View original content with multimedia: http://www.prnewswire.com/news-releases/dine-brands-global-inc-announces-signed-commitments-to-significantly-increase-and-replace-existing-variable-funding-senior-notes-300698668.html SOURCE Dine Brands Global, Inc \ No newline at end of file diff --git a/input/test/Test4945.txt b/input/test/Test4945.txt new file mode 100644 index 0000000..d4ec87c --- /dev/null +++ b/input/test/Test4945.txt @@ -0,0 +1,7 @@ +Be one of the first ten applicants Apply on recruiter's website +This role will be the key financial interface between the business and one of its key customers, and so requires excellent interpersonal skills as well as sounds technical understanding. +Client Details +My client is a large FMCG business, who partner with all of the largest suppliers across the UK. They have invested heavily in their business and staff, and put a focus on providing excellent service across the board. +Description +Key responsibilities are: Present regular financial updates to internal and external stakeholders, focusing on key areas of cost performance. Reconcile invoiced costs to actual costs with full understanding of variance. Responsible for maintaining SKU pricing and costing. Support all areas of the business when necessary. +Profile Excellent people management and communication skills Prior experience in Finance Business Partnering Strong IT skill \ No newline at end of file diff --git a/input/test/Test4946.txt b/input/test/Test4946.txt new file mode 100644 index 0000000..a6c2c5d --- /dev/null +++ b/input/test/Test4946.txt @@ -0,0 +1 @@ +Domestic &Issue Asia South America Oceania United Nations ASEAN Life Food & Beverage Books Peoples Design Women th Youth education Religion Charity Economy Finance Industry Olympics Football Media Asia Europe Middle East Europe North America UAE Chin \ No newline at end of file diff --git a/input/test/Test4947.txt b/input/test/Test4947.txt new file mode 100644 index 0000000..a9a3b4b --- /dev/null +++ b/input/test/Test4947.txt @@ -0,0 +1,16 @@ +The Chicken Dance +They're doing the chicken dance at Cranston City Hall. Gubernatorial candidate Patricia Morgan stood next to an unidentified man in a chicken suit to criticize Cranston Mayor Alan Fung for not participating in more debates. She brought with her a list of scheduled debates in which she challenged him to. Morgan also said he had to "stop hiding and come out from under the bed" and debate the issues. Give her credit: this certainly was a new way to draw attention to one's political campaign. The debate debacle continues and there's more to come. +But the only debate scheduled for the Republican candidates will be on the John DePetro show on WRNI on Friday, August 31st at 12 Noon . To listen you can go to WRNI.com , or 99.9 FM, or 1380 AM, or Facebook live. So get your popcorn ready! Patricia Morgan wants more debates with Cranston Mayor Allan Fung. +The Leaders of the Pac–Money, Money, Money +The figures are in the latest campaign finance reports show Governor Gina Raimondo has spent approximately $1 million in television commercials and still has a balance of $2.8 million in her campaign war chest. Yet all that money hasn't moved her poll numbers. +Meanwhile, Cranston Mayor Alan Fung has spent $200,000 leaving him a balance of approximately $335,000 left. Candidates Patricia Morgan and Gio Feroce are trying to raise funds as their campaigns are trying to compete with the. " The Leaders of the Pac". What's Out +Poor Infrastructure +A new study shows Rhode Island has nation's worse infrastructure which refers to roads, bridges and dams, according to a new study by 24/7 Wall Street +In RI, nearly a 1/4 of the roads are in poor shape,(24.6% the highest in nation), 23.3% of the RI bridges are deficient ( highest in nation) and 42.3% of the state's dams are at high hazard risk. The report calls this catastrophic conditions. The road conditions in Rhode Island are terrible as this comic jokes about. +The recent collapse of a motorway bridge in Genoa Italy is proof of just how hazardous it can be to drive over a deteriorating bridge. People were trapped and there were at least 40 deaths and many more injured. Others more have not been found. +Everyone knew of the conditions of these bridges, but no one did anything. This all brings us to the realization that we need to be careful when driving in Rhode Island over our bridges and roads. Let's not be fooled by it not being closed. If it looks in bad shape, it probably is. So don't use it! +Election Fever +Is everyone ready for it? This sleepy summer has been quiet except for national news. But just wait. Look for some blockbuster campaign commercials and negatives coming forward from candidates. +Be warned! It won't be pretty! Stay Tuned Get ready, political football is about to begin! +Worcester Gets Paw Sox +The Paw Sox are out, and the Woosox are in. In an unsurprising move, "This week in Worcester" has announced that Worcester will be announcing Friday night that the team is moving to the Canal section of Worcester. The announcement will be made at a local bar. The team owners decided it was a better deal in Worcester. Good for them. Joanne Giannini is a former State Representative from Providence. A freelance journalist, consultant and writer, she has previously written commentary for The Providence journal, GolocalProv and WPRO radio. Contact her at Pt3270@yahoo.com TAG \ No newline at end of file diff --git a/input/test/Test4948.txt b/input/test/Test4948.txt new file mode 100644 index 0000000..f5c3810 --- /dev/null +++ b/input/test/Test4948.txt @@ -0,0 +1,49 @@ +Guess what? I just got hold of some embarrassing video footage of Texas senator Ted Cruz singing and gyrating to Tina Turner. His political enemies will have great fun showing it during the midterms. Donald Trump will call him "Dancin' Ted." +Okay, I'll admit it—I created the video myself. But here's the troubling thing: making it required very little video-editing skill. I downloaded and configured software that uses machine learning to perform a convincing digital face-swap. The resulting video, known as a deepfake, shows Cruz's distinctively droopy eyes stitched onto the features of actor Paul Rudd doing lip-sync karaoke. It isn't perfect—there's something a little off—but it might fool some people. +Photo fakery is far from new, but artificial intelligence will completely change the game. Until recently only a big-budget movie studio could carry out a video face-swap, and it would probably have cost millions of dollars. AI now makes it possible for anyone with a decent computer and a few hours to spare to do the same thing. Further machine-learning advances will make even more complex deception possible—and make fakery harder to spot. +These advances threaten to further blur the line between truth and fiction in politics. Already the internet accelerates and reinforces the dissemination of disinformation through fake social-media accounts. "Alternative facts" and conspiracy theories are common and widely believed. Fake news stories, aside from their possible influence on the last US presidential election, have sparked ethnic violence in Myanmar and Sri Lanka over the past year. Now imagine throwing new kinds of real-looking fake videos into the mix: politicians mouthing nonsense or ethnic insults, or getting caught behaving inappropriately on video—except it never really happened. +The final video shows Ted Cruz's face stitched almost seamlessly onto Paul Rudd. The Tonight Show with Jimmy Fallon/CNN "Deepfakes have the potential to derail political discourse," says Charles Seife, a professor at New York University and the author of Virtual Unreality: Just Because the Internet Told You, How Do You Know It's True? Seife confesses to astonishment at how quickly things have progressed since his book was published, in 2014. "Technology is altering our perception of reality at an alarming rate," he says. +Are we about to enter an era when we can't trust anything, even authentic-looking videos that seem to capture real "news"? How do we decide what is credible? Whom do we trust? +These still images of Ted Cruz and Paul Rudd were taken from the footage that was fed to a face-swapping program. CNN/The Tonight Show with Jimmy Fallon Real fake +Several technologies have converged to make fakery easier, and they're readily accessible: smartphones let anyone capture video footage, and powerful computer graphics tools have become much cheaper. Add artificial-intelligence software, which allows things to be distorted, remixed, and synthesized in mind-bending new ways. AI isn't just a better version of Photoshop or iMovie. It lets a computer learn how the world looks and sounds so it can conjure up convincing simulacra. +I created the clip of Cruz using OpenFaceSwap, one of several face-switching programs that you can download for free. You need a computer with an advanced graphics chip, and this can set you back a few thousand bucks. But you can also rent access to a virtual machine for a few cents per minute using a cloud machine-learning platform like Paperspace. Then you simply feed in two video clips and sit back for a few hours as an algorithm figures out how each face looks and moves so that it can map one onto the other. Getting things to work is a bit of an art: if you choose clips that are too different, the result can be a nightmarish mishmash of noses, ears, and chins. +But the process is easy enough. +The reverse face-swap, showing Paul Rudd's face pasted onto Ted Cruz, is less convincing—and creepier. The TOnight Show with Jimmy Fallon/CNN Getting things to work is a bit of an art: if you choose clips that are too different, the results can be a mishmash of noses, ears, and chins. +Face-swapping was, predictably, first adopted for making porn. In 2017, an anonymous Reddit user known as Deepfakes used machine learning to swap famous actresses' faces into scenes featuring adult-movie stars, and then posted the results to a subreddit dedicated to leaked celebrity porn. Another Reddit user then released an easy-to-use interface, which led to a proliferation of deepfake porn as well as, for some odd reason, endless clips of the actor Nicolas Cage in movies he wasn't really in. Even Reddit, a notoriously freewheeling hangout, banned such nonconsensual pornography. But the phenomenon persists in the darker corners of the internet. +OpenFaceSwap uses an artificial neural network, by now the go-to tool in AI. Very large, or "deep," neural networks that are fed enormous amounts of training data can do all sorts of useful things, including finding a person's face among millions of images. They can also be used to manipulate and synthesize images. +OpenFaceSwap trains a deep network to "encode" a face (a process similar to data compression), thereby creating a representation that can be decoded to reconstruct the full face. The trick is to feed the encoded data for one face into the decoder for the other. The neural network will then conjure, often with surprising accuracy, one face mimicking the other's expressions and movements. The resulting video can seem wonky, but OpenFaceSwap will automatically blur the edges and adjust the coloring of the newly transplanted face to make things look more genuine. +Left: OpenFaceSwap previews attempted face swaps during training. Early tries can often be a bit weird and grotesque. +Right: The software takes several hours to produce a good face swap. The more training data, the better the end result. Similar technology can be used to re-create someone's voice, too. A startup called Lyrebird has posted convincing demos of Barack Obama and Donald Trump saying entirely made-up things. Lyrebird says that in the future it will limit its voice duplications to people who have given their permission—but surely not everyone will be so scrupulous. +A startup has posted convincing demos of Barack Obama and Donald Trump saying entirely made-up things. +There are well-established methods for identifying doctored images and video. One option is to search the web for images that might have been mashed together. A more technical solution is to look for telltale changes to a digital file, or to the pixels in an image or a video frame. An expert can search for visual inconsistencies—a shadow that shouldn't be there, or an object that's the wrong size. +Dartmouth University's Hany Farid, one of the world's foremost experts, has shown how a scene can be reconstructed in 3-D in order to discover physical oddities. He has also proved that subtle changes in pixel intensity in a video, indicating a person's pulse rate, can be used to spot the difference between a real person and a computer-generated one. Recently one of Farid's former students, now a professor at the State University of New York at Albany, has shown that irregular eye blinking can give away a face that's been manipulated by AI. +Still, most people can't do this kind of detective work and don't have time to study every image or clip that pops up on Facebook. So as visual fakery has become more common, there's been a push to automate the analysis. And it turns out that not only does deep learning excel at making stuff up, it's ideal for scrutinizing images and videos for signs of fakery. This effort has only just begun, though, and it may ultimately be hindered by how realistic the automated fakes could become. +Networks of deception +One of the latest ideas in AI research involves turning neural networks against themselves in order to produce even more realistic fakes. A "generative adversarial network," or GAN, uses two deep neural networks: one that's been trained to identify real images or video, and another that learns over time how to outwit its counterpart. GANs can be trained to produce surprisingly realistic fake imagery. +Recommended for You Baseball players want robots to be their umps Investors have staked $70 million on Sila Nano's upgrade for lithium batteries Intel's "Foreshadow" flaws are the latest sign of the chipocalypse A small team of student AI coders beats Google's machine-learning code How to get Google to stop tracking your location for real Beyond copying and swapping faces, GANs may make it possible to synthesize entire scenes and people that look quite real, turning a daytime scene into a nighttime one and dreaming up imaginary celebrities. GANs don't work perfectly, but they are getting better all the time, and this is a hot area of research ( MIT Technology Review named GANs one of its "10 Breakthrough Technologies" for 2018 ). +GANs can turn daytime scenes into nighttime ones and dream up imaginary celebrity faces. +Most worrying, the technique could also be used to evade digital forensics. The US's Defense Advanced Research Projects Agency invited researchers to take part in a contest this summer in which some developed fake videos using GANs and others tried to detect them. "GANs are a particular challenge to us in the forensics community because they can be turned against our forensic techniques," says Farid. "It remains to be seen which side will prevail." +This is the end +If we aren't careful, this might result in the end of the world—or least what seems like it. +In April, a supposed BBC news report announced the opening salvos of a nuclear conflict between Russia and NATO. The clip, which began circulating on the messaging platform WhatsApp, showed footage of missiles blasting off as a newscaster told viewers that the German city of Mainz had been destroyed along with parts of Frankfurt. +It was, of course, entirely fake, and the BBC rushed to denounce it. The video wasn't generated using AI, but it showed the power of fake video, and how it can spread rumors at warp speed. The proliferation of AI programs will make such videos far easier to make, and even more convincing. +Even if we aren't fooled by fake news, it might have dire consequences for political debate. Just as we are now accustomed to questioning whether a photograph might have been Photoshopped, AI-generated fakes could make us more suspicious about events we see shared online. And this could contribute to the further erosion of rational political debate. +In The Death of Truth , published this year, the literary critic Michiko Kakutani argues that alternative facts, fake news, and the general craziness of modern politics represent the culmination of cultural currents that stretch back decades. Kakutani sees hyperreal AI fakes as just the latest heavy blow to the concept of objective reality. +"Before the technology even gets good, the fact that it exists and is a way to erode confidence in legitimate material is deeply problematic," says Renee DiResta, a researcher at Data for Democracy and one of the first people to identify the phenomenon of politically motivated Twitter misinformation campaigns. +Perhaps the greatest risk with this new technology, then, is not that it will be misused by state hackers, political saboteurs, or Anonymous, but that it will further undermine truth and objectivity itself. If you can't tell a fake from reality, then it becomes easy to question the authenticity of anything. This already serves as a way for politicians to evade accountability. +Perhaps the greatest risk is that the technology will further undermine truth and objectivity. +President Trump has turned the idea of fake news upside down by using the term to attack any media reports that criticize his administration. He has also suggested that an incriminating clip of him denigrating women, released during the 2016 campaign, might have been digitally forged. This April, the Russian government accused Britain of faking video evidence of a chemical attack in Syria to justify proposed military action. Neither accusation was true, but the possibility of sophisticated fakery is increasingly diminishing the credibility of real information. In Myanmar and Russia new legislation seeks to prohibit fake news, but in both cases the laws may simply serve as a way to crack down on criticism of the government. +As the powerful become increasingly aware of AI fakery, it will become easy to dismiss even clear-cut video evidence of wrongdoing as nothing more than GAN-made digital deception. +The truth will still be out there. But will you know it when you see it? +Will Knight is a senior editor at MIT Technology Review who covers artificial intelligence. +Keep up with the latest in artificial intelligence at EmTech MIT. +Discover where tech, business, and culture converge. +September 11-14, 2018 +MIT Media Lab +Register now +These still images of Ted Cruz and Paul Rudd were taken from the footage that was fed to a face-swapping program. CNN/The Tonight Show with Jimmy Fallon +These still images of Ted Cruz and Paul Rudd were taken from the footage that was fed to a face-swapping program. CNN/The Tonight Show with Jimmy Fallon +Left: OpenFaceSwap previews attempted face swaps during training. Early tries can often be a bit weird and grotesque. +Right: The software takes several hours to produce a good face swap. The more training data, the better the end result. +Left: OpenFaceSwap previews attempted face swaps during training. Early tries can often be a bit weird and grotesque. +Right: The software takes several hours to produce a good face swap. The more training data, the better the end result \ No newline at end of file diff --git a/input/test/Test4949.txt b/input/test/Test4949.txt new file mode 100644 index 0000000..0e9b736 --- /dev/null +++ b/input/test/Test4949.txt @@ -0,0 +1,32 @@ +TWO CalMac ferries being built by a firm owned by one of Nicola Sturgeon 's advisers in a £100m deal have been delayed yet again, the government has confirmed. +The two vessels were supposed to be with the ferry operator this summer and autumn, but have been now put back to next summer and spring 2020. +Opposition parties branded the situation a "complete shambles" and said it would add to passenger misery on strained CalMac services. +Scotland 's main ferry operator has already warned of disruption this summer because of breakdowns in its ageing fleet, with the average vessel on a lifeline route now 22 years old. +READ MORE: Ferry operator CalMac warns of delays and breakdowns as fleet is so old The new 'dual fuel' boats, which can use both diesel and liquified natural gas, are being built by Ferguson Marine Engineering Ltd, owned by Monaco-based billionaire Jim McColl, a member of the First Minister's council of economic advisers. +The delays were confirmed via an obscure written parliamentary answer. +The hold-ups come just weeks after Finance Secretary announced a £30m government loan to Ferguson's to help it diversity, despite its boss being one of Scotland's richest men. +READ MORE: Ferguson's shipyard wins £97m ferry contract The Port Glasgow firm was taken over by Mr McColl after it went into administration in 2014, and is ultimately owned by the engineering tycoon's Clyde Blowers empire. +The year after Mr McColl acquired Ferguson's it won a £97m contract to build two new 'dual fuel' ferries for CalMac, securing work for the 150 staff. +However the contract has not gone smoothly, with the first vessel, MV Glen Sannox on the Ardross-Arran route, delayed from May this year to winter 2018/19, before the latest snag. +The second vessel, known as Hull 802, which was supposed to be delivered to CalMac four months later for use on the Uig triangle, is now due to be delivered in 18 months' time. +The vessels were ordered in 2014 by state-owned infrastructure company Caledonian Maritime Assets Ltd for use by the state ferry company CalMac. +The delays are despite Mr McColl previously assuring SNP ministers over the timing. +At a March 2017 meeting with then economy secretary Keith Brown and then transport minister Humza Yousaf, Mr McColl said he was "astounded" that CalMac feared the delivery of the ferries could be 6-7 months late. +According to government notes of the meeting released under FoI, Mr McColl told the ministers he had "great confidence that the first vessel would be launched on schedule in August this year [2017] and delivered in May 2018 as per the contract". +But in his parliamentary answer, Transport Secretary Michael Matheson said: "Ferguson Marine Engineering Ltd (FMEL) has advised that the first vessel, the MV Glen Sannox (801), will be delivered during Summer 2019, and the second vessel (802) in Spring 2020. +"Following delivery, Calmac Ferries Ltd require around two months for trials and crew familiarisation before each vessel is fully deployed on the Clyde and Hebrides ferry network." +He added: "While this further delay is disappointing, it is important to focus on the fact that we will have two new ships joining the fleet serving the Clyde and Hebrides network that have been built in Scotland, providing vital support to our ship building industry." +READ MORE: Greens demand details on £30m loan to Sturgeon adviser's business Scottish Tory MSP Jamie Greene said: "Far from disappointing, this is a complete shambles. +"Numerous stakeholders have long been warning about a catalogue of issues with the build of the new ferries. Only recently the Scottish Government had to bail out Ferguson Marine with substantial money. +"This is another entry in a catalogue of failures on Scotland's ferry networks, once again letting island communities down and impacting tourism, businesses and connectivity." +LibDem MSP Mike Rumbles said: "Our roads are crumbling, our trains are unreliable and now there are more delays to the delivery of new ships for Scotland's ferry network. +"The SNP are offering absolutely nothing to people on the move. Passengers on the west coast will have a sinking feeling once again when they find out these ferries are delayed." +Labour 's Colin Smyth said ministers must "get a grip" and safeguard island communities. +He said: "They have known about delays in delivering these ferries for months. +"This isn't the first time we've had delays when it comes to completing new ferries and it really does expose the utter incompetence and complacency at heart of the Scottish Government when it comes to delivering new transport projects. +"Demand for these services is rising and the Scottish Government are letting down our island communities once again by failing to deliver the ferries needed to meet that demand." +Gerry Marshall, chief executive officer of Ferguson Marine, said: "These two dual-fuel LNG vessels are the first such vessels to be built in the UK and as such are prototypes. +"The authorities which certify the integrity and safety of the vessels and the integrity of the project have no precedent for such certification, and this part of the process has been more complex than with a standard vessel type and has impacted the delivery date. +"Overarching this however, has been the unforeseen complexities arising from our customer's requirements throughout the project to date. These circumstances could never have been foreseen and taken into account in the original delivery dates. +"We must bear in mind however, the backdrop against which these world class vessels are being delivered - we have ree-stablished world class capability for commercial shipbuilding on the Clyde in Scotland after 40 years of underinvestment. +"The vessels which will be delivered to the new timetable and to the highest standard of quality, will become the jewels in the CalMac fleet. \ No newline at end of file diff --git a/input/test/Test495.txt b/input/test/Test495.txt new file mode 100644 index 0000000..dedbe61 --- /dev/null +++ b/input/test/Test495.txt @@ -0,0 +1,10 @@ +Tweet +Cornerstone Wealth Management LLC acquired a new stake in shares of Helen of Troy Limited (NASDAQ:HELE) during the second quarter, according to its most recent disclosure with the SEC. The fund acquired 14,114 shares of the company's stock, valued at approximately $143,000. +Other hedge funds also recently bought and sold shares of the company. Bank of Montreal Can purchased a new position in Helen of Troy in the 2nd quarter worth approximately $122,000. Koch Industries Inc. purchased a new position in Helen of Troy in the 1st quarter worth approximately $223,000. Diversified Trust Co purchased a new position in Helen of Troy in the 1st quarter worth approximately $257,000. Cim Investment Mangement Inc. purchased a new position in Helen of Troy in the 1st quarter worth approximately $295,000. Finally, First Citizens Bank & Trust Co. purchased a new position in Helen of Troy in the 2nd quarter worth approximately $310,000. 96.19% of the stock is currently owned by hedge funds and other institutional investors. Get Helen of Troy alerts: +NASDAQ HELE opened at $116.40 on Friday. The company has a debt-to-equity ratio of 0.29, a quick ratio of 1.11 and a current ratio of 2.10. Helen of Troy Limited has a 12 month low of $81.10 and a 12 month high of $119.25. The company has a market capitalization of $2.91 billion, a P/E ratio of 17.24, a price-to-earnings-growth ratio of 2.56 and a beta of 0.81. Helen of Troy (NASDAQ:HELE) last released its quarterly earnings data on Monday, July 9th. The company reported $1.87 earnings per share (EPS) for the quarter, topping the Zacks' consensus estimate of $1.33 by $0.54. Helen of Troy had a return on equity of 19.01% and a net margin of 4.84%. The business had revenue of $354.70 million for the quarter, compared to the consensus estimate of $333.75 million. During the same quarter in the previous year, the company posted $1.37 EPS. The company's revenue was up 9.0% compared to the same quarter last year. equities analysts forecast that Helen of Troy Limited will post 7 earnings per share for the current year. +In other Helen of Troy news, insider Vincent D. Carson sold 6,531 shares of Helen of Troy stock in a transaction that occurred on Thursday, July 12th. The stock was sold at an average price of $111.28, for a total value of $726,769.68. The transaction was disclosed in a filing with the SEC, which is available at this hyperlink . Insiders own 0.62% of the company's stock. +A number of research analysts recently commented on the company. ValuEngine cut Helen of Troy from a "buy" rating to a "hold" rating in a report on Thursday, August 2nd. DA Davidson boosted their price target on Helen of Troy to $106.00 and gave the stock a "buy" rating in a report on Wednesday, June 6th. BidaskClub raised Helen of Troy from a "hold" rating to a "buy" rating in a report on Wednesday, June 13th. Zacks Investment Research raised Helen of Troy from a "hold" rating to a "buy" rating and set a $126.00 price target on the stock in a report on Saturday, July 14th. Finally, TheStreet raised Helen of Troy from a "c+" rating to a "b-" rating in a report on Thursday, June 14th. Three analysts have rated the stock with a hold rating and four have assigned a buy rating to the stock. The stock currently has a consensus rating of "Buy" and an average target price of $115.75. +About Helen of Troy +Helen of Troy Limited designs, develops, imports, markets, and distributes a portfolio of consumer products worldwide. It operates in three segments: Housewares, Health & Home, and Beauty. The Housewares segment offers food and beverage preparation tools and gadgets, storage containers, and organization products; household cleaning products, and shower organization, bathroom accessories, and gardening products; feeding and drinking products, child seating products, cleaning tools, and nursery accessories; and insulated water bottles, jugs, drinkware, travel mugs, and food containers. +Read More: How Important is Technical Analysis of Stocks +Want to see what other hedge funds are holding HELE? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Helen of Troy Limited (NASDAQ:HELE). Receive News & Ratings for Helen of Troy Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Helen of Troy and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test4950.txt b/input/test/Test4950.txt new file mode 100644 index 0000000..aa0eb0b --- /dev/null +++ b/input/test/Test4950.txt @@ -0,0 +1 @@ +Good Things Come in 3D for Pork Researchers Aug 16, 2018 By Geoff Geddes, for Swine Innovation Porc With apologies to twins and the 4-person bobsled,the best things come in threes. That's especially true of 3D technology, which offers some intriguing possibilities for the pork industry.Use of 3D vision systems for rapid and objective assessment of hog carcass quality is a great example of a hi-tech, high impact application generated by the latest research. "There's a growing interest in carcass quality among producers for a simple reason: it's how they get paid," said Dr. Candido Pomar, research scientist with Agriculture and Agri-Food Canada. "Until now my research focus has been pig nutrition, but I've been getting requests from swine producer associations to work on carcass quality as it's the area that most impacts their members." In evaluating grading systems in Canada,however, Dr. Pomar observed that such systems,and carcass evaluation methods in general,are not very effective in measuring carcass composition. Location, location, location In general, a lean carcass has more value than a fat carcass. Ultimately, however, the value of a carcass depends not on the amount of fat and lean, which is the focus of the current system, but on where that fat and lean are located. If there's leanness in the shoulder,ham or loin, each area will carry a different value. "The most important thing is to have fat in the belly as it's the most expensive part of the carcass and gives you more value per kilo." Faced with the question of how to measure carcass value more accurately, Dr. Pomar and his colleague, Dr. Marcel Marcoux, found the answer in 3D technology. "We felt the best approach was to work with images rather than just fat and muscle depth,and we also thought that conformation was a key aspect of carcass value," said Dr. Pomar.Using the 3D system, we were able to gauge very precisely the lean and fat distribution and thus the value of the carcass." Yielding results In addition to more accurately assessing carcass weight and leanness, 3D technology can also better determine the weight and lean yield of each carcass cut, allowing for more efficient carcass sorting and assessment. "We are providing industry with a new tool that will significantly improve our ability to estimate the real value of the carcass and tell the plant how much revenue they can generate if they cut it a certain way. For example, do they cut it to a Canadian, U.S. or Japanese standard?What makes the most sense for a particular cut and will generate the most dollars? \ No newline at end of file diff --git a/input/test/Test4951.txt b/input/test/Test4951.txt new file mode 100644 index 0000000..5893dfc --- /dev/null +++ b/input/test/Test4951.txt @@ -0,0 +1,8 @@ +Using hackney cabs in Calderdale will soon cost you more +Customers using hackney cab taxis in Calderdale will soon pay more for their journey. Members of Calderdale Council's Licensing and Regulatory Committee supported a request from Halifax Taxi Owners Association for a rise in rates for the initial part of a journey. It means an average two mile journey will cost around 21p more. But the increase will not come in for several weeks as the change in fares will have to be advertised to allow members of the public a 28-day period in which they can object to the proposed increase. The council pays the cost of the advertisement – it was £834.75 last... read more Coronation Street will soon have a new character - played by a Hull star +A Hull star is returning to the cobbles of Weatherfield – 16 years after she left. Maureen Lipman, 72, is set to make an explosive return to Coronation Street as Tyrone Dobbs' grandmother, Evelyn Plummer. Being promoted as a "battleaxe", the character... Hull Daily Mail , 3 August 2018 in Yorkshire & Humber Fed-up residents will soon catch drivers with their very own speed guns +Residents in villages across Hull and East Yorkshire are to be given speed guns in a bid to catch drivers racing through their neighbourhoods. Volunteers will be in control of a RADAR gun and record speeding vehicles. Those drivers caught speeding... Penalty for using your phone while driving will soon double +Drivers caught using a mobile phone behind the wheel will soon be fined more. From March 1 the current punishment of a £100 fine and three points will double to £200 and six points. It means anyone who already has points on their licence could be at... Examiner , 27 February 2017 in Yorkshire & Humber BBC iPlayer viewers will soon need a TV licence to watch on demand +BBC iPlayer viewers will soon have to pay the full licence fee to continue watching on demand, the government announced today. A new Royal Charter for the Corporation revealed the plan to stop viewers from using a legal loophole that meant that users... Examiner , 12 May 2016 in Yorkshire & Humber New Dublin air route will soon open more US destinations for Scunthorpe holidaymakers +Holidaymakers in Scunthorpe will soon be able to take advantage of a new flight route to Dublin. The new route has been made possible by Flybe and will make extra destinations in the United States possible for passengers using Doncaster Sheffield... Scunthorpe Telegraph , 21 October 2016 in Yorkshire & Humber Prospect Training and Chamber split: Students 'will soon be back in classroom' +SCORES of students left unable to study due to a terminated contract will soon be back in the classroom, a teaching firm has said. The learners were being taught by Prospect Training, a subcontractor of Chamber Training, which is part of the Hull and... Hull Daily Mail , 11 April 2015 in Yorkshire & Humbe \ No newline at end of file diff --git a/input/test/Test4952.txt b/input/test/Test4952.txt new file mode 100644 index 0000000..1ac6637 --- /dev/null +++ b/input/test/Test4952.txt @@ -0,0 +1 @@ +Press release from: QYResearch CO.,LIMITED PR Agency: QYR Global Smart Fabrics and Interactive Textile Industry Research Report, Growth Trends and Competitive Analysis 2018-2025 This report researches the worldwide Smart Fabrics and Interactive Textiles market size (value, capacity, production and consumption) in key regions like North America, Europe, Asia Pacific (China, Japan) and other regions.This study categorizes the global Smart Fabrics and Interactive Textiles breakdown data by manufacturers, region, type and application, also analyzes the market status, market share, growth rate, future trends, market drivers, opportunities and challenges, risks and entry barriers, sales channels, distributors and Porter's Five Forces Analysis.Smart fabrics and interactive textiles are those textiles that can respond to external environmental stimuli, such as moisture, temperature change, pressure, magnetism, and other stimuli. Various textiles can be embedded with electronics, digital components or additives, like silver, to enhance the desired functionalities. The high performance and cost-effectiveness of smart fabrics and interactive textiles have enabled them to replace traditional materials and become popular among many end-users.This report focuses on the top manufacturers' Smart Fabrics and Interactive Textiles capacity, production, value, price and market share of Smart Fabrics and Interactive Textiles in global market. The following manufacturers are covered in this report:    Textronics    Milliken    Toray Industries    Peratech    DuPont    Clothing+    Outlast    D3O Lab    Schoeller Textiles AG    Texas Instruments    Exo2    Vista Medical Ltd.    Ohmatex ApS    Interactive Wear AGSmart Fabrics and Interactive Textiles Breakdown Data by Type    Passive Smart Fabrics and Textiles    Active Smart Fabrics and Textiles    Ultra-Smart Fabrics and TextilesSmart Fabrics and Interactive Textiles Breakdown Data by Application    Military and Protection    Architecture    Healthcare    Sports and Fitness    Fashion and Entertainment    Automotive    OtherSmart Fabrics and Interactive Textiles Production Breakdown Data by Region    United States    Europe    China    Japan    Other RegionsThe study objectives are:    To analyze and research the global Smart Fabrics and Interactive Textiles capacity, production, value, consumption, status and forecast;    To focus on the key Smart Fabrics and Interactive Textiles manufacturers and study the capacity, production, value, market share and development plans in next few years.    To focuses on the global key manufacturers, to define, describe and analyze the market competition landscape, SWOT analysis.    To define, describe and forecast the market by type, application and region.    To analyze the global and key regions market potential and advantage, opportunity and challenge, restraints and risks.    To identify significant trends and factors driving or inhibiting the market growth.    To analyze the opportunities in the market for stakeholders by identifying the high growth segments.    To strategically analyze each submarket with respect to individual growth trend and their contribution to the market.    To analyze competitive developments such as expansions, agreements, new product launches, and acquisitions in the market.    To strategically profile the key players and comprehensively analyze their growth strategies.Request Sample Report and TOC@ www.qyresearchglobal.com/goods-1790610.html About Us:QY Research established in 2007, focus on custom research, management consulting, IPO consulting, industry chain research, data base and seminar services. The company owned a large basic data base (such as National Bureau of statistics database, Customs import and export database, Industry Association Database etc), expertâs resources (included energy automotive chemical medical ICT consumer goods etc.QY Research Achievements:  Year of Experience: 11 YearsConsulting Projects: 500+ successfully conducted so farGlobal Reports: 5000 Reports Every YearsResellers Partners for Our Reports: 150 + Across GlobeGlobal Clients: 34000 \ No newline at end of file diff --git a/input/test/Test4953.txt b/input/test/Test4953.txt new file mode 100644 index 0000000..f42312f --- /dev/null +++ b/input/test/Test4953.txt @@ -0,0 +1 @@ +PR Agency: WISE GUY RESEARCH CONSULTANTS PVT LTD Introduction Aerospace helmet mounted display is equipment that displays targeting and aircraft performance information, such as airspeed and altitude, directly to the pilot. It enables continuous viewing of the outside world while maintaining a watch over the aircraft status. The helmet mounted display mainly comprises a mounting platform or the helmet, an image source, relay optics, and a head-tracker. Companies, nowadays, are focused on making new helmet-mounted displays that are small in size and weigh less, which will aid pilots during longer missions with reduced fatigue. It is vital in combat aircraft since pilots are required to take split-second decisions and cannot afford to spend valuable time struggling with physical controls or a touch interface. Typically developed for fighter, bomber, and other combat aircraft, the application of this equipment is being embraced in commercial fixed-wing and rotary-wing aircraft, and in business jets as well. Integration of night vision systems and focus on developing lightweight systems are the critical trends prevailing in the aerospace helmet mounted display systems market. Factors such as increasing adoption of AR technology in the aviation sector and increase in military spending, coupled with the rising demand for combat aircraft, are the prime driving factors of the aerospace helmet mounted display market. Meanwhile, issues associated with cognitive tunneling and increased use of drones hinder the market growth. However, the changing nature of modern warfare, from being weapon-centric to technology-centric, offers promising growth opportunities to the market.GET SAMPLE REPORT @ www.wiseguyreports.com/sample-request/3312801-global-aero... Regional Analysis The global aerospace helmet mounted display market is estimated to witness 12.36% CAGR during the forecast period, 2018-2027. In 2018, the market was led by North America with 33.59% share, followed by Europe and Asia-Pacific with shares of 26.77% and 25.83%, respectively. Asia-Pacific is the fastest growing region for aerospace helmet mounted display market. In the recent years, countries in the Asia-Pacific region have been prone to extremist and insurgent threats as well as territorial disputes. There have been a high number of conflicts in the India-Pakistan border, India-China border along the Himalayas, the Indian Ocean, and the South China Sea. It has resulted in the deployment of large battalions of troops to such regions, to counter the rise in cross-border activities. Hence, countries in the region such as China, India, and South Korea are focusing on procuring fighter jets. Furthermore, China, Japan, and India, the three major defense hubs of the Asia-Pacific region, have increased their military expenses significantly, and have procured a number of advanced equipment.Key Players Aselsan S.A. (Turkey), BAE Systems plc (U.K), Elbit Systems Ltd. (Israel), Kopin Corporation (U.S.), Rockwell Collins, Inc. (U.S.), and Thales Group (France) are some of the key players profiled in this report. The aerospace helmet mounted display market is dominated by top four players, namely BAE Systems, Elbit Systems Ltd., Rockwell Collins, and Thales Group, accounting for more than 90% of the global market size.Objective of the Global Aerospace Helmet Mounted Display Market Report – Forecast to 2027 • To provide insights into factors influencing the market growth • To provide historical and forecast revenue of the market segments and sub-segments with respect to regional markets and their key countries • To provide historical and forecast revenue of the market segments based on component, technology, application, and region • To provide strategic profiling of key players in the market, comprehensively analyzing their market share, core competencies, and drawing a competitive landscape for the marketTarget Audienc \ No newline at end of file diff --git a/input/test/Test4954.txt b/input/test/Test4954.txt new file mode 100644 index 0000000..8d27a8c --- /dev/null +++ b/input/test/Test4954.txt @@ -0,0 +1,12 @@ +Top Mantras to Crack IIT JEE Jagranjosh.com Aug 17, 2018 15:32 IST Top Mantras to Crack IIT JEE +In this article you will find various mantras which will add to your efforts toward IIT JEE Main Examination. There are many things that a JEE aspirant should keep in his mind before appearing the exam. These includes – planning, time management, speed and accuracy, smart work, hard work, setting targets etc. A detailed view of the same is given in this article. +1. Start Early +"Early Bird catches the Straw." Though, it is an old saying but still relevant. While interacting with students and parents in one to one or in a group they often seem clueless about the right stage to start preparation for JEE. Going through the curriculum prescribed by CBSE for 9 th to 12 th , there is a huge gap between the syllabi of 9 th , 10 th and 11 th , 12 th . If a student is clear about opting Engineering or Medicine as a career he/she must get mentally prepared for the same in the beginning of class 9 th . If by chance early choice is missed class 10 th is not that far to begin with. Preparation from this stage will set things in right direction and transition from 10 th to 11 th will be an enjoyable experience. +2. Plan your preparation +Thoughts are endless; therefore, unless we plan well we won't be able to achieve what we expect to. It is rightly said "One who fails to plan, plans to fail." Planning and implementation both must go side by side. It must address the following core points: Evaluate before starting: Each one of us is unique. Present scenario offers a lot of career option in different fields. One must be clear with their interest area. Strength and Weaknesses: A student must analyse their ability and interest in handling Science and Mathematics. Students with the analytical bent of mind for science and math are the right candidate. Self Study or External Help: Self study has no substitute. One can clear these exams with focussed and sincere effort without any external help. Once you are through with the entire syllabus joining a test series will help you to evaluate your level among peers. External help [Coaching] offers help to those who are sincere in their efforts. Time Management: Giving equal importance to all the three subjects is a prerequisite. Dividing your time in a balanced manner for school work and preparation for JEE is very important. The all India rank in JEE Main is based upon your score in Board Exam and Entrance test, therefore, ignorance of either may be disastrous. Divide preparation into different levels: Divide your entire preparation into 3 stages i.e. 1) Board 2) JEE MAIN and then 3) Advanced. Completing NCERT textbook and its exercise is a prerequisite. Once you are through with this, solving MCQ's for JEE Main will work as a revisionary tool and will boost your confidence. Any missing links must be revised properly and thoroughly at this juncture before proceeding to the exercise of JEE ADVANCED level. After completing this level, you must check yourself with previous year JEE Papers. Recommended Video: How to attempt maximum correct questions in engineering entrance exam? +3. Speed and Accuracy: Solving problems in steps eliminates many possible errors. In the starting stage of preparation, one must focus on accuracy first. Once the high level of accuracy is achieved then attempting more number of questions in lesser time should be the target. +4. Smart work Vs Hard work: Finding a shorter method and using the correct formula is a challenge. The focused approach, reading standard textbooks, analysis of theories and derivations leads to formulating own concepts about a topic. This process helps to remember and recall the formulas to be used and their interconnection. More you correlate better would be the approach to solving a problem. +5. Sincere Effort: The preparation of JEE is not a week or month's task. To get through this, one has to put regular, focused and sincere effort for the entire period of two years. Sincere and regular studies for the same are a must. +6. Setting Targets: For a starter targets must be small and achievable and ought to be set on one's own pace. The achievements of target boost the confidence. The confidence, in turn, encourages one to achieve a bigger target. For all this to happen one must stay healthy, undistracted and out of negativities. +6.5. Good Luck: A healthy mind with less distraction and continuously focused effort invites good luck to their lives. The last but not the least every event is controlled by nature and our surroundings. Your good habits, disciplined behaviour, respect for elders, prayer to God etc do bring good luck, positive energy and sincerity. +All the best! \ No newline at end of file diff --git a/input/test/Test4955.txt b/input/test/Test4955.txt new file mode 100644 index 0000000..77d6291 --- /dev/null +++ b/input/test/Test4955.txt @@ -0,0 +1,15 @@ +/R E P E A T -- Media Advisory: Infrastructure Announcement in Québec City/ Canada NewsWire +QUÉBEC CITY, Aug. 16, 2018 +QUÉBEC CITY, Aug. 16, 2018 /CNW/ - Members of the media are invited to attend an important infrastructure announcement with the Honourable François- Philippe Champagne , Minister of Infrastructure and Communities; the Honourable Jean-Yves Duclos , Minister of Families, Children and Social Development and Member of Parliament for Quebec City; Joël Lightbound , Member of Parliament for Louis-Hébert and Parliamentary Secretary to the Minister of Finance; Sébastien Proulx , Minister of Education, Recreation and Sports, Minister Responsible for the Capitale-Nationale Region; Régis Labeaume , Mayor of Québec City, and Sophie D'Amours , Chancellor of the Laval University . +Date: +Friday, August 17, 2018 +Time: +11:00 a.m. +Location: +Pavilion Hall Ferdinand-Vandry +1050 avenue de la Médecine +Laval University +Québec City, Quebec +Follow us on Twitter at @INFC_eng +SOURCE Infrastructure Canada + : http://www.newswire.ca/en/releases/archive/August2018/17/c3601.htm \ No newline at end of file diff --git a/input/test/Test4956.txt b/input/test/Test4956.txt new file mode 100644 index 0000000..8523249 --- /dev/null +++ b/input/test/Test4956.txt @@ -0,0 +1,23 @@ +E-cigarettes are back in the news after MPs on the Science and Technology Committee (STC) said rules around the devices should be relaxed to help accelerate already declining smoking rates. +These are some of the key issues in the debate: +– A healthier alternative? +A landmark review by Public Health England (PHE) published in 2015 said vaping is 95% less harmful than smoking tobacco. +The body said much of the public wrongly believed that e-cigarettes carry health risks in the same way cigarettes do. PHE wants to see smokers taking up the electronic devices to reduce the thousands of people dying from tobacco-related diseases every year. +E-cigarettes are estimated to be 95% less harmful than conventional cigarettes. We've published our Report on e-cigarettes today: https://t.co/OfUZxu2Ekv pic.twitter.com/vN3xJkAhlh +— Science and Technology Committee (@CommonsSTC) August 17, 2018 +The review by medical research organisation Cochrane found that 18,000 people in England may have given up smoking in 2015 thanks to e-cigarettes. +– That settled it then? +PHE's findings were criticised at the time by some experts, saying they were based on poor quality evidence. They also pointed to links between some experts, the tobacco industry and firms that manufacture e-cigarettes. +Smoking is the leading cause of premature death in the UK & is responsible for half of the health gap between the poorest and most affluent communities. Creating a smokefree NHS is one key way for us to secure a smokefree generation in England. More: https://t.co/6oJ5GaW820 pic.twitter.com/vicosVIEmp +— Public Health England (@PHE_uk) August 16, 2018 +– So they could be more harmful than has been said? +Some studies have linked vaping with lung damage, heart disease and even cancer and infant mortality. +Research by the University of Birmingham published this week said e-cigarette vapour has a similar effect on the lungs and body that is seen in regular cigarette smokers and patients with chronic lung disease. +A study by the New York University School of Medicine found smoke from e-cigarettes damages DNA and can increased the risk of cancer and heart disease in mice. +An NHS poster warning of the dangers of smoking while pregnant (NHS Smokefree/PA) Meanwhile, researchers at the Geisel School of Medicine in the US have warned any kind of nicotine exposure during pregnancy, whether from smoking, skin patches or vaping, heightens the chances of Sudden Infant Death Syndrome. Many experts say much more research needs to be done in the area. +– Can they encourage people to smoke conventional cigarettes? +The STC says concerns that e-cigarettes could be a gateway to conventional smoking, including for young non-smokers, "have not materialised". +Expert opinion on the issue is divided. +In the UK a person must be 18 to buy e-cigarettes or the e-liquids they vaporise. +MPs have called for e-cigarettes to be made available on prescription (Peter Byrne/PA) The latest data from the Office for National Statistics suggests young people are smoking in fewer numbers, with the number of 18 to 24-year-olds who smoke falling eight percentage points since 2011. +However a 2017 study of 14 and 15-year-olds from 20 English schools found a "robust association" between vaping and a higher probability of cigarette smoking \ No newline at end of file diff --git a/input/test/Test4957.txt b/input/test/Test4957.txt new file mode 100644 index 0000000..b0641ae --- /dev/null +++ b/input/test/Test4957.txt @@ -0,0 +1 @@ +Domestic Politics Social affairs Economy military Terrorism Issue&Issue Education Asia Africa Europe North America South America Middle East GCC countries United Nations UAE nuclear Terrorism Finance UAE Southeast Asia United Nations ROC Leisure&Sports Olympics Footbal \ No newline at end of file diff --git a/input/test/Test4958.txt b/input/test/Test4958.txt new file mode 100644 index 0000000..cd116ab --- /dev/null +++ b/input/test/Test4958.txt @@ -0,0 +1,16 @@ +Politics Of Wildfires: Biggest Battle Is In California's Capital By Marisa Lagos • 19 minutes ago King Bass sits and watches the Holy Fire burn from on top of his parents' car as his sister, Princess, rests her head on his shoulder last week in Lake Elsinore, Calif. More than a thousand firefighters battled to keep a raging Southern California forest fire from reaching foothill neighborhoods. Patrick Record / AP +As California's enormous wildfires continue to set records for the second year in a row, state lawmakers are scrambling to close gaps in state law that could help curb future fires, or make the difference between life and death once a blaze breaks out. +While the biggest political battle in Sacramento is focused on utility liability laws , lawmakers are also rushing to change state laws around forest management and emergency alerts before the legislative sessions ends this month. +A special joint legislative committee is examining how to shore up emergency alert systems so people know to evacuate, and how to prevent fires through better forest management. They're among the challenges facing many Western states. +Historically, state Sen. Hannah-Beth Jackson said during a recent interview in her Capitol office, "we have looked at fire as an enemy." +That was a mistake, said Jackson, a Democrat who represents Santa Barbara and Ventura counties, both of which were devastated by the enormous Thomas Fire last December. She's pushing legislation that would expand prescribed burns and other forest management practices on both public and private lands. +"We have been doing less and less to try to clear vegetation, to do controlled burns, so that we can reduce the dead vegetation that we have," she said. "As a result, we have conditions that are seeing fruition with these enormous and out of control fires." +Jackson says after years of inaction, everyone in California is finally at the table --including environmental groups — supporting the measure and engaging in a conversation around forest management. +Jackson also has a bill that would let counties automatically enroll residents in emergency notification systems; it's one of two bills aimed at shoring up gaps around evacuation alerts that were exposed by last years' deadly fires . The other is Senate Bill 833 by North Bay Sen. Mike McGuire; it would seek to expand use of the federally-regulated wireless emergency alert system in California. +Jackson noted that technology has changed and governments must adjust. +"We used to be warned about danger with the church bells and then during the Cold War with Russia we had a CONELRAD alert system ... well we don't have any of those things today," she said. "We rely upon people's cell phones ... fewer and fewer people actually have landlines today. So we've got to adapt and that's what this program will hopefully do." +At the national level, there's also political maneuvering over fires. +Department of Homeland Security Secretary Kirstjen Nielson visited a fire zone in Northern California earlier this month and promised to start providing federal emergency funding earlier. Meanwhile, during her recent tour of a fire area, California's U.S. Sen. Kamala Harris said she is pushing to expand federal funding for both fighting and preventing wildfires. Some of that funding is in a bipartisan bill that is co-sponsored by senators from 10 other states, many of them in the fire-prone West. +"Let's also invest resources in things like deforestation, in getting rid of these dead trees and doing the other kind of work that is necessary to mitigate the harm that that is caused by these fires," Harris said while visiting Lake County. +Dollars are important: The state has blown through its firefighting budget seven of the last 10 years, even as the annual budget has grown five-fold over the same period. This fiscal year started six weeks ago, and California has already spent three-quarters of its firefighting budget for the entire year. +That spending is "a very stark indication of the severity and the scope of these type of catastrophic wildfires," said H.D. Palmer, spokesman for Gov. Jerry Brown's Department of Finance. Copyright 2018 KQED. To see more, visit KQED . KVCR is a service of the San Bernardino Community College District. © 2018 91.9 KVC \ No newline at end of file diff --git a/input/test/Test4959.txt b/input/test/Test4959.txt new file mode 100644 index 0000000..8810978 --- /dev/null +++ b/input/test/Test4959.txt @@ -0,0 +1 @@ +PR Agency: WISE GUY RESEARCH CONSULTANTS PVT LTD Introduction Age-Related Macular Degeneration (AMD) is a condition that affects the back of the eye called the macula. AMD is described as either dry or wet AMD. Age-related macular degeneration causes progressive damage to the macula, resulting in gradual loss of central vision. There are two types of AMD, namely, dry (nonexudative or atrophic), and wet (neovascular or exudative). About 80 to 90% of the people with AMD have only the dry type. The market growth is mainly driven by the rising prevalence of AMD in the geriatric population and off-patent of blockbuster drugs. GET SAMPLE REPORT @ www.wiseguyreports.com/sample-request/3312802-global-age-... Age-related macular degeneration is an ocular disease that involves the posterior aspect of the retina called the macula. The wet form of AMD is less frequent but is responsible for 90% of the acute blindness due to AMD. As per the study published in the Asia-Pacific Journal of Ophthalmology in 2017, the global prevalence of AMD was nearly 8.7%, with the prevalence of early AMD and late AMD being 8.0% and 0.4%, respectively. A marked increase in the prevalence of AMD was found to be higher in patients over 60 years of age. According to the study published in the Clinical Interventions in the Aging Journal in 2017, AMD is a major cause of central visual loss which affects nearly 10% of the people older than 65 years and more than 25% of people older than 75 years. It is also reported that in the US approximately 2 million individuals have advanced AMD and more than 8 million individuals have an intermediate form of the disease. The number is expected to rise by 50% by 2020.On the other hand, certain factors restraining the growth of the market include the high cost associated with AMD. The current mainstay of treatment for AMD is anti-Vascular Endothelial Growth Factor agents (anti-VEGF) with demonstrated efficacy in improving visual acuity. There are various anti-VEGF drugs available to treat AMD, but three are most commonly used for the condition. Two of these, namely, Lucentis (ranibizumab) and Eylea (aflibercept) are specifically designed and are FDA-approved for the treatment of AMD. The third drug, Avastin (bevacizumab) was originally developed to treat cancer but is commonly used off-label in patients with AMD. The average cost of AMD treatment with Lucentis is approximately USD 2000, and with Eylea, it is around USD 1800. However, an average AMD treatment cost with Avastin is USD 50. Although Avastin carries a similarly high price tag, as Lucentis and Eylea, when used for colon cancer, in case of eye treatment, it is less expensive because only 1/40th of the drug is being used for each dose. The global market for age-related macular degeneration is estimated to reach USD 11,186.8 million by 2023, from USD 7,128.4 million in 2017. The market is projected to grow at a CAGR of 7.80%, during the forecast period of 2017 to 2023. On the basis of type, the market for age-related macular degeneration is segmented into dry age-related macular degeneration and wet age-related macular degeneration. By type, the market for wet age-related macular degeneration accounted for the largest market share in 2017. On the basis of stages, the market for age-related macular degeneration is segmented into early age-related macular degeneration, intermediate age-related macular degeneration, and late age-related macular degeneration. By stages, the market for intermediate age-related macular degeneration accounted for the largest market share in 2017. The global age-related macular degeneration market, by age group, is segmented into above 40 years, above 60 years, and above 75 years. By age, the market for above 75 years accounted for the largest market share in 2017. The global age-related macular degeneration, by diagnosis and treatment type, is segmented into diagnosis and treatment. The treatment segment holds the largest market share in the global age-related macular degeneration market, by diagnosis and treatment. On the basis of route of administration, the global age-related macular degeneration market is segmented into intravenous, intravitreal, and others. The intravitreal segment dominates the global age-related macular degeneration market. The global age-related macular degeneration market, on the basis of end-user, is segmented into hospitals and clinics, diagnostic centers, academic research institutes, and others. Hospitals and clinics hold the largest market share in the global age-related macular degeneration market. Key Players The key players for the age-related macular degeneration market are F. Hoffmann-La Roche AG, Regeneron Pharmaceutical Inc., Novartis AG, Bayer AG, Santen Pharmaceuticals co, and others. Study Objectives • To provide historical and forecast revenue of the market segments and sub-segments with respect to regional markets and their countries • To provide insights into factors influencing and affecting the market growth • To provide strategic profiling of key players in the market, comprehensively analyzing their market share, core competencies, and drawing a competitive landscape for the market • To provide economic factors that influence the global age-related macular degeneration marketTarget Audience • Pharmaceutical and Medical Device Industries • Potential Investors • Key Executive (CEO and COO) and Strategy Growth Manager • Research Companies Key Findings • The major market players in the global age-related macular degeneration market are F. Hoffmann-La Roche AG, Regeneron Pharmaceutical Inc., Novartis AG, Bayer AG, Santen Pharmaceuticals co, and others • F. Hoffmann-La Roche AG accounted for more than 13.2% share of the global age-related macular degeneration market • Based on type, the wet age-related macular degeneration segment commanded the largest market share in 2017 and was valued at USD 4,423.5 million in 2017 • Based on stages, the intermediate Age-Related Macular Degeneration (AMD) segment commanded the largest market share in 2017 and was valued at USD 3,224.6 million in 2017 • On the basis of region, the American region is projected to be the fastest growing region, at a CAGR of 7.86% during the forecast periodTable of Content: Key Points 1 Report Prologu \ No newline at end of file diff --git a/input/test/Test496.txt b/input/test/Test496.txt new file mode 100644 index 0000000..13ae6ce --- /dev/null +++ b/input/test/Test496.txt @@ -0,0 +1 @@ +Display Full Page Sun Pharma receives USFDA nod for solution used to treat dry eye disease Sun Pharma has received approval from the US health regulator for CEQUA (cyclosporine ophthalmic solution), used to increase tear production ... milestone in the development of Sun's Ophthalmics busin... Hero MotoCorp drives into used two-wheeler business with 'Hero Sure' brand Hero MotoCorp, the country's biggest two-wheeler maker, has made an entry into the used two-wheeler business to offer buyers an option to exchange their old motorcycle or scooter while purchasing a ne... Sun Pharma receives USFDA nod ophthalmic solution used to treat dry eye disease "The the US Food and Drug Administration (USFDA) approval of CEQUA represents a long-awaited dry eye treatment option and is an important milestone in the development of Sun's Ophthalmics business," R... UK used car sales steady throughout second quarter The UK's used car market held steady throughout the second quarter of 2018, as sales dropped only a marginal 0.4%. In the three months leading to 30 June, a total of 2.09m vehicles changed hands, just ... A professor who taught MBA students for 15 years says the jobs today's graduates dream of are very different from the ones they used to want But some research does suggest that graduates of top business programs, and programs geared toward entrepreneurship, are more likely to become entrepreneurs than they were in the past. Graduates from ... She Used To Dislike Whisky, Now She Runs A Business Where Almost All She Does Is Drink It Eiling Lim is a Malaysian independent bottler of whisky. Unlike mainstream whisky labels, Eiling personally samples casks from whisky distilleries abroad and bottles them based on uniqueness, taste, a... JetNet: Used Market Tightens with Inventory Lows The preowned business jet market tightened throughout the first half of the year and by June had dipped to the lowest percentage of aircraft for sale, 9.1 percent, since the beginning of the "Great Re... Used Car Sales with Repair & MOT Centre Business Sale Report is the UK's leading independent business for sale & distressed business listing service. Established in 1995, the report offers an up-to-the-minute, comprehensive overview of busi.. \ No newline at end of file diff --git a/input/test/Test4960.txt b/input/test/Test4960.txt new file mode 100644 index 0000000..23df7c9 --- /dev/null +++ b/input/test/Test4960.txt @@ -0,0 +1,3 @@ +.NET Reading binary data from .dat file - 17/08/2018 06:59 EDT +I have two .dat files. They contains game data that I need to read and edit the data inside so I can carry on with my translation project. I did some research and questions on the net and got some feedbacks that it requires to have some sort of binary file structure or using its exe to read it. I am no programmer, I do not understand any of it in fact. Since it is a game, I know it have a exe to run the .dat files and I think the files may be in .slk/csv format originally. The language is mixed english and chinese. +My budget is 30~50USD. I have attached an image and a zip file of the two .dat files for testing \ No newline at end of file diff --git a/input/test/Test4961.txt b/input/test/Test4961.txt new file mode 100644 index 0000000..23df7c9 --- /dev/null +++ b/input/test/Test4961.txt @@ -0,0 +1,3 @@ +.NET Reading binary data from .dat file - 17/08/2018 06:59 EDT +I have two .dat files. They contains game data that I need to read and edit the data inside so I can carry on with my translation project. I did some research and questions on the net and got some feedbacks that it requires to have some sort of binary file structure or using its exe to read it. I am no programmer, I do not understand any of it in fact. Since it is a game, I know it have a exe to run the .dat files and I think the files may be in .slk/csv format originally. The language is mixed english and chinese. +My budget is 30~50USD. I have attached an image and a zip file of the two .dat files for testing \ No newline at end of file diff --git a/input/test/Test4962.txt b/input/test/Test4962.txt new file mode 100644 index 0000000..c841934 --- /dev/null +++ b/input/test/Test4962.txt @@ -0,0 +1,14 @@ +OERu makes a college education affordable OERu makes a college education affordable Once you complete a course, take an assessment for college-level course credit. 17 Aug 2018 Don Watkins Feed 3 Get the newsletter Join the 85,000 open source advocates who receive our giveaway alerts and article roundups. +Open, higher education courses are a boon to adults who don't have the time, money, or confidence to enroll in traditional college courses but want to further their education for work or personal satisfaction. OERu is a great option for these learners. It allows people to take courses assembled by accredited colleges and universities for free, using open textbooks, and pay for assessment only when (and if) they want to apply for formal academic credit. +I spoke with Dave Lane , open source technologist at the Open Education Resource Foundation , which is OERu's parent organization, to learn more about the program. The OER Foundation is a nonprofit organization hosted by Otago Polytechnic in Dunedin, New Zealand. It partners with organizations around the globe to provide leadership, networking, and support to help advance open education principles . +OERu is one of the foundation's flagship projects. (The other is WikiEducator , a community of educators collaboratively developing open source materials.) OERu was conceived in 2011, two years after the foundation's launch, with representatives from educational institutions around the world. +Its network "is made up of tertiary educational institutions in five continents working together to democratize tertiary education and its availability for those who cannot afford (or cannot find a seat in) tertiary education," Dave says. Some of OERu's educational partners include UTaz (Australia), Thompson River University (Canada), North-West University or National Open University (ZA and Nigeria in Africa, respectively), and the University of the Highlands and Islands (Scotland in the UK). Funding is provided by the William and Flora Hewlett Foundation . These institutions have worked out the complexity associated with transferring academic credits within the network and across the different educational cultures, accreditation boards, and educational review committees. How it works +The primary requirements for taking OERu courses are fluency in English (which is the primary teaching language) and having a computer with internet access. To start learning, peruse the list of courses , click the title of the course you want to take, and click "Start Learning" to complete any registration details (different courses have different requirements). +Once you complete a course, you can take an assessment that may qualify you for college-level course credit. While there's no cost to take a course, each partner institution charges fees for administering assessments—but they are far less expensive than traditional college tuition and fees. +In March 2018, OERu launched a Certificate Higher Education Business (CertHE), a one-year program that the organization calls its first year of study , which is "equivalent to the first year of a bachelor's degree." CertHE "is an introductory level qualification in business and management studies which provides a general overview for a possible career in business across a wide range of sectors and industries." Although CertHE assessment costs vary, it's likely that the first full year of study will be US$ 2,500, a significant cost savings for students. +OERu is adding courses and looking for ways to expand the model to eventually offer full baccalaureate degrees and possibly even graduate degrees at much lower cost than a traditional degree program. Open source technologist's background +Dave didn't set out to work in IT or live and work in New Zealand. He grew up in the United States and earned his master's degree in mechanical engineering from the University of Washington. Fresh out of graduate school, he moved to New Zealand to take a position as a research scientist at a government-funded Crown Research Institute to improve the efficiency of the country's forest industry. +IT and open technologies were important parts of getting his job done. "The image processing and photogrammetry software I developed … was built on Linux, entirely using open source math (C/C++) and interface libraries (Qt)," he says. "The source material for my advanced photogrammetric algorithms was US Geological Survey scientist papers from the 1950s-60s, all publicly available." +His frustration with the low quality of IT systems in the outlying offices led him to assume the role of "ad hoc IT manager" using "100% open source software," he says, which delighted his colleagues but frustrated the fulltime IT staff in the main office. +After four years of working for the government, he founded a company called Egressive to build Linux-based server systems for small businesses in the Christchurch area. Egressive became a successful small business IT provider, specializing in free and open source software, web development and hosting, systems integration, and outsourced sysadmin services. After selling the business, he joined the OER Foundation's staff in 2015. In addition to working on the WikiEducator.org and OERu projects, he develops open source collaboration and teaching tools for the foundation. +If you're interested in learning more about the OER Foundation, OERu, open source technology, and Dave's work, take a look at his blog . Topics Education About the author Don Watkins - Educator, education technology specialist, entrepreneur, open source advocate. M.A. in Educational Psychology, MSED in Educational Leadership, Linux system administrator, CCNA, virtualization using Virtual Box. Follow me at @Don_Watkins \ No newline at end of file diff --git a/input/test/Test4963.txt b/input/test/Test4963.txt new file mode 100644 index 0000000..f32fd17 --- /dev/null +++ b/input/test/Test4963.txt @@ -0,0 +1,12 @@ +More than 200 bands from 13 countries are taking part in this year's World Pipe Band Championships. +The event, know as "the worlds", returns to Glasgow on Friday and Saturday. +In total, around 8,000 pipers and drummers in 214 bands are competing for the ultimate prize in the two-day competition on Glasgow Green. +More than a quarter of the competitors are coming from overseas with New Zealand, Denmark, Canada, Oman and Zimbabwe among the nations represented, organisers said. +Ian Embelton, chief executive of the Royal Scottish Pipe Band Association, said: "Year after year, pipe bands across the world head to Glasgow and the World Pipe Band Championships to compete and test themselves against their peers. +"The competition this year is the fiercest it has ever been with the standards across each grade higher than ever. +"We are looking forward to another memorable occasion knowing that whoever comes out on top on Saturday night will deserve to be world champions." +Glasgow first staged the event in 1948 and has been the host city every year since 1986. +The chieftain of the 2018 event is Glasgow's Lord Provost, Eva Bolander, who first visited the city as a piper in a band. +She said: "Glasgow and the World Pipe Band Championships are inextricably linked and we love welcoming pipers and drummers from all over the world to compete. +"I know what it's like to put months of work into rehearsing as part of a band to head into the arena to be judged on one single performance. +"The musical ability on display at Glasgow Green this weekend, coupled with the friendly rivalry brings an atmosphere and experience that simply can't be matched. \ No newline at end of file diff --git a/input/test/Test4964.txt b/input/test/Test4964.txt new file mode 100644 index 0000000..337357b --- /dev/null +++ b/input/test/Test4964.txt @@ -0,0 +1,14 @@ +Citizens Advice Wiltshire shares tips to help Universal Credit applications run smoothly Suzanne Wigmore, CEO of Wiltshire Citizens Advice 1 comment Citizens Advice Wiltshire is sharing tips on how people can best prepare for making a Universal Credit application so they can be paid on time. +This follows the release of a new report from national Citizens Advice which finds a third of people who were helped by the charity struggle to provide the evidence needed to finish off their Universal Credit application. +Over the past year, Citizens Advice Wiltshire helped more than 1,200 people with a Universal Credit related problem. +Citizens Advice Wiltshire has the following advice for anyone making a claim for Universal Credit: +� Provide evidence as soon as possible to make sure you're paid in full and on time. If you need to apply for extra costs, like housing, you will need to show additional paperwork. +� Make sure you check you have completed all the stages of the claim. After making an initial online claim, you need to book a Jobcentre appointment. In total there are 10 stages which need to be completed, some of which are time sensitive. If you miss a deadline, you might have to start the process again. +� If you get stuck, ask for help. If you're struggling to fill in the online application form or have problems providing the right paperwork, ask for help as soon as possible so your payment isn't delayed. +The report recommends that the government simplifies the claims process, makes it easier to provide evidence for extras costs, and ensure adequate support is on offer to people making claims. +Suzanne Wigmore, Chief Executive of Citizens Advice Wiltshire, said: "Since July last year when full service Universal Credit was rolled out across Wiltshire, we have helped with more than 2,000 problems with the new benefit. +"Universal Credit is now the largest single issue that people are turning to us for help with; and in most cases the problems occurred during the initial application process. +"Making an application for Universal Credit can be complex, and there are many different stages to get through before crossing the finish line. +"This new research shows that providing the right paperwork for extra costs is one of the stages which causes the most headaches for people. +"The government should look at making it easier to provide evidence online and people should also be aware of what's required of them so they receive their payment on time." +Anyone needing advice when applying for Universal Credit should contact Wiltshire Citizens Advice on 03444 111 444 or drop into your local Citizens Advice office. Details of your nearest office can be found on our website: cabwiltshire.org.uk \ No newline at end of file diff --git a/input/test/Test4965.txt b/input/test/Test4965.txt new file mode 100644 index 0000000..ce72b18 --- /dev/null +++ b/input/test/Test4965.txt @@ -0,0 +1,5 @@ +Government given two weeks to respond to Brexit legal challenge +Government lawyers have been given a two-week deadline to respond to the latest legal challenge over the legitimacy of the Brexit vote. A judicial review has been launched by the UK in EU Challenge group, which represents Britons living in France, Italy and Spain. It argues that the Electoral Commission's findings on BeLeave and Vote Leave, which resulted in two officials being reported to the police and fines being imposed, mean the 2016 EU referendum was not a lawful, fair or free vote. On Thursday, Mr Justice Warby issued a high court order requiring those representing Theresa May and... read more Guardian , Tuesday, 15:35 in World News Orca mother finally abandons dead calf she carried for more than two weeks +Researchers say an endangered killer whale thatcarried her dead calf on her head for more than two weeks has finally abandoned the calf's body and is back to feeding and frolicking with her pod. The Center for Whale Research in Washington state says... Guardian , Monday, 01:52 in World News Supreme Court sits for second day on historic Brexit legal challenge +The Supreme court is set to hear a second day of argument in the historic Brexit legal challenge. James Eadie QC, for the Government, will continue his attempt to persuade 11 Supreme Court justices to rule in its favour over its planned strategy for... Daily Post , 6 December 2016 in World News High Court blocks fresh Brexit legal challenge after eagle-eyed campaigners spot technicality that would... +A fresh legal challenge over Brexit has been blocked by the High Court on the grounds that it is "premature". Parliament has already given the Government its approval to trigger Brexit under Article 50 of the Lisbon Treaty to start the exit... Daily Record , 3 February 2017 in World New \ No newline at end of file diff --git a/input/test/Test4966.txt b/input/test/Test4966.txt new file mode 100644 index 0000000..08e66d6 --- /dev/null +++ b/input/test/Test4966.txt @@ -0,0 +1,10 @@ +Briggs & Stratton To Consolidate Warehouses Into Two New U.S. Distribution Centers To Increase Efficiencies And Accessibility +Company will lease 700,000 square foot facility in Germantown and 400,000 square foot facility in Auburn +MILWAUKEE, Aug. 17, 2018 /PRNewswire/ -- Briggs & Stratton Corporation today announced its decision to consolidate a number of its smaller existing warehouses throughout the U.S. into two large warehouses in Germantown, Wisconsin and Auburn, Alabama. Both facilities are expected to be operational in spring 2019. +The Germantown facility will be part of the newly approved industrial park near Holy Hill Rd. and Hwy 41, serving as a 700,000 square foot distribution center for Briggs & Stratton ® engines and products. This space will be in addition to the Company's existing service and parts distribution center located in Menomonee Falls, Wisconsin. The Company does not anticipate significant staffing changes given the consolidation of smaller local facilities. The Village of Germantown and Washington County plan to support the project with an attraction fund commitment and developer TIF funding. +The Auburn facility will be a 400,000 square foot distribution center, also for engines and products. This facility positions Briggs & Stratton's inventory in the optimal location to best supply its customers with shorter delivery times in this region of the U.S. The City of Auburn, the Industrial Development Board of the City of Auburn (IDB) and the State of Alabama plan to support the project with available incentives. This will create approximately 20 new jobs in the City of Auburn. +"By consolidating our current footprint into two large distribution centers, we're increasing efficiencies to more effectively serve our customers," states Bill Harlow, director of global distribution and warehousing at Briggs & Stratton. "The locations in Germantown and Auburn will provide a North American enterprise distribution footprint that supports our strategy and customers with optimal inventory and order delivery while managing space and capital investment." +"This decision aligns with our commitment to invest in being a partner of choice and easy to do business with," said Dave Rodgers, senior vice president and president - engines and power at Briggs & Stratton. "We're already enhancing two of our existing plants in Auburn, Alabama and Statesboro, Georgia to bring production of our commercial Vanguard ® V-Twin engines back to the U.S., and we're continuously investing in our research and development efforts to create products that help make work easier and lives better - it's an exciting time to be at Briggs & Stratton." +The company has warehouses throughout the world, allowing efficient access to best support its customers worldwide. + washer, Stratton ® , Simplicity ® , Snapper ® , Ferris ® , Vanguard ® , Allmand ® , Billy Goat ® , Murray ® , Branco ® and Victa ® brands. + releases/briggs--stratton-to-consolidate-warehouses-into-two-new-us-distribution-centers-to-increase-efficiencies-and-accessibility-300698635.htm \ No newline at end of file diff --git a/input/test/Test4967.txt b/input/test/Test4967.txt new file mode 100644 index 0000000..54add4b --- /dev/null +++ b/input/test/Test4967.txt @@ -0,0 +1 @@ +Global Cataract Surgery Devices Market Research Report 2018 , 17 August 2018 -- Bharat Book Bureau Provides the Trending Market Research Report on "2018-2023 Global and Regional Cataract Surgery Devices Market Production, Sales and Consumption Status and Prospects Professional Market Research Report " under Life Sciences category. The report offers a collection of superior market research, market analysis, competitive intelligence and industry reports. The Cataract Surgery Devices Market was $6554.02 million in 2014, and is expected to reach $9908.92 million by 2023, registering a CAGR of 4.7% during the forecast period. Cataract is an eye disease in which the natural lens of eye gets clouded. The people having cataract it's like seeing through fogged-up window with the clouded lens. The cataract can be removed by surgery, where the surgeon replaces the clouded lens with a clear plastic intraocular lens (IOL). Nine out of ten people regain a very good vision after the surgery. The cataract surgery devices and instruments such as balanced salt solution, ophthalmic viscoelastic devices, phacoemulsification systems, drapes, gloves, intraocular lenses, irrigation set, and forceps, which assist in this cataract surgical procedure, as these serve as an appropriate instrument for such eye defects surgery without causing any harm to cornea. The number of increasing cataract diseased people as well as technological advancements in ophthalmic surgical devices is booming the market. By the projections of Indian Journal of Ophthallogy, its seen that among those aged 50+ years, the amount of cataract surgery would double (3.38 million in 2001 to 7.63 million in 2020) and cataract surgical rate would increase from 24025/million 50+ in 2001 to 27817/million 50+ in 2020. Request a free sample copy of Commercial Cataract Surgery Devices Market Report @ https://www.bharatbook.com/MarketReports/Sample/Reports/1203285 Drivers & Restrains The global market is driven by the increasing number of population suffering from cataract disorders which may be due to medical conditions and due to natural phenomenon. The number of less skilled professional in this field and due to less awareness about the cataract disorders is delaying the growth of the global cataract surgery devices market. One of the reasons of restrains associated with cataract surgeries is high cost, when it comes to developing countries, like India, South Africa, Brazil, and China. The increased investment for developing efficient devices for cataract surgery all over the globe, like Zepto capsulotomy system by Mynosys Cellular Devices are creating great deal of profit for key market players. End User Outlook and Trend Analysis The end user or applications of Cataract Surgery Devices are Ophthalmology Clinics, Hospitals and Ambulatory Surgery Centers. The number of Ophthalmology Clinics is on a rise due to rise in the number of patients. The developing awareness regarding healthcare and additionally activities by the administration and nongovernment associations, to control and forestall cataract disorder by early detection is a main factor in charge of the market development. For example, the Cataract Blindness Control Program is in progress in India partnering with Aravind Eye Hospital and other NGOs for delivering of services. Competitive Insights China is helping in the growth of Cataract Surgery Devices market. Market Scope forecast for China's $2.6 billion ophthalmic market is that it will grow at a (CAGR) of 11.3 percent over the next five years to $4.5 billion. The leading players in the market are Johnson & Johnson, Abbott Laboratories, Novartis AG, Topcon Corporation, Essilor International S.A., Ziemer Ophthalmic Systems AG, Nidek Co. Ltd., Carl Zeiss Meditec AG,Valeant Pharmaceuticals International, Inc., and HAAG-Streit Holding AG. The Cataract Surgery Devices Market is segmented as follows- By Produc \ No newline at end of file diff --git a/input/test/Test4968.txt b/input/test/Test4968.txt new file mode 100644 index 0000000..81961ac --- /dev/null +++ b/input/test/Test4968.txt @@ -0,0 +1,22 @@ +Sorry, but your browser needs Javascript to use this site. If you're not sure how to activate it, please refer to this site: http://www.enable-javascript.com/ Cristiano Ronaldo set for Serie A debut with Juventus AFP-JIJI SHARE +MILAN, ITALY – Cristiano Ronaldo will make his much-anticipated Serie A debut for Juventus, which opens its campaign for an eighth straight Italian League title on Saturday against a somber backdrop of a country in mourning following the Genoa bridge disaster. +The five-time Ballon d'Or winner was the star signing of the summer season arriving amid great pomp and ceremony following a €100 million ($117 million) deal from Real Madrid. +But it could be a low key start for the 33-year-old Portuguese superstar against minnows Chievo in Verona's Stadio Bentegodi on Saturday on a day of national mourning for the victims of the Morandi bridge tragedy in the northwestern port city. +The emotional impact of the disaster has led to the postponement of Serie A games involving local teams Sampdoria and Genoa, which had been due to open their campaigns against Fiorentina and AC Milan. +But all other games will go ahead starting on Saturday — the day of the 38 victims' funerals — with last season's top two teams Juventus and Napoli in action. +A minute's silence will be held before each match with the players taking to the pitch wearing black armbands. +Much is expected of Ronaldo's presence in the Italian League this season after the low of Italy missing out on qualifying for the World Cup in Russia. +"He's going to raise the level of the championship," said Italian soccer legend Dino Zoff. +"Everyone can benefit. With Ronaldo all eyes will be on us and Serie A can regain ground. His purchase will result in the arrival of other big names to Serie A." +Midfielder Sami Khedira said he was eager to play alongside Ronaldo again, and forget his own dire World Cup campaign where Germany crashed out in the group stage. +"I can't wait to start the new season, and it's also fantastic to be able to play with Ronaldo again after the time we shared together at Real Madrid," Khedira said on Instagram. +"Despite the excitement for the new season though, this was one of the most difficult summers of my career. +"After a good season at Juventus in which I scored nine goals, I played my two worst games at the World Cup and it was awful." +As Ronaldo takes center stage at his new team, the surprise could be in defense with Andrea Barzagli and new signing Joao Cancelo vying for the role of right back. +World Cup winner Blaise Matuidi has just returned to action, and coach Massimiliano Allegri could play new midfield signing Emre Can and Khedira alongside Miralem Pjanic and Juan Cuadrado. +Napoli turns back to its quest for a first title since the days of Argentine star Diego Maradona in 1987 and 1990 after pushing Juventus to the finish line last season. +After claiming a record 91 points for a league runner-up, Maurizio Sarri exited the club for Chelsea with Italian Carlo Ancelotti making his return to Serie A for the first time in nearly a decade. +The much-travelled Italian arrives in Naples boasting three Champions League trophies from his spells with AC Milan and Real Madrid, and a Premier League title from his two-year stint at Chelsea. +Eusebio di Francesco's Roma — third last season — travels to Torino with Inter Milan, which also qualified for the Champions League visiting Sassuolo on Sunday, as Bologna and SPAL, who both survived last season going head-to-head in a bid to start the season on a positive note. +Among the newcomers, Parma returns to the top flight only three years after being declared bankrupt, hosting Udinese in its first game. +Also returning to Serie A is Empoli, a team from Florence, which starts at home against Cagliari, and Frosinone, from south of Rome, which travels to Atalanta on Monday. LATEST SOCCER STORIE \ No newline at end of file diff --git a/input/test/Test4969.txt b/input/test/Test4969.txt new file mode 100644 index 0000000..e81edc2 --- /dev/null +++ b/input/test/Test4969.txt @@ -0,0 +1,12 @@ +Western Europe's HCP market slides again +August 15, 2018 +New research by IDC has shown a 5.8 percent decrease in the region's printer and MFP market in the second quarter of 2018, compared to the same period of 2017. +The new data means that for the first half of the year overall, the market had fallen by 3.6 percent year-on-year, or more than 273,000 units. Across the board, most major segments witnessed a decline but there were some growth segments such as A3 inkjet MFPs, A3 colour laser MFPs, and high-speed inkjets. +The inkjet market contracted by 4.5 percent, with notable falls in the consumer markets. Business inkjet shipments also fell slightly, but they remain positive for the first half of 2018. The main year-on-year decline was seen in the A4 markets, but the A3 inkjet MFP market continues to increase (by 12.6 percent) and there were increases in both the desktop and standalone markets as the technology becomes more popular in many industries. Overall inkjet printer sales declined by more than a third, while overall inkjet MFP shipments dipped slightly. +Laser markets were again subdued, declining by 8.5 percent. Both printer and MFP markets slid, with the worst performing segments being the A4 colour printer market (which declined by a third) and the A3 monochrome MFP market (which declined by a fifth). The only segment to see growth was the A3 colour MFP market (3.1 percent), despite the continued growth in the A3 inkjet market. +Following on from Q1, the high-speed inkjet market increased by over a third, showing the popularity of these production devices, with particularly strong growth in the continuous feed and label and packaging markets. +"The hardcopy markets have now declined year on year for the fourth straight quarter at an average rate of 3.8 percent," said Phil Sargeant, Programme Director in IDC's Western European Imaging, Hardware Devices, and Document Solutions group. "It is clear that the long-term growth prospects for the overall market is negative with many OEMs suffering sales declines, but there are those that have invested in new segments and are now reaping the reward of growth in an otherwise declining market." +On a country-by-country basis, there were declines in Germany, France, and the UK. Germany, the region's largest market, fell by 16.1 percent, a decline of 185,000 units, with two-thirds inkjets and the other third lasers. +Shipments in France in Q2, meanwhile, fell 3 percent, although inkjet shipments increased by 2.3 percent, with the damage being done by a 17.3 percent decline in laser shipments. +The UK, however, saw an increase in laser shipments, by 3 percent, although inkjet shipments decline by 6.7 percent, meaning an overall drop of 4.6 percent. +However, certain other countries recorded positive results, particularly Belgium, Italy, Portugal, Spain, and Switzerland \ No newline at end of file diff --git a/input/test/Test497.txt b/input/test/Test497.txt new file mode 100644 index 0000000..1046b24 --- /dev/null +++ b/input/test/Test497.txt @@ -0,0 +1 @@ +PR Agency: Wise Guy Research Consultants Pvt Ltd Global Neuroendoscopy Industry Global Neuroendoscopy Industry New Study On "2018-2025 Neuroendoscopy Market Global Key Player, Demand, Growth, Opportunities and Analysis Forecast" Added to Wise Guy Reports Database The report covers the analysis and forecast of the neuroendoscopy market on global as well as regional level. The study provides historic data of 2016 along with the forecast for the period between 2017 and 2025 based on revenue (US$ Mn). The study provides a detailed view of the neuroendoscopy market, by segmenting it based on by device type, by surgery type, and regional demand. Robust rising demand for negligibly aggressive surgery measures in the past several years propels the growth for the neuroendoscopy market. Growing occurrence of brain tumor cases is another prime factor driving the market demand. Additionally, increasing rate of pituitary tumors along with intraventricular hemorrhage fuel the demand of this market. Regional segmentation includes the current and forecast demand for North America, Europe, Asia Pacific, Middle East and Africa and Latin America. The segmentation also includes by device type, and by surgery type in all regions. These include different business strategies adopted by the leading players and their recent developments. Try Sample Report @ www.wiseguyreports.com/sample-request/3289675-global-neur... A comprehensive analysis of the market dynamics that is inclusive of market drivers, restraints, and opportunities is part of the report. Additionally, the report includes potential opportunities in the neuroendoscopy market at the global and regional levels. Market dynamics are the factors which impact the market growth, so their analysis helps understand the ongoing trends of the global market. Therefore, the report provides the forecast of the global market for the period from 2017 to 2025, along with offering an inclusive study of the neuroendoscopy market. The report provides the size of the neuroendoscopy market in 2017 and the forecast for the next eight years up to 2025. The size of the global neuroendoscopy market is provided in terms of revenue. Market revenue is defined in US$ Mn. The market dynamics prevalent in North America, Europe, Asia Pacific, Middle East and Africa and Latin America has been taken into account in estimating the growth of the global market. Market estimates for this study have been based on revenue being derived through regional pricing trends. The neuroendoscopy market has been analyzed based on expected demand. Bottom-up approach is done to estimate the global revenue of the neuroendoscopy market, split into regions. Based on device type, and surgery type the individual revenues from all the regions is summed up to achieve the global revenue for neuroendoscopy. Companies were considered for the market share analysis, based on their innovation and revenue generation. In the absence of specific data related to the sales of neuroendoscopy several privately held companies, calculated assumptions have been made in view of the company's penetration and regional presence. The report covers a detailed competitive outlook that includes the market share and company profiles of key players operating in the global market. Key players profiled in the report include Adeor Medical AG, Ackermann Instrumente GmbH, B. Braun Medical Inc., Karl Storz GmbH & Co. KG, LocaMed Ltd., Medtronic, Schindler Endoskopie Technologie GmbH, Tonglu WANHE Medica Instrument Co., Ltd., and Visionsense Corporation. The global neuroendoscopy market has been segmented into: Global Neuroendoscopy Market: By Device Type • Rigid neuroendoscope \ No newline at end of file diff --git a/input/test/Test4970.txt b/input/test/Test4970.txt new file mode 100644 index 0000000..413ef0f --- /dev/null +++ b/input/test/Test4970.txt @@ -0,0 +1 @@ +5 min ago London Telegraph Google has been working on an app to bring its censored search engine back to mainland China, in a move that would allow the US technology company to reach the 772m internet users in China who cannot currently use its services. [ Read More ] Aretha Franklin's Family Planning Open Casket Public Viewing at Detroit Museum 59 min ago TMZ Aretha Franklin's family has chosen a huge venue for her memorial ... one that the singer loved. [ Read More \ No newline at end of file diff --git a/input/test/Test4971.txt b/input/test/Test4971.txt new file mode 100644 index 0000000..290b2e4 --- /dev/null +++ b/input/test/Test4971.txt @@ -0,0 +1,3 @@ +MP3 Support Toyota Camry 2013 +Quick Review The 2013 Toyota Camry has been redesigned with new or noted features being an automatic transmission, better mileage and a much large... Read More ... Toyota Camry 2012 +Quick Review The 2012 Toyota Camry has been redesigned with new or noted features being an automatic transmission, better mileage and a much large.. \ No newline at end of file diff --git a/input/test/Test4972.txt b/input/test/Test4972.txt new file mode 100644 index 0000000..c586741 --- /dev/null +++ b/input/test/Test4972.txt @@ -0,0 +1,34 @@ +You won't believe these got crowdfunded! 0:46 +The weird and wonderful projects that you need to see to believe that they got funded! April 26th 2018 /display/newscorpaustralia.com/Web/NewsNetwork/Technology - syndicated/ 2018 Young Australian of the Year Finalist Macinley Butson is an inventor. Source:News Corp Australia MACINLEY Butson was only in year 6 when she came up with her first genius idea. +Usually kids don't want to take medicine, but Macinley was different. +She realised when she took cough syrup in a measuring cup there was often some left behind and she wasn't really getting the required dose. +Then came the spoonge — a cross between a syringe and spoon — that delivers just the right amount of medicine. +"This little invention combines the measuring accuracy of a syringe with a spoon that delivers all of the medicine but is incredibly inaccurate," the 17-year-old said. +"The spoonge device is an old one but a good one." +Macinley points out it's an old one because she's invented several other things since. +From a device that keeps garden snails away instead of poison, to a solar power system that filters dirty water to make it usable, the year 12 student comes up with her own research projects as a side hobby. +Perhaps her greatest invention though is a shield that's been shown to protect women from radiation during breast cancer treatment. +The 2018 NSW Young Australian of the Year and Youth Ambassador for this year's Sydney Science Festival came up with the idea during a simple conversation over the family dinner table. +That was two years ago. Now she's set up a business with her brother Ethan while she finishes her studies at Illawarra Grammar School. +The pair have patented the 'Smart Armour' and have Therapeutic Good Association approval to roll the invention out in hospitals which they are in talks with across Australia. Macinley Butson has done more in her 17 years than some people do in their lifetime. Source:News Corp Australia +Macinley was lucky enough to do her testing at the Chris O'Brien Lifehouse cancer care centre in Sydney. Her dad also works in radiation therapy, which is how the invention came about. +"It was a conversation over the dinner table," she said. +"We were casually talking about this issue, the breast not being treated for cancer (was) receiving some radiation during treatment. That sparked my interest and I came up with the idea from there, which blocks up to 80 per cent of radiation." +The craziest part is Macinley works on these research projects in her own time, starting from scratch and teaching herself the science behind the idea. +"It's all a long process," she said. +"One of the things people overlook is I usually spend a year on these projects. +"It starts from the very basic stage of research, reading journal articles and informing my own knowledge which starts from nothing." +Macinley found scale maille, a type of medieval armour, was the best option for her shield. +"It was pretty awesome," she said. +"Clinically, most centres don't use any type of shielding and that's what I was trying to solve. +"Oncologists have a very busy job and a lot of the focus has been on treating patients. A study come out that one in 14 women who had radiation therapy developed another primary cancer later in life, so a lot of these concerns we are only becoming aware of now." Back in the day: Macinley and her brother Ethan Butson at the CSIRO Science Awards. Source:News Limited +Macinley started this project in year 10 and can't wait to see it come to fruition in hospitals if the business takes off. +"It's the project that has the most relevance because cancer is the second leading cause of deaths around the world," she said. +"Everyone is looking at curing cancer but one thing I wanted to do was improve the outcomes for people going through treatment." +She has already travelled to Stockholm with the Australian Water Association for the junior water prize and is in talks with them about getting her solar system implemented in developing countries. +She also recently returned from two months studying at MIT University in Boston. +In 2017 she became the first Australian to win the top medicine prize at the prestigious INTEL International Science and Engineering Fair for her Smart Armour. +"I have a research project each year, it's one of my passions," she said. +"It's something I like to come up with in these projects, is an invention that addresses an issue I've looked at that year. +"It usually just happens by chance and I set out to see what can I do to contribute to this issue." +The Sydney Science Festival ends this weekend. trending in technolog \ No newline at end of file diff --git a/input/test/Test4973.txt b/input/test/Test4973.txt new file mode 100644 index 0000000..24683ad --- /dev/null +++ b/input/test/Test4973.txt @@ -0,0 +1,11 @@ +http://twitter.com/nirsoft View and control Windows event log channels +EventLogChannelsView is a simple tool which lists all your system's event log channels (routes software might use to log events). +Details you'll see include the channel name, event log filename, enabled/disabled status, current number of events in the channel, and more. +You can also select one or more channels, set their maximum file size or clear all their events. +Even if you've no idea what most of this means, the program may give you some useful information. +We found our test system had a "Kaspersky Event Log", for instance, even though its last Kaspersky package was uninstalled long ago. +We were able to sort our channels by the number of events they contained, which might sometimes highlight particular issues (an unusual channel that's suddenly getting lots of events). +Just seeing that a particular channel exists might be useful. We noticed "Microsoft-IE/Diagnostic", for example. It was disabled, but would enabling it help us troubleshoot IE issues? We've no idea, but it might be worth a try. +Version 1.17: +You can now resize the properties window, and the last size/position of this window is saved in the .cfg file. Verdict: +EventLogChannelsView is a simple tool which provides event channel information and functions which you can't easily access in other ways. It's not for the average home user, though, and even more technical types will probably run it once, then never again \ No newline at end of file diff --git a/input/test/Test4974.txt b/input/test/Test4974.txt new file mode 100644 index 0000000..2a8801a --- /dev/null +++ b/input/test/Test4974.txt @@ -0,0 +1,40 @@ +Home » Animals & Pets » A bee economist explains… A bee economist explains honey bees' vital role in growing tasty almonds By The Associated Press August 17, 2018 6:15 am 08/17/2018 06:15am Share +(The Conversation is an independent and nonprofit source of news, analysis and commentary from academic experts.) +Brittney Goodrich, Auburn University +(THE CONVERSATION) It's sometimes reported that one in every three bites of food depends on bees. As is often the case when an easy to grasp notion spreads, there's a dose of truth and a dollop of exaggeration. +The stat is based on a 2007 study that found that 35 percent of the world's food crops depend on animal pollinators of one kind or another to enable pollination and seed production +While some crop pollination happens naturally, there's a commercial side to this as well. And that's where buzzing honey bees enter the picture. They represent by far the most commercialized provider of pollination services, with farmers across the world paying beekeepers to ferry their hives into fields of apples and almonds so that the bees flit from flower to flower, transferring pollen and allowing the fruit and nuts to develop. +My own research has focused on the vital importance of honey bees to California's almond production, an industry worth US$11 billion to California's economy. And in fact, almonds are also vital to the health of American beekeeping operations. +As the world celebrates Honey Bee Day on Aug. 18, I thought it'd be a good time to explore the economics of beekeeping. +The beekeeping business +Most of us do not think of honey bees as livestock. We tend to imagine them buzzing around flowers in the wild, minding their own business until we occasionally get in the way of their stingers. However, for the majority of honey bee colonies in the United States, thinking of them as livestock is the best characterization. +Beekeepers, also known as apiarists, utilize the natural population dynamics of honey bee colonies to produce honey and provide pollination services. Beekeepers move their colonies all over the country tracking forage to cut down on supplemental feeding costs and provide colonies with pest and disease treatments when necessary. +The more than 20,000 beekeepers in the U.S. differ in how they operate, but a typical migratory pattern might go as follows: The beekeeping year begins in January waiting for almonds to bloom in California. Once almond bloom is over, the beekeeper moves colonies up through the Pacific Northwest pollinating apples and other spring-blooming crops. In May, the beekeeper takes the colonies to North Dakota to produce honey from clover, canola and sunflowers. +As honey production slows in the fall, the beekeeper returns to California to await almond pollination in January, and the cycle begins all over again. +It is difficult to pinpoint how many beekeepers reside in each state due to the migratory nature of beekeeping operations, however most beekeepers have at least one of their home bases in either North Dakota or South Dakota. There is a lot of potential for honey production in these areas, in fact North Dakota typically produces at least twice as much honey as any other state. +Research has found that the beekeeping industry is dominated by large enterprises that manage, on average, around 4,000 colonies. Such operations control about half of all U.S. bee colonies. +But even as beekeepers move around to keep their bees healthy and happy, winter always takes a toll. Historically, beekeepers have expected around 15 percent of their colonies to die from October to April because of the cold temperatures and lack of winter forage. Loss rates have almost doubled to 28 percent since the early 2000s due to a combination of stress, pests, diseases and pesticide exposure. +The actual population of honey bee colonies, however, has been little affected. That's because beekeepers have adjusted their practices by creating more colonies going into the winter months to deal with the high loss rates. Beekeepers can create more colonies by purchasing additional queens from honey bee queen breeders and splitting one colony into two. +This comes with a cost, however, and is making beekeeping less profitable, which could eventually drive many beekeepers out of business. +Bees love almonds +And more beekeepers closing down would be bad news for the world's food supply because many crops, including apples, watermelon, cherries and cucumbers, currently rely on commercially raised honey bee colonies for pollination. +Perhaps no crop needs them more than California almonds. And likewise, no single crop matters more to beekeepers' bottom lines than California almond pollination, which currently makes up over a third of U.S. beekeeping revenues. +California is the world's biggest supplier of almonds, making up 77 percent of all production in 2017. If you have eaten an almond recently, chances are it came from a tree in California's Central Valley. +Most varieties of almond trees require cross-pollination – the transfer of pollen from one tree variety to another – to produce any nuts at all. Almond trees are not wind pollinated easily, so for commercial orchards in California, this requires honey bee colonies to efficiently pollinate and produce nuts. +You may be envisioning a single honey bee hive in a beautiful orchard of flowering almond trees. If so, you are partly right, but the scale is hard to fathom. +Roughly 1 million acres of almond trees collectively bloom over a three-week period every February, creating spectacular scenic views but also putting enormous pressure on the farmers to pollinate them quickly. Each almond acre requires roughly two honey bee hives, each of which typically houses one colony of about 20,000 bees. With 2 million hives needed, that's well more than half of the total U.S. hive population. +The logistics of pollinating almond trees +This is quite the logistical feat so let's take a closer look to see how it's done. +In 2017, beekeepers in North Dakota, Idaho, Florida and other states shipped 1.7 million colonies to California to pollinate almond trees, or about 64 percent of the total population as of Jan. 1. The bees travel in semi-truck loads of 400 to 500 colonies each. +One reason so many beekeepers make the long trek is because almond pollination fees are especially high. The average price of $171 per hive in 2017 was more than three times the rate for other crops later in the spring. +Now you might be wondering, how does a grower know the orchard is being effectively pollinated once the hives are in place? In other words, how can we tell if the bees are doing their jobs? +As you can imagine, an almond grower might not be very excited about sticking her head into a hive to make sure. Not to mention there are millions of blooms in an acre of almonds. With more than 33 billion bees buzzing about, tracking pollination is relatively difficult. +The way they do this is to hire a third-party inspector to measure "colony strength." An inspector opens up some of the hives and estimates the number of bees within the hive by pulling out removable frames. The idea is that if a hive has eight frames covered with bees, it has enough strength to properly pollinate the trees in its vicinity. +Colony strength requirements are often written into almond pollination contracts, which is why colonies with more bees often receive higher pollination fees. +Be thankful for bees – and their keepers +It's hard to overestimate the importance of California almonds to the stability of U.S. beekeepers' overall health. +If the problems plaguing honey bee colonies continue or even worsen, this could make it a lot harder to supply enough bees for the February almond blooms, which would mean a sharp loss in beekeeping revenues. This in turn makes it harder to buy extra queens needed to keep the overall populations up and deal with bee health issues throughout the year. +It is important for scientists to continue doing research on colony health issues to ensure that the U.S. beekeeping industry can continue to thrive and provide our tables with fruit and vegetables – as well as honey, of course. +But it all comes back to those California almonds. So next time you eat one, be thankful for honey bees and their keepers. +This article was originally published on The Conversation. Read the original article here: http://theconversation.com/a-bee-economist-explains-honey-bees-vital-role-in-growing-tasty-almonds-101421. +Copyright © 2018 The Associated Press. All rights reserved. This material may not be published, broadcast, written or redistributed. More New \ No newline at end of file diff --git a/input/test/Test4975.txt b/input/test/Test4975.txt new file mode 100644 index 0000000..b65d609 --- /dev/null +++ b/input/test/Test4975.txt @@ -0,0 +1,17 @@ +(Bloomberg Opinion) -- Investors and analysts who think that all Tencent Holdings Ltd. needs is for Beijing to restart the approval of new games may be missing the bigger picture. +Troubles at the Chinese internet giant started late last year, well before the regulatory foot-dragging on the monetization of PUBG Mobile that culminated in a halt on licenses for the games. +Fourth-quarter numbers showed quite clearly that Tencent had joined the ranks of internet mortals. Beyond revenue trailing estimates, user growth was slowing and gross margins fell to a record low. "It's about to get worse," I wrote then. And it did. +An uptick in gross margin during the first quarter might have suggested things were on the mend, but that was a mirage. Another record low was reported for the June quarter, and analysts see the slide continuing. +Speaking of margins: Tencent has been able to pad out the operating line by deciding that gains on investments are an operating item, instead of non-op, a policy with which I disagreed. By stripping out investments, I calculated "core" operating margins and noted that in the first quarter, for example, there was a 12 percentage-point difference between reported operating margins and those for the underlying business of games, ads, social and content. There's actually no difference to the bottom line, but delineating the two can help investors understand the performance of the businesses Tencent operates versus those it doesn't. +Declaring that returns on the $22.2 billion investment portfolio are an operating item cuts both ways, however. I noted last November that Tencent's holdings of other companies, private and public, would be a swing factor making earnings increasingly unstable. That chicken came home to roost in the second quarter, with Tencent reporting that the net other gains line item dropped 51 percent to the lowest point since 2016. The amount isn't trivial: That decline is equal to 15 percent of the net income it reported for the period. +As if that's not enough, investors should be warned that the company's single largest investment is China Literature Ltd., whose stock has fallen 32 percent since Tencent's last balance sheet date June 30, and for which analysts expect operating margins to decline during the second half. Tencent's third-largest investment is Tesla Inc. +It's tempting for Tencent to tap its WeChat (aka Weixin) app to drive ad sales. The company did just that in the second quarter, with President Martin Lau saying this week that it upped the daily limit to two ads per day per feed, from one. Yet Lau wants to continue restraining ads, so investors probably shouldn't expect a flood of new revenue from that base of 1.06 billion users. +Investors who believe the worst is over may also be missing structural issues that won't disappear soon. +Among them are rising content expenses as Tencent pushes its streaming and live-broadcasting businesses in the face of fierce competition from the likes of iQiyi Inc., Bilibili Inc. and the very fierce upstart Beijing Bytedance Technology Co. Even before the games halt, Tencent was forced to shell out more to promote its game titles, which hints at declining marginal returns on promotional spending and doesn't augur well for a margin turnaround. +Finally, there's the tighter regulation of its payments business by the People's Bank of China, meaning Tencent won't be able to generate interest income on the money held in custody for its millions of WeChat Pay users. The company hopes to offset this by expanding in micro loans and wealth management. But if you thought game licenses were a regulatory landmine, wait until you start treading the fields of consumer finance. +A rebound in Tencent's shares early Friday suggested that investors have forgiven and forgotten the company's recent turmoil. The rain may have stopped, but that doesn't mean the storm is over. +To contact the author of this story: Tim Culpan at tculpan1@bloomberg.net +To contact the editor responsible for this story: Paul Sillitoe at psillitoe@bloomberg.net +This column does not necessarily reflect the opinion of the editorial board or Bloomberg LP and its owners. +Tim Culpan is a Bloomberg Opinion columnist covering technology. He previously covered technology for Bloomberg News. +©2018 Bloomberg L.P \ No newline at end of file diff --git a/input/test/Test4976.txt b/input/test/Test4976.txt new file mode 100644 index 0000000..0296424 --- /dev/null +++ b/input/test/Test4976.txt @@ -0,0 +1,17 @@ +By Tim Culpan | Bloomberg August 17 at 12:41 AM Investors and analysts who think that all Tencent Holdings Ltd. needs is for Beijing to restart the approval of new games may be missing the bigger picture. +Troubles at the Chinese internet giant started late last year, well before the regulatory foot-dragging on the monetization of PUBG Mobile that culminated in a halt on licenses for the games. +Fourth-quarter numbers showed quite clearly that Tencent had joined the ranks of internet mortals. Beyond revenue trailing estimates, user growth was slowing and gross margins fell to a record low. "It's about to get worse," I wrote then. And it did. +An uptick in gross margin during the first quarter might have suggested things were on the mend, but that was a mirage. Another record low was reported for the June quarter, and analysts see the slide continuing. +Speaking of margins: Tencent has been able to pad out the operating line by deciding that gains on investments are an operating item, instead of non-op, a policy with which I disagreed. By stripping out investments, I calculated "core" operating margins and noted that in the first quarter, for example, there was a 12 percentage-point difference between reported operating margins and those for the underlying business of games, ads, social and content. There's actually no difference to the bottom line, but delineating the two can help investors understand the performance of the businesses Tencent operates versus those it doesn't. +Declaring that returns on the $22.2 billion investment portfolio are an operating item cuts both ways, however. I noted last November that Tencent's holdings of other companies, private and public, would be a swing factor making earnings increasingly unstable. That chicken came home to roost in the second quarter, with Tencent reporting that the net other gains line item dropped 51 percent to the lowest point since 2016. The amount isn't trivial: That decline is equal to 15 percent of the net income it reported for the period. +As if that's not enough, investors should be warned that the company's single largest investment is China Literature Ltd., whose stock has fallen 32 percent since Tencent's last balance sheet date June 30, and for which analysts expect operating margins to decline during the second half. Tencent's third-largest investment is Tesla Inc. +It's tempting for Tencent to tap its WeChat (aka Weixin) app to drive ad sales. The company did just that in the second quarter, with President Martin Lau saying this week that it upped the daily limit to two ads per day per feed, from one. Yet Lau wants to continue restraining ads, so investors probably shouldn't expect a flood of new revenue from that base of 1.06 billion users. +Investors who believe the worst is over may also be missing structural issues that won't disappear soon. +Among them are rising content expenses as Tencent pushes its streaming and live-broadcasting businesses in the face of fierce competition from the likes of iQiyi Inc., Bilibili Inc. and the very fierce upstart Beijing Bytedance Technology Co. Even before the games halt, Tencent was forced to shell out more to promote its game titles, which hints at declining marginal returns on promotional spending and doesn't augur well for a margin turnaround. +Finally, there's the tighter regulation of its payments business by the People's Bank of China, meaning Tencent won't be able to generate interest income on the money held in custody for its millions of WeChat Pay users. The company hopes to offset this by expanding in micro loans and wealth management. But if you thought game licenses were a regulatory landmine, wait until you start treading the fields of consumer finance. +A rebound in Tencent's shares early Friday suggested that investors have forgiven and forgotten the company's recent turmoil. The rain may have stopped, but that doesn't mean the storm is over. +To contact the author of this story: Tim Culpan at tculpan1@bloomberg.net +To contact the editor responsible for this story: Paul Sillitoe at psillitoe@bloomberg.net +This column does not necessarily reflect the opinion of the editorial board or Bloomberg LP and its owners. +Tim Culpan is a Bloomberg Opinion columnist covering technology. He previously covered technology for Bloomberg News. +©2018 Bloomberg L.P \ No newline at end of file diff --git a/input/test/Test4977.txt b/input/test/Test4977.txt new file mode 100644 index 0000000..dbdff2e --- /dev/null +++ b/input/test/Test4977.txt @@ -0,0 +1 @@ +Press release from: Market Research Reports Search Engine - MRRSE Market Research Report Search Engine A fresh report has been added to the wide database of Market Research Report Search Engine (MRRSE). The research study is titled "Metal coated Fibers Market – Global Industry Analysis, Size, Share, Growth, Trends, and Forecast 2018 – 2026" which encloses important data about the production, consumption, revenue and market share, merged with information related to the market scope and product overview.To Get Complete Table of Content, Tables and Figures Request a Sample Report of Metal coated Fibers Market Research Report @ www.mrrse.com/sample/16305 A metal-coated fiber is a fiber with a metal coating over it. Metals used for coating include aluminum, copper, nickel, silver, and gold. The metal coating layer provides high mechanical strength and improves electric and thermal conductivity. It also eliminates outgassing and increases the temperature range of the fiber.Metal-coated Fibers can be used for various applications, wherein protection from electromagnetic interference, radio frequency interference, and electrostatic discharge is required.A variety of metals with melting points of 1400°C or less have been developed as coating materials to endow fibers with unique properties. The most frequently used coating materials are aluminum, copper, nickel, silver, gold, and others.In terms of material, copper is the dominant segment of the Metal-coated Fibers market. Copper-coated fibers are known for better EMI shielding and electric conductivity at higher temperatures.Metal-coated Fibers embedded optical sensors are used for distributed temperature sensing (DTS) for down-hole oil and gas operations. Metal-coated Fibers can be sterilized using ETO, steam, e-beam, or g-radiation when employed in medical applications such as laser ablation of the prostate, to shrink enlarged prostate glands, and photodynamic therapy destruction of tumors. Metal-coated Fibers are used in high-temperature alarm systems to ensure they remain functional in Emergency conditions e.g. in case of fire.Need for hi-tech sensing devices in the medical, defense, and aerospace industries and rise in interest by major material research organizations for developing high-strength smart composites embedded with Metal-coated Fibers are likely to boost the global Metal-coated Fibers market. However, degradation of metal-coated optical long fibers in harsh environments such as high temperatures is one of the key factors expected to hamper the Metal-coated Fibers market during the forecast period.In terms of material, the copper segment held a major market share, followed by nickel and aluminum. This is because cooper offers high resistance to temperature and high conductivity and shielding capabilities. In terms of fiber, multimode fibers is projected to be a highly attractive segment of the global Metal-coated Fibers market during the forecast period. In terms of coating method, freezing is the basic method followed by many manufacturers. In terms of end-use, the oil & gas accounted for a major share of the global Metal-coated Fibers market in 2017.Asia Pacific held significant share of the market in 2017 in terms of value. The oil & gas, power generation, nuclear reactors, health care, and defense & aerospace sectors are expanding at a significant rate in the region. This is anticipated to offer lucrative opportunities for the Metal-coated Fibers market in Asia Pacific. The region is expected to continue its dominance throughout the forecast period. The market in Europe and North America is likely to expand at a significant pace in the near future.To know the latest trends and insights prevalent in this market, click the link below: www.mrrse.com/metal-coated-fiber-market This report analyzes and forecasts the market for Metal-coated Fibers at the global and regional level. The market has been forecast based on revenue (US$ Mn) from 2017 to 2026, considering 2017 as the base year. The study includes drivers and restraints of the global Metal-coated Fibers market. It also covers impact of these drivers and restraints on demand for Metal-coated Fibers during the forecast period and also contains current Metal-coated Fibers market indicators. The report also highlights opportunities in the Metal-coated Fibers market at the global and regional level.The report reviews the technical aspects of different coating materials being coated on fibers and their potential applications. It also covers the processing methodologies with schematic diagrams. Since the market is in its R&D stage, the report also covers the intellectual property around the domain.The report includes detailed value chain analysis, which provides a comprehensive view of the global Metal-coated Fibers market. Porter's Five Forces model for the Metal-coated Fibers market has also been included to help understand the competitive landscape. The study encompasses market attractiveness analysis, wherein material, fiber, coating method, and end-use are benchmarked based on their market size, growth rate, and general attractiveness.The report also covers historic global Metal-coated Fibers market size (US$ Mn) for the period 2013 to 2016 based on material, fiber, coating method, end-use, and region to help understand the market.The study provides a decisive view of the global Metal-coated Fibers market by segmenting it in terms of material, fiber, coating method, and end-use. In terms of material, the Metal-coated Fibers market has been classified into the type of material being coated on fibers such as aluminum, copper, nickel, gold silver, and others. Based on fiber, the Metal-coated Fibers market has been segmented into single mode fibers, multimode fibers, and others. In terms of coating method, the Metal-coated Fibers market has been categorized into freezing method, electroplating, electroless plating, and others. Based on end-use, the Metal-coated Fibers market has been bifurcated into oil & gas, research & development, medical, defense & aerospace, telecommunication & data centers, and others. These segments have been analyzed based on present and future trends. Regional segmentation includes current and forecast demand for Metal-coated Fibers in North America, Europe, Asia Pacific, Latin America, and Middle East & Africa.The report provides the actual size of the Metal-coated Fibers market for 2017 and estimated market size for 2018, with forecast for the next eight years. The global Metal-coated Fibers market has been provided in terms of revenue in US$ Mn. Market size has been provided in terms of global, regional, and country level market.The report comprises profiles of major companies operating in the global Metal-coated Fibers market. Key players operating in the Metal-coated Fibers market include Fiberguide Industries, Inc., IVG Fiber Ltd, Oz Optics Limited, Art Photonics GmbH, Conductive Composites Co. LLC, Technical Fiber Products Limited, Engineered Fibers Technology, LLC., and LEONI. The report also includes competition matrix and product mapping of the above mentioned companies.Metal-coated Fibers Market, by Material (Revenue US$ Mn; 2017-2026)Aluminu \ No newline at end of file diff --git a/input/test/Test4978.txt b/input/test/Test4978.txt new file mode 100644 index 0000000..56e32fc --- /dev/null +++ b/input/test/Test4978.txt @@ -0,0 +1,6 @@ +West Yorkshire & The Dales Major disruption caused by closure of main Leeds road due to accident Sorry, we're having problems with our video player at the moment, but are working to fix it as soon as we can Waiting for Video... Updated: 10:58 Friday 17 August 2018 Sign Up To Our Daily Newsletter Sign up +UPDATE: A motorcyclist has been taken to hospital with serious injuries A63 PIC: Google +The A63 between Knowsthorpe and Pontefract Lane is currently out of use on the eastbound carriageway following the accident. +Congestion is reportedly backing up to the A61, South Accomodation Road and traffic is also affected from Leeds city centre towards the M1. +More to follow. +For all the latest traffic and travel updates in Leeds and the surrounding areas, join our new dedicated Facebook page \ No newline at end of file diff --git a/input/test/Test4979.txt b/input/test/Test4979.txt new file mode 100644 index 0000000..49a7d58 --- /dev/null +++ b/input/test/Test4979.txt @@ -0,0 +1,9 @@ +Cricket: Banned Australia batsman Bancroft to join Durham in 2019 Reuters Staff +2 Min Read +(Reuters) - Banned Australian batsman Cameron Bancroft has joined English county side Durham as an overseas player for the 2019 season and will be available for club selection across all three formats. +Cricket - South Africa vs Australia - Third Test - Newlands, Cape Town, South Africa - March 25, 2018 Australia's Cameron Bancroft REUTERS/Mike Hutchings/Files Bancroft received a nine-month ban from Cricket Australia in March for his role in the ball-tampering scandal against South Africa while former Australia captain Steve Smith and test vice-captain David Warner were handed 12-month suspensions. +The 27-year-old has since played in the domestic Northern Territory Strike League and is also expected to play grade cricket for Western Australia club Willetton along with Big Bash League side Perth Scorchers. +"I am excited to join Durham for the 2019 county season. Having played at Emirates Riverside in 2017 I know what a great place it is to play cricket," Bancroft told Durham's website. +"With the Ashes and ODI World Cup both being played in the UK in 2019 it will be a huge summer of cricket. I am grateful for the opportunity and I can't wait to get over and make an impact with Durham." +Bancroft played in eight test matches, including the most recent Ashes series, and one Twenty20 international for Australia before his suspension. +Reporting by Aditi Prakash in Bengaluru; editing by Sudipto Gangul \ No newline at end of file diff --git a/input/test/Test498.txt b/input/test/Test498.txt new file mode 100644 index 0000000..7ce6ec0 --- /dev/null +++ b/input/test/Test498.txt @@ -0,0 +1,5 @@ +Tweet +Grand City Properties (FRA:GYC) has been given a €21.00 ($23.86) price objective by research analysts at Goldman Sachs Group in a research note issued to investors on Friday. The firm presently has a "neutral" rating on the stock. Goldman Sachs Group's target price would indicate a potential downside of 10.26% from the stock's current price. +A number of other equities research analysts also recently commented on GYC. Deutsche Bank set a €22.00 ($25.00) target price on Grand City Properties and gave the stock a "buy" rating in a report on Friday, April 20th. Nord/LB set a €19.50 ($22.16) target price on Grand City Properties and gave the stock a "neutral" rating in a report on Thursday, April 26th. Kepler Capital Markets set a €23.00 ($26.14) target price on Grand City Properties and gave the stock a "buy" rating in a report on Wednesday, May 16th. UBS Group set a €26.00 ($29.55) target price on Grand City Properties and gave the stock a "buy" rating in a report on Friday, May 18th. Finally, Oddo Bhf set a €21.00 ($23.86) target price on Grand City Properties and gave the stock a "neutral" rating in a report on Tuesday, May 22nd. Eight investment analysts have rated the stock with a hold rating and eight have issued a buy rating to the stock. The stock presently has an average rating of "Buy" and a consensus target price of €24.09 ($27.38). Get Grand City Properties alerts: +Grand City Properties stock opened at €23.40 ($26.59) on Friday. Grand City Properties has a 52 week low of €16.61 ($18.88) and a 52 week high of €20.14 ($22.89). About Grand City Properties +Grand City Properties SA invests in and manages real estate properties in Germany. The company engages in buying, re-developing, optimizing, and repositioning real estate properties in Berlin, North Rhine Westphalia, Dresden, Leipzig, Halle, Nuremberg, Munich, Mannheim, Frankfurt, Bremen, and Hamburg \ No newline at end of file diff --git a/input/test/Test4980.txt b/input/test/Test4980.txt new file mode 100644 index 0000000..eb08ae8 --- /dev/null +++ b/input/test/Test4980.txt @@ -0,0 +1,5 @@ +Hidden talents: Astra and concealed hinges prove perfect match +CE-Marked Astra 3003 concealed door closers have proved to be the perfect partner for concealed hinges recent tests, making them the seamless choice for high performance and fire doors wherever clean, refined design lines are called for. +Modern concealed hinges paired with the CE-Marked Astra 3003 closer – both designed to be unobtrusive in situ – have successfully completed nearly three quarter of a million cycles on Astra's in-house test-rig. This is well in excess of the 200,000 cycles required by the European standard (BS EN1154) and marks a huge success for Astra's best-selling concealed closer. +With so many concealed hinges on the market, made from different materials and with different pivot points, it is vital that they are tested successfully with the closer to ensure optimum performance. Astra 3000 Series closers are increasingly being specified with concealed hinges by architects, designers and architectural ironmongers on projects where clean design lines and elegant aesthetics are the priority. Specifiers now have the peace of mind of 'guaranteed performance' along with the pleasing design of concealed hardware. +Concealed closers are the obvious choice in settings where visual appeal is paramount since they are not visible when the door is closed, avoiding the somewhat institutional and ungainly appearance of overhead closers. Designers select Astra 3000 series closers because, with full adjustability, they are powerful enough to handle doors of almost any weight and width. Unlike other concealed closers on the market Astra 3003 size three closers are CE-Marked for use on fire doors. Astra is well known for its door closer range and the Lancashire-based company can demonstrate many years' experience in the sector and carries out all its own R&D in-house. It exports its British door closers across the globe via a network of distributors and partner companies. Refurb Project \ No newline at end of file diff --git a/input/test/Test4981.txt b/input/test/Test4981.txt new file mode 100644 index 0000000..d221d81 --- /dev/null +++ b/input/test/Test4981.txt @@ -0,0 +1,22 @@ +"We boast of them as among the best sons and daughters of our motherland."–Concha Araneta +THE National Democratic Front in Panay (NDF-Panay) acknowledged that the seven killed in San Jose, Antique Wednesday, August 15, were their own who were "veterans and responsible cadres of the [Communist Party of the Philippines] and the revolution." +In a statement issued a few hours after news of the massacre broke out, NDF-Panay spokesperson Concha Araneta said five of those mowed down by the military were "comrades full of ability, talent, intelligence and [were] most assiduous." +Araneta said Felix Salditos alias Ka Dudi, Eldie Labinghisa alias Ka Elton, Karen Ceralvo alias Ka Liway, and Liezl Nadiola alias Ka Mayang were members of the CPP's education and propaganda staff in the island who were in Antique to investigate people's complaints. +Araneta said among the problems brought forward by the people in the province included demolition of urban poor houses, concerns of poor and small fisherfolks, the poverty of workers and sacadas, soaring prices of commodities and expenditures, among others. +She added that the two others, Jason Talibo alias Ka Bebe and Jason Sanchez, provided technical services in order to facilitate their research and study of the conditions of the most backward province in Panay. +"(U)nlike the fascist troops who conceal their casualties, we are proudest to acknowledge and claim Ka Dudi, Ipoy, Elton, Liway, Mayang, Bebe and Jason. We boast of them as among the best sons and daughters of our motherland," Araneta said. +Araneta said the martyrs gave the ripest and most productive years of their lives to the utmost service to the people and for the advancement of the revolutionary struggle in Panay. +The seven were killed after midnight of August 15 in Barangay Atabay in what the San Jose police and the Philippine Army's 301st Infantry Brigade Intelligence Task Group said was a 30-minute firefight. +No encounter +NDF-Panay, however, said the incident was a brutal massacre, planned and executed by the Philippine National Police and the Philippine Army. +Araneta said the seven victims were all asleep and unarmed, contrary to claims by the raiding team that a grenade, a .38 revolver, one KG-9, an M203 grenade were found at the scene that could hardly sustain a 30-minute clash if there was indeed a firefight. +She also questioned the police claim that the raiding team went to the area to serve warrants of arrest against two of the victims. +"If their intention was to serve the warrant, why execute it in the middle of the night, under cover of darkness? And to think that (they) had a hundred men deployed just to capture two personalities," Araneta said. +Araneta also belied that the victims were members of the NPA's taxation team or were planning to raid the San Jose police station. +Families of the victims in a press conference in Iloilo Thursday described some of them as writers, with Salditos cited as a notable painter and writer. Maya Daniel's last poem, posted a few minutes after they were killed by raiding police and military in San Jose, Antique. +Red poet +A NDFP Facebook page identified victim Liezl Bandiola as the poet and visual artist Maya Daniel. +Tributes to Daniel's poetry in her Facebook account quickly poured, hailing her as an inspiration and thanking her for her sacrifice. +Daniel's last update a few minutes before their deaths read, "Just posted 17 poems and visuals…Feel free to share, friends. Goodnight!" +Araneta said their martrys were smart and diligent comrades who shared their learning and knowledge to the younger generation of revolutionaries. +"They gave color, music, energy and life to revolutionary propaganda and culture for the exploited and oppressed, for genuine freedom, justice and peace," she said. # (Raymund B. Villanueva) Share this \ No newline at end of file diff --git a/input/test/Test4982.txt b/input/test/Test4982.txt new file mode 100644 index 0000000..9efe19a --- /dev/null +++ b/input/test/Test4982.txt @@ -0,0 +1,10 @@ +Hyderabad: Many shops in the posh model markets constructed by Greater Hyderabad Municipal Corporation (GHMC) in different parts of the city are gathering dust as they are yet to be occupied by shopkeepers for different reasons. +The municipal corporation has constructed 32 markets out of the proposed 42 markets in different areas. The rest could not be constructed and completed due to site disputes, delay by contractors and other reasons. +GHMC had planned construction of 42 model markets at different areas in the city at a total cost of Rs 20.33 crore. Construction of 32 markets is already completed and auctioned as per GOMS 25. There were guidelines reserving few shops for different communities, including SCs, STs, BCs and others. +Each model market has a ground floor with seven shops – each shop spread over 70 to 140 sq.ft, and eight shops at first floor for which parking, toilet and other basic minimum facilities are being provided. +The markets will be offering vegetables, non-vegetarian products, bakery, sweet shops, medical shop, mobile, electronics, dry cleaning, Internet café, MeeSeva, hair salon, beauty parlours and others for the convenience of the citizens. +Depending on the area and size, each market was constructed with a cost of about Rs 50 lakh and the municipal corporation was expecting nearly Rs 1.5 crore towards rent from the shops in all the markets. +However, many shops in the 32 markets are yet to be occupied due to different reasons. In a few cases, the shopkeepers are not willing to pay the mandatory six-month advance and in other cases, the rents are higher than the market value. +For instance, the shops in Kukatpally market are being offered for rents higher than the market value, which is making the shopkeepers desist from opting for such establishments. +This apart, the shops are allotted for a period of one year and the shopkeepers have to apply for renewal after every year. +On the contrary, an official in the GHMC Estates section said majority of the shops in all the 32 markets have been auctioned and allotted, save for a few. In cases, where the shopkeepers have raised issues over payments of advance, the respective Deputy Municipal Commissioners have been asked to report the same, so that the issue could be taken up for discussion with the higher authorities in head office, he added \ No newline at end of file diff --git a/input/test/Test4983.txt b/input/test/Test4983.txt new file mode 100644 index 0000000..71be53e --- /dev/null +++ b/input/test/Test4983.txt @@ -0,0 +1,18 @@ +Kontakt Things To Do and To Avoid Of Creative Site Design +When ever clients strategy you to obtain websites designed, you must have realized that have a very vague idea and barely know the ropes of web designing. They might request you for flashy logos and overdone gradients or perhaps any kind of style elements that are not in trend and are considered a "big no". For the reason that an excellent designer it's the duty to clarify and show them the knack to getting better sales with the right kind of designs. PERFORM: Always keep the page designs and CSS data files have given websites a cool and structured layout making it convenient to design and re- design. Two of the most well-known grid layouts are and the must have arrive across websites which have chaotic and disarray contents of their web pages. About 20-30 strange boxes which have been haphazardly piled upon a full page, not simply helps it be hard to grasp yet also a hassle to re- style at a afterwards stage of time. This is definitely not expected out of a web designer. +PERFORM: Concentrate on what important. It is important to focus on the main goals or strives behind creating the website. Make sure that your house page focusses to them. Whoever visits your site should have a clear idea of what it handles. Then generate evident sirin.fr and crystal clear proactive approach in the interior webpages. Your website should not continue looking to state. The web site ought to be basic, easy to understand and really should focus on the goals. +DON'T: Join irrelevant ads across your page. If you are intending in allowing advertisements on your website/ blog, after that take specialized focus on do so very carefully, put only relevant and authentic ads. To begin with if your web page has more advertisements than articles then persons wouldn't consider you or your business seriously. One more thing to remember is usually that most visitors believe the ads will be businesses make sure that you allow only genuine advertisements on your web pages. +DO: Choose the best color design. Using the right color scheme is vital that you setting the mood of the web site. Once again bear in mind the objectives and select shades to suit them. Generally, a set of different shades along with black and a neutral shade will be the ideal combination to follow while pointing your site. +IS NOT GOING TO: Overdo that with a lot of colors. Using a lot shades on your site is not really a good idea. The color you utilize should be pleasing rather than a pressure on the eyes. People spend a great deal of period on a site, so staring at loud colours for extended periods of time could be a stress. This would irritate visitors and drive these people away. +DO: Create simple to scan pages. People do stick to a page for longer than 3 seconds. You have to influence them to remain within these seconds through the use of proper articles. Place essential stuff so that a speedy glance would probably reveal it. You may use pull estimates and block rates and images certainly are a good option as they are faster to grasp than text. Use these people engrossed. +DO: Write prolonged texts within a para with 1000+ words. Content chucking is a must to make the lengthy and boring textual content interesting. You are able to split them into small paras with relevant pictures or prices to provide that a little of colors making them easier to watch and read. +CARRY OUT: Keep get in touch with forms brief and basic. It's obvious that people hate filling long and difficult forms particularly if they consist of a whole lot of irrelevant data. Simply adhere to Identity, on ) about nothing. One thing that irritates or annoys site visitors is extreme rambling regarding very little and also usage of emoticons or other distracting factors. +DO: Concentrate on Good content material and copyrighting. Phrases produce all of the difference. Learn to make use of catchy, yet brief and simple phrases because they work the greatest. Choose the best words to join up buttons, page headings, map-reading and most significantly call to action. +CAN NOT: Fill your webpages with keywords. Se's not merely observe keywords they also keep count on key phrase density. So don't simply just fill the pages with a whole load of keywords. You will be penalized to wrong density and it could get your ranking down. +DO: Make use of proper nav on your web pages. Navigation performs a major position in delivering an excellent ui in addition to a consumer encounter. Employ appropriate color codes and texts to aid your sat nav. It must be user-friendly, simple and simple to apply. +DON'T: Generate visitors hunt for things. Anything on your website should be easy to spot and use, tourists should not be pressured to spend more than 30-40 a few moments to find items. And most notably continue to keep research online box with autofill since this is the easiest tool to find anything at all. +DO: Boost Download time. available to him quickly and fast. Users are generally intolerant, so the moment creating a web site make sure that the look can be perspicace, nimble and concise offering it a speedy download time. +TYPICALLY: make text into picture. Don't produce textual content obstructs of your website into JPG pictures. Find the pictures on your webpages enhanced and make sure the background is not bulky leading to slow for downloading. +DO: use the proper typography and styles vary and you must makes use of the proper ones to suit the ambience of your website. Web site should be simple to read and understand. Generally use a single main font for articles and a second for post titles. Make use of size to outline a hierarchy to give an even more effective display for your website. +DON'T: Employ too many typeface designs in different sizes. This might make a mess of your page and completely confuse your visitor as it would be challenging to create a large number of classifications and hierarchies at heart. DO: Choose your page Appealing and is actually extremely vital that you design attractive and attractive websites as they should be different and obtain the attention of browsers to keep them upon your site as well as attract more site visitors. +TYPICALLY: Just although together lots of things and think that you'll excel. Only professional and nice websites prosper, there's absolutely no place for animated GIF or perhaps marquee moving or some of those antique items that produce your site untidy and unorganized \ No newline at end of file diff --git a/input/test/Test4984.txt b/input/test/Test4984.txt new file mode 100644 index 0000000..3b2f2d1 --- /dev/null +++ b/input/test/Test4984.txt @@ -0,0 +1 @@ +By Tim Sandle 15 mins ago in Lifestyle While Amazon and other online retailers deliver more and more to our doorstep, package theft is on the rise. New research reveals the most likely spots where a parcel will be stolen. Delivery from e-commerce sites is on the rise, and the most popular deliveries come from Amazon. As to how many boxes and packages this represents, Amazon says that more than 5 billion items were shipped through its Prime program in 2017, which includes free same-day, one-day, and two-day shipping. The most popular items included the Echo Dot; with the top food item being bunches of bananas. Given the vast number of parcels, many will go missing. A new study from Digital Third Coast for Shorr Packaging shows people in urban environments are especially vulnerable, given population density and the lack of space to securely store packages. The company ran a study in 2017 , and have expanded upon this for 2018. Another area where package theft is common is in around notable technology hubs, including San Francisco, Silicon Valley, Seattle, Boston and Washington, D.C. In contrast, cities showing low rates of both larceny-theft and search were El Paso, Detroit, Mesa and Virginia Beach. The outcomes of the research are shown in the figure below: As Amazon and other massive online retailers popularize their services at a dizzying rate, doorsteps and mailrooms across the country remain vulnerable. Digital Third Coast With the new findings, Digital Third Coast's analysis of package theft in America drew upon geo-targeted search data and Google search trends in 50 cities to determine where it's most prevalent \ No newline at end of file diff --git a/input/test/Test4985.txt b/input/test/Test4985.txt new file mode 100644 index 0000000..bdd87ca --- /dev/null +++ b/input/test/Test4985.txt @@ -0,0 +1 @@ +Tom Watson, contributor at Forbes, shares four important lessons for social entrepreneurs – lessons that build... \ No newline at end of file diff --git a/input/test/Test4986.txt b/input/test/Test4986.txt new file mode 100644 index 0000000..7b69aeb --- /dev/null +++ b/input/test/Test4986.txt @@ -0,0 +1,7 @@ +Most of you might be saying: "you're nuts! Haven't you been sailing? Luxury car driving? Golfing all over the place?" And luckily, I have, and let me tell you, photography is the most expensive sport I have ever practiced. Just Like Any Other Hobby +When you begin your adventure as an amateur photographer, you are so enthusiastic about shooting that you really don't pay much attention to many things: you just want a reliable camera with which to walk around and snap some pictures. Some want the "best" camera even if they have no clue what ISO actually means or how any of the functions work, and some others look for the "cheapest" camera. I was like the second group. When I began shooting ten years ago, I did not care what kind of camera I was going to buy. I just went to a Best Buy and chose the cheapest camera. I was a young guy, broke and just out of college; I thought a camera was the way out of the corporate world or the way to find myself, and luckily, it was! Photography is a great hobby; it allows you to be out there shooting, do something artistic, tell your friends you are a photographer, and become more interesting. Most of the time when you are starting, you don't need anyone else, which makes it a very easy hobby to commit to. Regardless of why you go into photography, you slowly find out how expensive it is. Equipment costs a fortune. Every year, there is new gear and you want to have a new camera or the new light system, you suddenly start playing more with lights and lenses and you decide now you never want to use AlienBees and your signature flash system is Briese. +Me on set for a shoot, BTS image courtesy of Tyler Klink The Hobby Becomes a Lifestyle +After some years, you already have a website, some friends paying you to take photos, and suddenly, you are wondering if you should quit your full-time job to pursue your passion. You've already spent money buying gear and going to photoshoots or photo workshops to become better and you feel you are already in deep. My journey was a bit different. I started shooting street photography with my cheap camera, then found myself an internship at a fashion studio in Europe, sold my car, which was the only thing I owned, and left for adventure. After some years of learning from very talented and very untalented photographers and after shooting my own work on the side, I decided it was time to go fully on my own path as an artist. I left my cushion, which was nothing but a couple of hundred euro from assisting gigs and decided I was not going to assist anymore and I was going to shoot my own things, even if I starved to death. Fast-forward some years and I am still pursuing my own projects, but luckily, all the money I invested shooting my personal projects have led me to bigger clients, a better portfolio, and eventually being able to call photography my way of life. +A very expensive hobby image This Is When It Gets Expensive +Being a professional photographer is not an easy thing to do. With the democratization of the arts, photographers have been emerging out of every college bedroom, rates have been lowered, and every industry list where your portfolio could be showed to creatives is way too pricey. Not only do you need to have better gear, a studio, post-production software and the "best" camera, you also need to spend money on printed promos, business cards, promotional materials, Facebook ads, Instagram ads, and many mor places. These are basic expenses for every business you could say; the only problem is that creative industries are quite different. There are lists and platforms that promise they can send your work to creatives so they can see it. There are other consultants that will charge you thousands of dollars for advice on your portfolio, your workflow, what images to use, where to market, and how to sell yourself. There are entry fees to many contests worldwide, fees for databases like Agency Access, fees to be in a production paradise newsletter, and you are not even considering the amount of money you need to produce new personal work and collaborations that will keep you fresh and will keep the creatives interested in your work. +With all these in mind, what can we do to compete with other photographers that have the resources to pay for this and play the sport at a higher level? My only answer to this is nothing. The only way you can play this sport if you don't have money is to do the best work possible. If you do great work, people will talk about it and share it, your marketing will be done by others, creatives will find your work more easily, and eventually, you will be hired for more projects. My advice for you: invest most of the money you make in your business and do your homework so you can shoot great work. The combination of both along with patience and good networking will make it all happen. Posted In \ No newline at end of file diff --git a/input/test/Test4987.txt b/input/test/Test4987.txt new file mode 100644 index 0000000..e16db27 --- /dev/null +++ b/input/test/Test4987.txt @@ -0,0 +1 @@ +Science &Issue Europe North America Middle East United Nations US Army in Korea UAE nuclear Terrorism ASEAN Philippines & Culture Travel Food & Beverage Expat Living Books Peoples Design Health Women Faith Youth Religion Charity Business Economy Finance Industry Technology Football Social Media Europe Middle East Europe North America South America Chin \ No newline at end of file diff --git a/input/test/Test4988.txt b/input/test/Test4988.txt new file mode 100644 index 0000000..a42f5b2 --- /dev/null +++ b/input/test/Test4988.txt @@ -0,0 +1 @@ +Europe North America South America Oceania Middle East GCC countries United Nations Religion US Army in Korea UAE nuclear Terrorism ASEAN Philippines Taiwan Life & Style Culture Travel Food & Beverage Expat Living Books Peoples Fashion Design Health Women Faith Youth education Religion Charity Business Economy Finance Industry Automode Trade Markets Local Business Events Exhibitions Medical Terrorism North America South America Oceania South Pacific Africa Philippines Asia Middle Eas \ No newline at end of file diff --git a/input/test/Test4989.txt b/input/test/Test4989.txt new file mode 100644 index 0000000..08e3b31 --- /dev/null +++ b/input/test/Test4989.txt @@ -0,0 +1,26 @@ +Sorry, but your browser needs Javascript to use this site. If you're not sure how to activate it, please refer to this site: http://www.enable-javascript.com/ Novak Djokovic plays a shot from Grigor Dimitrov at the Western & Southern Open on Thursday. | AP Davis Cup overhauled with new team event AP SHARE +NEW YORK – The Davis Cup is getting a radical makeover in hopes of reviving an event that has lost some luster. +Beginning next year, the top team event in men's tennis will be decided with a season-ending, 18-team tournament at a neutral site. +The International Tennis Federation believes this format will be more attractive to elite players who often pass on competing for their countries because of a crowded schedule. +Teams will play one week in February to advance to the championship in November, replacing the current Davis Cup format that is played over four weekends throughout the year. Players will compete for what the ITF says rivals Grand Slam prize money. +The $3 billion, 25-year agreement was approved Thursday at the organization's conference in Orlando, Florida. Two-thirds of the delegates needed to vote for the reforms, and 71 percent did. +Beginning in 2019, 24 nations will compete in a home-or-away qualifying round in February, with the 12 winners advancing to the final tournament. They will be joined by the four semifinalists from the previous year, along with two wild-card teams, who need to be in either the top 50 of the Davis Cup rankings or have a top-10 singles player to be eligible. +The finalists will be placed into six, three-team groups for round-robin play, involving two singles matches and one doubles, all best-of-three-sets — instead of the current best-of-five format featuring four singles matches and one doubles. The winners, along with the next two teams with the best records, will advance to the single-elimination quarterfinals. +The first championship will be held on an indoor hardcourt from Nov. 18-24, 2019, in either Madrid or Lille, France. ITF president David Haggerty said he expected that announcement in the next two weeks. +The new event was developed in partnership with the investment group Kosmos, which was founded by Barcelona and Spain soccer player Gerard Pique. +The original plan called for simply an 18-team championship at the end of the year, but was amended after some nations objected to the loss of home-site matches. So those were added to the proposal as the qualifying round, though that still wasn't enough for critics of the plan who felt neutral-site matches were too much of a change for an event that dates to 1900. +"Those that were opposed were generally opposed because they may believe that home-and-away should be the way that the format is played and always should be every round," Haggerty said, adding he believed the February qualifying round "gives us the combination of history and tradition that we maintain as well as innovation with the finals." +The U.S. Tennis Association was among the national federations that backed the changes. +The organization said the new format will "project Davis Cup into the 21st century" and elevate the competition to "the heights it deserves." +The Americans will play at Croatia in this year's semifinals in September, with Spain and France meeting in the other semifinals. Top-ranked Rafael Nadal is expected to play for Spain, but Roger Federer has frequently passed on playing for Switzerland. +The new format would cut in half the Davis Cup time commitment. Pique is among those who think the World Cup-style format is the boost the event needs. +"This is the beginning of a new stage that guarantees the pre-eminent and legitimate place that the Davis Cup should have as a competition for national teams while adapting to the demands of this professional sport at the highest level," he said in a statement. Djokovic halted by rain +In Mason, Ohio, Novak Djokovic's quest for his first Western & Southern Open title ran into a different obstacle Thursday night, with batches of rain forcing his match against defending champion Grigor Dimitrov to be suspended overnight. +Roger Federer's match against Leonardo Mayer was postponed until Friday as well, along with several others pushed back by day-long rain that made a mess of the brackets. +Djokovic came to Cincinnati hoping to build on the momentum of his Wimbledon title and get in shape for a deep run in the U.S. Open. He also dearly wants to win the only ATP Masters 1000 title that has eluded him — nobody has won all nine. +He and Dimitrov split the first two sets and then headed inside for a long rain delay. Djokovic broke Dimitrov to go up 2-1 in the third set, and more rain prompted play to be called off for the night. They'll resume in the morning. +In the women's bracket, Madison Keys used her forehand to beat Angelique Kerber — one of her toughest matchups — and advance to the quarterfinals in between the storms. +Keys had lost five straight matches against No. 4 Kerber, but turned to her forehand to rally for a 2-6, 7-6 (7-3), 6-4 victory. She hit 35 forehand winners , including the match-ending shot for her first Cincinnati quarterfinals. +She's expecting a lot of attention at the U.S. Open, where she reached the final last year and lost to Sloane Stephens — her best showing in a Grand Slam event. +"I think it's the first time I'm going to have to be someone defending, getting to the finals of a Slam," she said. "I have never done it. That's going to be a new experience for me." +Stephens didn't fare so well, getting upset by Elise Mertens 7-6 (10-8), 6-2. The third-ranked Stephens couldn't overcome 37 unforced errors that helped Mertens get only her second career win over a top-five player. LATEST MORE SPORTS STORIE \ No newline at end of file diff --git a/input/test/Test499.txt b/input/test/Test499.txt new file mode 100644 index 0000000..f997708 --- /dev/null +++ b/input/test/Test499.txt @@ -0,0 +1,8 @@ +Tweet +salesforce.com (NYSE:CRM) had its price objective lifted by stock analysts at Barclays from $150.00 to $165.00 in a report issued on Wednesday, The Fly reports. The brokerage currently has an "overweight" rating on the CRM provider's stock. Barclays' price target would suggest a potential upside of 13.22% from the company's previous close. +A number of other equities research analysts have also issued reports on CRM. Canaccord Genuity reiterated a "buy" rating on shares of salesforce.com in a research note on Thursday, June 28th. UBS Group increased their target price on salesforce.com from $153.00 to $168.00 and gave the company a "buy" rating in a research note on Wednesday. Piper Jaffray Companies increased their target price on salesforce.com from $150.00 to $165.00 and gave the company an "overweight" rating in a research note on Wednesday. Credit Suisse Group set a $170.00 target price on salesforce.com and gave the company a "buy" rating in a research note on Wednesday. Finally, Societe Generale set a $170.00 target price on salesforce.com and gave the company a "buy" rating in a research note on Tuesday. One analyst has rated the stock with a sell rating, five have given a hold rating, forty-six have given a buy rating and one has given a strong buy rating to the stock. The company presently has an average rating of "Buy" and a consensus target price of $137.92. Get salesforce.com alerts: +CRM stock opened at $145.73 on Wednesday. The company has a quick ratio of 1.29, a current ratio of 1.29 and a debt-to-equity ratio of 0.29. salesforce.com has a 1 year low of $90.28 and a 1 year high of $149.35. The stock has a market capitalization of $106.79 billion, a PE ratio of 323.84, a P/E/G ratio of 5.77 and a beta of 1.11. salesforce.com (NYSE:CRM) last posted its earnings results on Tuesday, May 29th. The CRM provider reported $0.74 earnings per share (EPS) for the quarter, beating analysts' consensus estimates of $0.46 by $0.28. salesforce.com had a return on equity of 7.25% and a net margin of 4.33%. The business had revenue of $3.01 billion during the quarter, compared to analyst estimates of $2.94 billion. During the same quarter last year, the firm earned $0.28 earnings per share. The company's revenue for the quarter was up 25.4% compared to the same quarter last year. equities analysts predict that salesforce.com will post 1.01 earnings per share for the current year. +In other news, CAO Joe Allanson sold 323 shares of salesforce.com stock in a transaction that occurred on Wednesday, May 23rd. The stock was sold at an average price of $125.95, for a total value of $40,681.85. Following the completion of the transaction, the chief accounting officer now owns 30,619 shares in the company, valued at approximately $3,856,463.05. The sale was disclosed in a legal filing with the SEC, which is available through this hyperlink . Also, insider Parker Harris sold 1,700 shares of salesforce.com stock in a transaction that occurred on Tuesday, May 22nd. The stock was sold at an average price of $126.66, for a total value of $215,322.00. Following the completion of the transaction, the insider now owns 18,157 shares of the company's stock, valued at approximately $2,299,765.62. The disclosure for this sale can be found here . In the last quarter, insiders bought 24,000 shares of company stock valued at $3,376,260 and sold 579,842 shares valued at $79,566,055. 6.00% of the stock is currently owned by company insiders. +Hedge funds and other institutional investors have recently made changes to their positions in the stock. Harvest Fund Management Co. Ltd lifted its holdings in shares of salesforce.com by 64.1% in the 1st quarter. Harvest Fund Management Co. Ltd now owns 1,047 shares of the CRM provider's stock worth $121,000 after purchasing an additional 409 shares during the last quarter. TLP Group LLC lifted its holdings in shares of salesforce.com by 353.9% in the 1st quarter. TLP Group LLC now owns 1,103 shares of the CRM provider's stock worth $128,000 after purchasing an additional 860 shares during the last quarter. Private Capital Group LLC lifted its holdings in shares of salesforce.com by 91.9% in the 1st quarter. Private Capital Group LLC now owns 1,134 shares of the CRM provider's stock worth $132,000 after purchasing an additional 543 shares during the last quarter. Resources Investment Advisors Inc. lifted its holdings in shares of salesforce.com by 328.2% in the 2nd quarter. Resources Investment Advisors Inc. now owns 1,259 shares of the CRM provider's stock worth $172,000 after purchasing an additional 965 shares during the last quarter. Finally, CWM LLC lifted its holdings in shares of salesforce.com by 95.8% in the 2nd quarter. CWM LLC now owns 1,318 shares of the CRM provider's stock worth $180,000 after purchasing an additional 645 shares during the last quarter. 85.59% of the stock is currently owned by institutional investors and hedge funds. +About salesforce.com +salesforce.com, inc. develops enterprise cloud computing solutions with a focus on customer relationship management. The company offers Sales Cloud to store data, monitor leads and progress, forecast opportunities, and gain insights through analytics and relationship intelligence, as well as deliver quotes, contracts, and invoices \ No newline at end of file diff --git a/input/test/Test4990.txt b/input/test/Test4990.txt new file mode 100644 index 0000000..9c7e491 --- /dev/null +++ b/input/test/Test4990.txt @@ -0,0 +1,16 @@ +Politics Of Wildfires: Biggest Battle Is In California's Capital By Marisa Lagos • 18 minutes ago Related Program: Morning Edition King Bass sits and watches the Holy Fire burn from on top of his parents' car as his sister, Princess, rests her head on his shoulder last week in Lake Elsinore, Calif. More than a thousand firefighters battled to keep a raging Southern California forest fire from reaching foothill neighborhoods. Patrick Record / AP +As California's enormous wildfires continue to set records for the second year in a row, state lawmakers are scrambling to close gaps in state law that could help curb future fires, or make the difference between life and death once a blaze breaks out. +While the biggest political battle in Sacramento is focused on utility liability laws , lawmakers are also rushing to change state laws around forest management and emergency alerts before the legislative sessions ends this month. +A special joint legislative committee is examining how to shore up emergency alert systems so people know to evacuate, and how to prevent fires through better forest management. They're among the challenges facing many Western states. +Historically, state Sen. Hannah-Beth Jackson said during a recent interview in her Capitol office, "we have looked at fire as an enemy." +That was a mistake, said Jackson, a Democrat who represents Santa Barbara and Ventura counties, both of which were devastated by the enormous Thomas Fire last December. She's pushing legislation that would expand prescribed burns and other forest management practices on both public and private lands. +"We have been doing less and less to try to clear vegetation, to do controlled burns, so that we can reduce the dead vegetation that we have," she said. "As a result, we have conditions that are seeing fruition with these enormous and out of control fires." +Jackson says after years of inaction, everyone in California is finally at the table --including environmental groups — supporting the measure and engaging in a conversation around forest management. +Jackson also has a bill that would let counties automatically enroll residents in emergency notification systems; it's one of two bills aimed at shoring up gaps around evacuation alerts that were exposed by last years' deadly fires . The other is Senate Bill 833 by North Bay Sen. Mike McGuire; it would seek to expand use of the federally-regulated wireless emergency alert system in California. +Jackson noted that technology has changed and governments must adjust. +"We used to be warned about danger with the church bells and then during the Cold War with Russia we had a CONELRAD alert system ... well we don't have any of those things today," she said. "We rely upon people's cell phones ... fewer and fewer people actually have landlines today. So we've got to adapt and that's what this program will hopefully do." +At the national level, there's also political maneuvering over fires. +Department of Homeland Security Secretary Kirstjen Nielson visited a fire zone in Northern California earlier this month and promised to start providing federal emergency funding earlier. Meanwhile, during her recent tour of a fire area, California's U.S. Sen. Kamala Harris said she is pushing to expand federal funding for both fighting and preventing wildfires. Some of that funding is in a bipartisan bill that is co-sponsored by senators from 10 other states, many of them in the fire-prone West. +"Let's also invest resources in things like deforestation, in getting rid of these dead trees and doing the other kind of work that is necessary to mitigate the harm that that is caused by these fires," Harris said while visiting Lake County. +Dollars are important: The state has blown through its firefighting budget seven of the last 10 years, even as the annual budget has grown five-fold over the same period. This fiscal year started six weeks ago, and California has already spent three-quarters of its firefighting budget for the entire year. +That spending is "a very stark indication of the severity and the scope of these type of catastrophic wildfires," said H.D. Palmer, spokesman for Gov. Jerry Brown's Department of Finance. Copyright 2018 KQED. To see more, visit KQED . © 2018 KWIT 4647 Stone Avenue, Sioux City, Iowa 51106 712-274-6406 business line . 1-800-251-3690 studi \ No newline at end of file diff --git a/input/test/Test4991.txt b/input/test/Test4991.txt new file mode 100644 index 0000000..a074920 --- /dev/null +++ b/input/test/Test4991.txt @@ -0,0 +1,7 @@ +P�hiva and PSA win against Tongasat illegal US$25 million transfer By 1 Lawyer Dr Rodney Harrison (L), PM 'AKilisi P�hiva +Prime Minister 'Akilisi P�hiva and PSA have won a major court case against Tongasat satellite company which illegally took US$25,450,000 from government. +The Minister of Police Mateni Tapueluelu told Kanva News this evening he has just received a report from the Prime Minster 'Akilisi P�hiva about the outcome of the legal battle. +The money was paid by the Republic of China to the Government of Tonga in May 2011 and was paid to Tongasat in around June of that year. +Prime Minister 'Akilisi P�hiva argued that the payment was unlawful within the meaning of the Public Finance Management Act. +Hon Pohiva, who began the case in 2013 when he was in opposition , and the Public Service Association (PSA) wanted Tongasat and the Princess to pay back the money to the government. +This is breaking news. More to come \ No newline at end of file diff --git a/input/test/Test4992.txt b/input/test/Test4992.txt new file mode 100644 index 0000000..49e8b2d --- /dev/null +++ b/input/test/Test4992.txt @@ -0,0 +1 @@ +- Southeast Asia - Other regions (Central & South America, Middle East & Africa) In this study, the years considered to estimate the market size of Squalene are as follows: History Year: 2013-2017 Estimated Year: 2018 Forecast Year 2018 to 2025 With the given market data, Research Team offers customizations according to the company's specific needs. The following customization options are available for the report: Regional and country-level analysis of the Optical Coating market, by end-use. Detailed analysis and profiles of additional market players. Make an inquiry and for report customization @ https://www.marketexpertz.com/make-enquiry-form/16343 The research provides answers to the following key questions: - What will be the growth rate and the market size of the Optical Coating industry for the forecast period 2018-2025? - What are the major driving forces expected to impact the development of the Optical Coating market across different regions? - Who are the major driving forces expected to decide the fate of the industry worldwide? - Who are the prominent market players making a mark in the Optical Coating market with their winning strategies? - Which industry trends are likely to shape the future of the industry during the forecast period 2018-2025? - What are the key barriers and threats believed to hinder the development of the industry? - What are the future opportunities in the Optical Coating market? Browse complete report description on our website @ https://www.marketexpertz.com/industry-overview/optical-coating-market About MarketExpertz Planning to invest in market intelligence products or offerings on the web? Then marketexpertz has just the thing for you - reports from over 500 prominent publishers and updates on our collection daily to empower companies and individuals catch-up with the vital insights on industries operating across different geography, trends, share, size and growth rate. There's more to what we offer to our customers. With marketexpertz you have the choice to tap into the specialized services without any additional charges. Contact Us: 40 Wall St. 28th floor New York City, NY 10005 United States sales@marketexpertz.co \ No newline at end of file diff --git a/input/test/Test4993.txt b/input/test/Test4993.txt new file mode 100644 index 0000000..feae7ae --- /dev/null +++ b/input/test/Test4993.txt @@ -0,0 +1,14 @@ +His first quick-fire clip is on stop and search Christian Weaver +A budding barrister has come up with a clever way of helping people understand their rights — through the medium of vlogging. +Christian Weaver, a Nottingham Law School Bar Professional Training Course (BPTC) grad, has launched a YouTube channel with the aim of explaining various laws in under one minute. +In the first quick-fire clip, the 24-year-old provides a brief overview of the UK laws relating to stop and search, including the powers the police have and what action you can take if you're stopped. The video was first uploaded to Weaver's YouTube channel and subsequently shared with his 1,000 followers on Twitter. It has already racked up over 1,500 views. Knowing your legal rights is something everybody should have time for. That's why I have created #TheLawIn60Seconds – quick and easy videos that explain your legal rights. +The first episode is 'Stop and Search': https://t.co/1nzwZRaXVV +— Christian Weaver (@ChristianKamali) August 10, 2018 +Speaking to Legal Cheek , Weaver explained his motivation behind the channel: +"Although people understand the importance of the law, very few people take the time to become knowledgeable in it — often deeming it too difficult or a time-consuming task. My #TheLawin60Seconds project identifies legal matters that relate to ordinary people and helps explain their rights in very simple terms. I hope my videos will be an educational resource — they only last 60 seconds so everyone should have the time to view them." +Weaver hopes to post regular content to his channel. Future episodes will touch on a range of issues, including the Grenfell Tower tragedy and whether shops can refuse to give consumers a refund. +Weaver completed his LLB at Nottingham Law School and stayed on after graduating in 2015 to complete the BPTC. Since then, the aspiring barrister has volunteered for various legal charities including human rights organisation Liberty. The 2018 Legal Cheek BPTC Most List +The 24 year-old is currently the UK's youth delegate for the Council of Europe and works as a trainee caseworker for legal charity INQUEST. Weaver confirmed to Legal Cheek that he will be commencing pupillage at a human rights set later next year. +This isn't, however, the first time we have seen a law student turn to YouTube to share their wisdom. +Earlier this year , Legal Cheek reported on Ludo Lugnani, a Univesity of York LLB-er who runs a channel called The Business Update . Ideal pre-training contract interview viewing, Lugnani posts short video clips updating his followers on the latest commercial awareness issues. And it's not just law students taking to YouTube either. Irwin Mitchell solicitor Chrissie Wolfe shares, among other things, her top training contract tips on her channel, Law and Broader . +For all the latest commercial awareness info, and advance notification of Legal Cheek's careers events \ No newline at end of file diff --git a/input/test/Test4994.txt b/input/test/Test4994.txt new file mode 100644 index 0000000..206ed4c --- /dev/null +++ b/input/test/Test4994.txt @@ -0,0 +1 @@ +Domestic Science &Issue North America South America Oceania GCC countries United Nations Religion US Army in Korea UAE nuclear Terrorism ASEAN Philippines Life & Style Travel Food Beverage Expat Living Peoples Design Health Women Faith Youth education Religion Charity Business Economy Finance Industry Technology Automode Local Business World Business Capital Business UAE Philippines Media Asia Europe Philippines Taiwan Airlines UAE China Electrici \ No newline at end of file diff --git a/input/test/Test4995.txt b/input/test/Test4995.txt new file mode 100644 index 0000000..e22f872 --- /dev/null +++ b/input/test/Test4995.txt @@ -0,0 +1 @@ +&Issue Asia South America Oceania United Nations ASEAN Philippines Taiwan & Expat Living Books Peoples Health Charity Business Economy Finance Industry Technology World Business UAE Philippines Green Biz Oceania South Korea Southeast Asia United Nations ROC Europe Taiwan Middle East Europe N.America S.Amerca Electrici \ No newline at end of file diff --git a/input/test/Test4996.txt b/input/test/Test4996.txt new file mode 100644 index 0000000..60cba0c --- /dev/null +++ b/input/test/Test4996.txt @@ -0,0 +1,14 @@ +US threatens more sanctions, keeping alive Turkish crisis Posted: Updated: (AP Photo/Lefteris Pitarakis). A general view of Istanbul, Thursday, Aug. 16, 2018. Turkey's finance chief tried to reassure thousands of international investors on a conference call Thursday, in which he pledged to fix the economic troubles that have ... 41 41:31 +By SUZAN FRASERAssociated Press +ANKARA, Turkey (AP) - Turkey and the United States exchanged new threats of sanctions Friday, keeping alive a diplomatic and financial crisis that is threatening the economic stability of the NATO country. +Turkey's lira fell once again after the trade minister, Ruhsar Pekcan, said Friday that her government would respond to any new trade duties, which U.S. President Donald Trump threatened in an overnight tweet. +Trump is taking issue with the continued detention in Turkey of American pastor Andrew Brunson, an evangelical pastor who faces 35 years in prison on charges of espionage and terror-related charges. +Trump wrote in a tweet late Thursday: "We will pay nothing for the release of an innocent man, but we are cutting back on Turkey!" +He also urged Brunson to serve as a "great patriot hostage" while he is jailed and criticized Turkey for "holding our wonderful Christian Pastor." +U.S. Treasury chief Steve Mnuchin earlier said the U.S. could put more sanctions on Turkey. +The United States has already imposed sanctions on two Turkish government ministers and doubled tariffs on Turkish steel and aluminum imports. Turkey retaliated with some $533 million of tariffs on some U.S. imports - including cars, tobacco and alcoholic drinks - and said it would boycott U.S. electronic goods. +"We have responded to (US sanctions) in accordance to World Trade Organization rules and will continue to do so," Pekcan told reporters on Friday. +Turkey's currency, which had recovered from record losses against the dollar earlier in the week, was down about 6 percent against the dollar on Friday, at 6.17. +Turkey's finance chief tried to reassure thousands of international investors on a conference call Thursday, in which he pledged to fix the economic troubles. He ruled out any move to limit money flows - which is a possibility that worries investors - or any assistance from the International Monetary Fund. +Investors are concerned that Turkey's has amassed high levels of foreign debt to fuel growth in recent years. And as the currency drops, that debt becomes so much more expensive to repay, leading to potential bankruptcies. +Also worrying investors has been President Recep Tayyip Erdogan's refusal to allow the central bank to raise interest rates to support the currency, as experts say it should. Erdogan has tightened his grip since consolidating power after general elections this year \ No newline at end of file diff --git a/input/test/Test4997.txt b/input/test/Test4997.txt new file mode 100644 index 0000000..92bd9d7 --- /dev/null +++ b/input/test/Test4997.txt @@ -0,0 +1,6 @@ +The latest enterprise risk management news from around the world Cloud computing remains top emerging enterprise risk: Gartner survey Details Published: Friday, 17 August 2018 08:24 +Cloud computing ranks as the top risk concern for executives in risk, audit, finance and compliance, according to the latest survey by Gartner. While cloud computing presents organizations with opportunities, a number of new risks — including cybersecurity disclosure GDPR compliance — make cloud solutions susceptible to unexpected security threats. +In Gartner's latest quarterly Emerging Risks Report, 110 senior executives in risk, audit, finance and compliance at large global organizations identified cloud computing as the top concern for the second consecutive quarter. Additional information security risks, such as cybersecurity disclosure and GDPR compliance, ranked among the top five concerns of the executives surveyed. +The top two fast-moving, high-impact risks — those which have the ability to cripple an organization quickly — are also related to information security threats. Social engineering and GDPR compliance were cited as most likely to cause the greatest enterprise damage if not adequately addressed by risk management leaders. However, only 18 percent of the cross-functional executives surveyed currently considered social engineering to be a significant enterprise risk. Increased adoption brings new risks +Gartner forecasts cloud computing to be a $300 billion industry by 2021, as companies increasingly adopt cloud services to realize their desired digital business outcomes. Through the use of cloud services, cloud computing provides the speed and agility that digital business requires. Adopting the cloud can also result in significant cost savings and generate new sources of revenue. +Results from the Emerging Risks Report, however, reveal that companies continue to struggle with security. Despite record spending on information security in the last two years, organizations have lost an estimated $400 billion to cyber theft and fraud worldwide. As cybersecurity events and data breaches increase, it is imperative that organizations elevate IT security to a board-level topic and an essential part of any solid digital business growth strategy, says Gartner \ No newline at end of file diff --git a/input/test/Test4998.txt b/input/test/Test4998.txt new file mode 100644 index 0000000..7f35353 --- /dev/null +++ b/input/test/Test4998.txt @@ -0,0 +1,7 @@ +· High degree of accuracy +· Ability to flex style and behaviour +Highly numerate with advanced MS Excel skills If this sounds like your next position please click on the apply button with a copy of your up to date cv quoting reference 2962-33rd +Not right for you? We'd still like to speak with you about other sales, marketing or category management opportunities, so please do send an up to date copy of your CV in word format and we will call you. +All applications to roles advertised by Veritas Partnership Ltd are reviewed by our team of consultants. Due to the high volume of applications that we receive we are unfortunately unable to respond to each applicant individually, therefore if you have not heard from us within 5 working days, unfortunately on this occasion your application has not been successful. +Applicants to the positions advertised by Veritas Partnership Ltd consent to Veritas holding their data in pursuance of recruitment services for this and future roles. +For details of our privacy policy please visit our website at the bottom of our home page Required skill \ No newline at end of file diff --git a/input/test/Test4999.txt b/input/test/Test4999.txt new file mode 100644 index 0000000..ea507ed --- /dev/null +++ b/input/test/Test4999.txt @@ -0,0 +1,11 @@ +News & Analysis / Ridding the World of Twitter Bots, One Network at a Time A pair of researchers analyzed thousands of Twitter accounts looking for an algorithm to identify bots. They revealed their findings at the Black Hat security conference. August 10, 2018 1:46PM EST August 10, 2018 PCMag reviews products independently , but we may earn affiliate commissions from buying links on this page. Terms of use . +LAS VEGAS—Twitter bots have been in the news lately. If your follower account dropped recently , it's probably because Twitter swept away millions of fake accounts. Twitter is clearly working to seek and eliminate these bots, but so are security researchers. +Duo Security Principal R&D Engineer Jordan Wright and Data Scientist Olabode Anise took the stage at Black Hat to talk about applying their data science skills to Twitter bot hunting. +"Twitter and other networks exist to share," said Wright. "What makes them great is the ability to have honest conversations. Twitter bots change that, in good and bad ways. Spam-generating bots share the same links over and over. Amplification bots don't generate content, but rather exist to amplify other accounts by liking and retweeting. That's a level of dishonesty. But there are also benign notification bots offering things like news and weather." We Like Big Data and We Cannot Lie +Any kind of data mining requires a big dataset. Twitter offers an application programming interface (API) for gathering data, but with very specific limitations. "We wanted to play by Twitter's API rules. We want reproducible results," said Wright. "So we used a single API key to gather all the data. That's subject to rate limits, so we must be as efficient as possible." +Wright explained that Twitter IDs used to be 32-bit unsigned integers, meaning there could be a total of 4,294,967,296 distinct accounts. One way to get account info is just to guess a number and submit it to the Twitter API. If it's a real account, you get the account name plus metadata including number of tweets, followers, and followed accounts. And you can submit 8.6 billion requests per day. Wright and Anise tried a sampling of 5 percent of the possible IDs and captured a huge number of accounts. +However, Twitter changed the technique for creating unique IDs to a technology called Snowflake . A Snowflake ID is 63 bits of information and can represent an account, a post, a follow, or any other object. The guessing game no longer works. So the team switched to the Streaming API. +"The streaming API gets a stream of random current tweet statuses," said Wright. "It's the full user object, and you can filter on keyword, location, and more. But this introduces bias, as you see only uses who have tweeted recently." +The team went on to enrich the data using other APIs, each with more stringent restrictions. They could request tweet content, limited to 144,000 requests per day. And they could get an account's network of followers and followed, but only 1,400 of those per day. Using these tools strategically, they enriched their data set and started in with machine learning . +The talk then headed off into the weeds of data science. Briefly, they wound up with a model that was pretty good at distinguishing real accounts from bots, but not good enough so support taking action against accounts it identified as bots. If data mining is your bag, check out the Duo duo's full paper . Unraveling the Network +"We gathered the data, and we identified bots," said Jordan. "The final chapter is, how do they connect together and share a common goal? Bots promoting cryptocurrency scams spoof legitimate accounts; how are they linked? We started mapping it out, using each bot account to find others." Relate \ No newline at end of file diff --git a/input/test/Test5.txt b/input/test/Test5.txt new file mode 100644 index 0000000..22c13c1 --- /dev/null +++ b/input/test/Test5.txt @@ -0,0 +1,10 @@ +Michael Cohen. Drew Angerer/Getty Images +The special master overseeing the document review in the federal investigation into Michael Cohen, President Donald Trump's former longtime lawyer, has ruled that roughly 0.2% of the more than 4 million documents seized by the FBI from the attorney are covered by attorney-client privilege. +Barbara Jones, a retired federal judge appointed to oversee the review, wrote in her final report to US District Judge Kimba Wood on Thursday that nearly 7,500 documents were either privileged, highly personal, or partially privileged. Cohen claimed privilege over slightly more than 12,000 of the 4 million-plus documents, and is not challenging any of Jones's rulings with Wood. +In a filing that was posted shortly after Jones's final report, Wood wrote that the parties must file any objections to Jones's determinations to the court by Friday evening. +Cohen is the focus of a criminal investigation in the Southern District of New York into whether he violated campaign-finance laws, committed bank fraud or wire fraud, engaged in illegal lobbying , or participated in other crimes. The FBI raided Cohen's home, hotel room, and office in April, seizing more than 4 million documents from Trump's longtime lawyer. +At the center of Cohen's troubles is a $130,000 hush-money payment he facilitated weeks before the 2016 presidential election to the porn star Stormy Daniels to keep her from talking about her allegation of a 2006 affair with Trump, which Trump has denied. The FBI sought documents related to that payment and other similar agreements with other women. +In April, Cohen and his lawyers successfully argued for the appointment of a special master, allowing them, Trump's attorneys, and the Trump Organization to identify documents protected by attorney-client privilege . +Last month, the president's attorneys withdrew privilege claims over a dozen audio tapes the FBI seized from Cohen. As a result, those recordings have been turned over to prosecutors. +On one of the tapes, which was provided to CNN by Cohen's attorney Lanny Davis, Cohen and Trump discuss buying the rights to the story of a former Playboy model, Karen McDougal, who says she had an affair with Trump in 2006. The tape was said to be recorded without Trump's knowledge. Its publication could complicate Cohen's efforts to seek a deal with the government. +A person close to Trump's legal team who had heard the tapes told Business Insider last month that the remaining recordings featured conversations between Cohen and third parties about Trump, not direct discussions between Trump and Cohen \ No newline at end of file diff --git a/input/test/Test50.txt b/input/test/Test50.txt new file mode 100644 index 0000000..ba657f4 --- /dev/null +++ b/input/test/Test50.txt @@ -0,0 +1 @@ +Tweet 3D Gaming Console Market Sector Knowledge and Clear Insights on Key Players such as Sony Corporation, Microsoft Corporation, Nintendo Co. Limited, Logitech, Apple, Inc., Oculus VR, Electronic Arts, Activision Publishing, Avatar reality The overall gaming industry is fragmented into game developers, console manufacturers, sales and distributors. Game developers hold average share in the market, as designing and coding games in of the most creative job and cost of developing a game would 16, 2018 ) The 3D gaming market is broadly classified by console, platform, technology, and geography. The consoles are further segmented into home, handheld, micro and dedicated consoles. The platforms is sub-segmented into major platforms provided by Microsoft Xbox, Sony PlayStation, Nintendo Wii, and others. The evolving technologies will upsurge the market in coming years, some of the important segments include virtual and augmented reality, polarized shutter technology, auto stereoscopy, Xbox illumiroom, leap motion technology and others. The global 3D gaming console market is also branched on the basis of regions into North America, Europe, Asia Pacific, South America and Middle East & Africa.Get PDF Sample Brochure | http://www.reportsweb.com/inquiry&RW0001554978/sample Asia-Pacific is one of the leading regions in gaming market followed by North America and Europe, Middle East and Africa. In APAC, China holds the major share of gaming market and accounts almost equal to the overall North America gaming market. The growing trends of technologies such as 3D imaging, virtual and augmented reality market will uplift 3D gaming console market in APAC in coming years and countries such as China, South Korea, India, and Japan are expected to make the best of these opportunities.Some of the key market players include Sony Corporation, Microsoft Corporation, Nintendo Co. Limited, Logitech, Apple, Inc., Oculus VR, Electronic Arts, Activision Publishing, Avatar reality and Kaneva among others. Sony Corporation realized that providing high-end products and solutions at high pricing was not justifiable in comparison to its Xbox 360, which was not highly updated with the current trends in the technology. While Xbox was competing with PS3 with more added hardware specification, but PS3 observed to portray excellent performance with reduced price. It was observed that the overall 3D gaming console market is price sensitive and hence companies offering economical products will gain good traction in near future.Browse Complete Report | http://www.reportsweb.com/3d-gaming-console-market-to-2025 The objectives of this report are as follows:-To provide overview of the global 3D Gaming Console market-To analyze and forecast the global 3D Gaming Console market on the basis of solutions, services, verticals-To provide market size and forecast till 2025 for overall 3D Gaming Console market with respect to five major regions, namely; North America, Europe, Asia Pacific (APAC), Middle East and Africa (MEA), and South America (SAM), which are later sub-segmented across respective major countries-To evaluate market dynamics effecting the market during the forecast period i.e., drivers, restraints, opportunities, and future trend-To provide exhaustive PEST analysis for all five regions-To profiles key 3D Gaming Console players influencing the market along with their SWOT analysis and market strategies3D Gaming Console Market Revenue and Forecasts to 2025-Geographical Analysis11.1 Overview11.1.1 Segment Share (%), 2015 & 202511.2 North America11.2.1.1 Segment Share (%), 2015 & 202511.2.2 U.S.11.2.2.1 U.S. 3D Gaming Console Market Revenue Forecasts to 2025 (US$ Bn)11.2.3 Canada11.2.3.1 Canada 3D Gaming Console Market Revenue Forecasts to 2025 (US$ Bn)11.2.4 Mexico11.2.4.1 Mexico 3D Gaming Console Market Revenue Forecasts to 2025 (US$ Bn)11.3 Europe11.3.1.1 Segment Share (%), 2015 & 202511.3.2 France11.3.2.1 France 3D Gaming Console Market Revenue Forecasts to 2025 (US$ Bn)11.3.3 Germany11.3.3.1 Germany 3D Gaming Console Market Revenue Forecasts to 2025 (US$ Bn)11.3.4 Italy11.3.4.1 Italy 3D Gaming Console Market Revenue Forecasts to 2025 (US$ Bn)11.3.5 Spain11.3.5.1 Spain 3D Gaming Console Market Revenue Forecasts to 2025 (US$ Bn)11.3.6 U.K11.3.6.1 U.K 3D Gaming Console Market Revenue Forecasts to 2025 (US$ Bn)11.3.7 Rest of Europe11.3.7.1 Rest of Europe 3D Gaming Console Market Revenue Forecasts to 2025 (US$ Bn)11.4 Asia Pacific (APAC)11.4.1.1 Segment Share (%), 2015 & 202511.4.2 Australia11.4.2.1 Australia 3D Gaming Console Market Revenue Forecasts to 2025 (US$ Bn)11.4.3 China11.4.3.1 China 3D Gaming Console Market Revenue Forecasts to 2025 (US$ Bn)11.4.4 India11.4.4.1 India 3D Gaming Console Market Revenue Forecasts to 2025 (US$ Bn)11.4.5 Japan11.4.5.1 Japan 3D Gaming Console Market Revenue Forecasts to 2025 (US$ Bn)11.4.6 Rest of APAC11.4.6.1 Rest of APAC 3D Gaming Console Market Revenue Forecasts to 2025 (US$ Bn)11.5 Middle East & Africa (MEA)11.5.1 Overview11.5.1.1 Segment Share (%), 2015 & 202511.5.2 Saudi Arabia11.5.2.1 Saudi Arabia 3D Gaming Console Market Revenue Forecasts to 2025 (US$ Bn)11.5.3 South Africa11.5.3.1 South Africa 3D Gaming Console Market Revenue Forecasts to 2025 (US$ Bn)11.5.4 UAE11.5.4.1 UAE 3D Gaming Console Market Revenue Forecasts to 2025 (US$ Bn)11.5.5 Rest of MEA11.5.5.1 Rest of MEA 3D Gaming Console Market Revenue Forecasts to 2025 (US$ Bn)11.6 South America (SAM)11.6.1.1 Segment Share (%), 2015 & 202511.6.2 Brazil11.6.2.1 Brazil 3D Gaming Console Market Revenue Forecasts to 2025 (US$ Bn)11.6.3 Rest of SAM11.6.3.1 Rest of SAM 3D Gaming Console Market Revenue Forecasts to 2025 (US$ Bn)Place a DIRECT Purchase order for complete report @ http://www.reportsweb.com/buy&RW0001554978/buy/4550 {Note: If you have any special requirements, please let us know and we will offer you the report as you want.} Contact Information \ No newline at end of file diff --git a/input/test/Test500.txt b/input/test/Test500.txt new file mode 100644 index 0000000..dfc0ee6 --- /dev/null +++ b/input/test/Test500.txt @@ -0,0 +1,9 @@ +Moumita Saha had shared several pictures on her Facebook profile. Kolkata : The body of one young television actress was on Saturday found hanging from the ceiling of her room in her flat in southern part of the city's Reagent Park area, police said. +Acting on a call from neighbours, police broke open the door of the flat of Moumita Saha (23) and found her hanging from the ceiling of a room of the flat, which she had rented for the last couple of months, they said. +Also read: Mumbai: 29-year-old actress Anjali Srivastava commits suicide +A suicide note was recovered from the flat where the actress was staying alone. +"The house owner informed us today after the door of the flat was not opened since last afternoon," they said. +A probe has been initiated into the death of the actress, who police said could be under "severe depression". +Also read: Bollywood mourns sudden demise of actress Sridevi +"We have gone through her social networking site where her last post appeared to be written out of depression. We are going through her mobile call list," they said. +end-o \ No newline at end of file diff --git a/input/test/Test5000.txt b/input/test/Test5000.txt new file mode 100644 index 0000000..33834d9 --- /dev/null +++ b/input/test/Test5000.txt @@ -0,0 +1,28 @@ +Prints are fast and of high quality Supports a wide range of materials Printer is quiet More expensive than many comparable models Verdict Serious 3D printers will love the speed and flexibility of the LulzBot Mini 2 9/10 $1500 Amazon +Released more than three years ago, the LulzBot Mini balanced a price that made it attractive to home users with a flexibility to print in multiple materials. The Mini hit the sweet spot for those who are serious about 3D printing, making it our favorite midrange 3D printer for a long time +The LulzBot Mini 2 ticks those same boxes, only better, offering a lot of under-the-hood upgrades, such as support for flexible printing materials and faster printing. Design: Better inside +The Mini 2 shares the same spare, industrial look as LulzBot's original Mini, putting the focus on printing rather than aesthetics. Not that it's an ugly printer: The anodized aluminum frame and 3D-printed parts give the Mini 2 a clean, functional look. +Credit: LulzBot There's another reason the new printer looks very much like the previous model: most of the upgrades are on the inside. These include a new, more flexible printhead; faster motors; a new modular print bed; and a slightly larger print bed. The printhead of the LulzBot Mini 2 can feed squishy filaments in without problems. +The new printhead uses a E3D Titan Aero nozzle and a redesigned feeding mechanism, which means the Mini 2 can handle flexible materials like Ninjaflex. Previous models required an upgraded printhead to print these since they use a different method of feeding the material into the nozzle that heats and melts the filament. The printhead of the Mini 2 can feed in these squishy filaments without problems. +Credit: LulzBot The modular print bed on the Mini 2 also helps with different materials. Some materials (like the PLA material used in most 3D printers) stick best to a heated print bed coated with tacky plastic, while others work best on a plain glass surface. The Mini 2 offers both: You can take out the 6.3 x 6.3-inch glass print bed and flip it over. One side is coated with PEI plastic, while the other side is uncoated glass. Whichever side is up, the print bed can be heated to a toasty 248 degrees Fahrenheit (120 degrees Celsius), so it will work nicely with materials like ABS that stick better to a heated print bed. The process of turning the print bed over does require undoing the hex screws at each corner, but that doesn't take too long. +The print bed on the Mini 2 is an auto-leveling one: Every time you start a print, the printhead touches the four washers that hold the print bed in place to detect the height of the print bed. In addition, a piece of fabric at the back of the print bed wipes off the printhead, removing any stray material that could clog up the printhead. +MORE: 3D Printing: What to Do After You Buy Your Printer +The print bed is a little larger than it was on the original Mini, providing a print area of 6.3 x 6.3 x 7 inches, for a total print volume of 281 cubic inches. That is big enough for most things, but it can be limiting. For instance, I was unable to print a case for an iPhone 7 Plus, as it wouldn't fit onto the print bed. My only options were to tilt the case up (which wasted a huge amount of material for the supports) or cut the print into two parts. Controls: Multiple methods +The Mini 2 can be controlled either through an LCD screen on the printer or via the free LulzBot edition of Cura. +The LCD screen and dial control on the front of the printer allow you to access any of the controls and features of the printer. By turning the knob and pressing in, you can step through the menu system to load filament, set temperatures or print files from the SD card. So you can use the Mini 2 as a stand-alone device without connecting it to a PC over a USB connection if you want. +The more flexible way to control the printer is through the LulzBot version of the open-source program Cura, available for Windows, macOS and Linux . This program allows you to load 3D models in a number of formats (.STL, .OBJ and others) and prepare them for printing. +You can scale, rotate and join models together, preparing multiple models to print at once. These models are presented in a 3D view, which allows you to move around and zoom in or out, which is useful for spotting any potential printing problems. When the model is loaded, the program automatically creates the printing file (a process called slicing), and you can then view a preview of the printing process, layer by layer. You can tweak this process to a very fine degree, controlling if supports are added to hold the print in place during printing. You can also control how dense these supports are, along with many other options. Alternatively, you can let Cura do the hard work using one of the 34 included profiles for different materials from standard PLA to nylon. Printing: A quiet machine +Once you've prepared your model, you can print it over the USB connection, or save the print file to an SD Card and insert that into the printer. Either way, we found that the printing process was simple and generally problem-free. We printed dozens of models in a number of materials and had only a couple of failures when the print material didn't adhere to the print bed. +Printing itself is very quiet, with the Mini 2 making only a low squeaking noise as the printhead moved around. In fact, my wife confused it with a mouse, wondering if our cats had caught something in my office when I left the printer running. Printing itself is very quiet, with the LulzBot Mini 2 making only a low squeaking noise as the printhead moved around. Print Materials: Wider range than most +There are no restrictions on what type of 3mm filament you can use with the Mini 2, and LulzBot provides an excellent set of guidelines for many types . The upgraded extruder and modular print bed make it significantly more flexible than most 3D printers, with the ability to use flexible filaments such as Ninjaflex or PolyFlex that usually require different printing heads. (Models printed with these materials are soft and flexible, like rubber.) +The Mini 2 can also handle materials like Nylon or the stone and wood filaments that have wide-ranging requirements of temperature and print-bed type. Print Speed: Faster than before +We found that the Mini 2 was significantly faster at printing than the original Mini, printing out our 4.5-inch-high Thinker model in between 3 hours and 7 minutes in high-speed mode and 6 hours and 37 minutes at high quality. That's about an hour faster on the highest quality than the original Mini, and much faster than cheaper printers such as the $179 da Vinci Nano , which took more than 21 hours to print at the highest quality. If you plan to use your 3D printer a lot, the LulzBot Mini 2's combination of high speed at high quality could be a significant time-saver. +If you plan to use your 3D printer a lot, the Mini 2's combination of high speed at high quality could be a significant time-saver. Print Quality: Excellent +We found that the Mini 2 produced high-quality prints across the board, yielding excellent prints from our test models that offered good detail and very few issues. +The Mini reproduced the details of our Thinker test model accurately in all print modes, although the layering on the fast-print modes was very visible. The same was true of our geometric sculpture model, which had lots of sharp edges and points. The Mini 2 had no problem with these, producing smooth edges and sharp points in this complex and difficult print. The same was true of our test print of a set of planetary gears, which fitted together easily after removing and cleaning. +MORE: Best Home 3D Printers - Reviews for Beginners and Enthusiasts +We did find that prints made with flexible material had a lot of whiskering, though, where thin whiskers of filament are left attached to the print as the printhead moves. To be fair, these were not difficult to remove, and this was with the default settings for this material; we could probably have removed them with some tweaks to the temperature and print speed. Conclusion: Faster, more flexible printing at a price +The LulzBot Mini 2 is a more than worthy successor to the original Mini. It's a fast, flexible printer that can produce high-quality prints in both the standard ABS and PLA filaments, as well as work with a wider range of materials than most printers. +That speed and flexibility comes at a cost, though. At $1,500, the Mini 2 is substantially more than lower-end printers like the $179 da Vinci Nano, and $250 more than the Dremel DigiLab . But if you want faster prints made of a wide variety of materials, the extra cash it costs you for the LulzBot Mini 2 is more than worth it. +Credit: Tom's Guide 9/10 Quick Take +Those who want fast, high-quality 3D prints will love the Mini 2, but it is expensive for newcomers, who might be better served by a cheaper printer like the XYZ da vinci Mix 2. Still, this successor to the LulzBot Mini is our pick for home users who want to step up their 3D-printing output \ No newline at end of file diff --git a/input/test/Test5001.txt b/input/test/Test5001.txt new file mode 100644 index 0000000..7f55041 --- /dev/null +++ b/input/test/Test5001.txt @@ -0,0 +1,8 @@ +VP asks 'peace lovers' to fund peace accord Memoscar Lasuba | | 1:07 pm Vice President, Dr. James Wani Igga | File photo +The Vice President has called for donors' support to finance the peace agreement to enable its speedy implementation. +Dr. James Wani Igga made the appeal yesterday while making remarks during a conference on International Cooperation and Sustainable Peace at the AU headquarters in Ethiopia's capital, Addis Ababa. +He told the African leaders that South Sudan is now embarking on implementation of the Khartoum peace deal. +But he says the country is lacking financial support. +"As we are now embarking on serious implementation, we cannot be so successful without being supported by the international community, particularly from all the peace lovers," Igga told the participants. +The conference was attended by many African leaders, including the former president of Burundi and the Ugandan parliamentary speaker. +It was organized by Heavenly Culture, World Peace, and Restoration of Light organization. \ No newline at end of file diff --git a/input/test/Test5002.txt b/input/test/Test5002.txt new file mode 100644 index 0000000..ad6a64a --- /dev/null +++ b/input/test/Test5002.txt @@ -0,0 +1 @@ +Press release from: Market Research Future Industrial Dust Collector Market 2018 Industrial Dust Collector Market 2018Market Highlights:The food & beverage industry often experiences twice as many combustible dust related fire and explosions when compared to other industries. Thus, the implementation of industrial dust collectors not only improve the air quality but also used to protect the health and safety of workers.Changing consumer preferences with growing demand for ready to eat and frozen products has augmented the demand for dust collectors globally. In addition, various food products require preservation, further increasing the demand for industrial dust collectors.Request for a Sample Copy@ www.marketresearchfuture.com/sample_request/4226 Market Research Analysis:The global industrial dust collector market has been analyzed based on the three segments, namely component, end-users and regions.On the basis of components, the global industrial dust collector market is segmented as blower, dust filter, filter-cleaning system and others. Based on end-users, the global industrial dust collector market is bifurcated as pharmaceutical, power, food & beverage and others. Among these, pharmaceuticals is the leading market segment, owing to high demand of dust collectors for removing the contaminants that adversely affects the air quality in the industries.Brief TOC \ No newline at end of file diff --git a/input/test/Test5003.txt b/input/test/Test5003.txt new file mode 100644 index 0000000..bbab5c8 --- /dev/null +++ b/input/test/Test5003.txt @@ -0,0 +1 @@ +Press release from: Market Research Future Powder Coatings Market, Powder Coatings Market Size, Powder Coatings Market Research, Powder Coatings Market Analysis, Powder Coat Global Powder Coatings Market Information- by Resin Type (Thermoplastic and Thermoset), by Application (Automotive & Transportation, Architectural & Furniture, Appliances, Consumer Goods, and Others), by Substrate (Metal and Non-Metal) and Region- Forecast till 2023Powder Coatings Market Global Industry Research Report evaluates the growth trends of the market through historical study and estimates future prospects based on comprehensive research. The report extensively provides the industry share, growth, trends and forecasts for the period 2018-2022. The market size in terms of revenue (USD MN) is calculated for the study period along with the details of the factors affecting the market growth (drivers and restraints).+Competitive analysis-The major players operating in the powder coatings market are PPG Industries, Inc (U.S.), The Valspar Corporation (U.S.), Akzo Nobel N.V. (the Netherlands), Asian Paints Limited (India), KANSAI PAINT CO.,LTD (India), Royal DSM (the Netherlands), Arkema (France), Evonik Industries (Germany), TCI Powder (U.S.), The Sherwin-Williams Company (U.S.), and others.Request a Sample Report @ www.marketresearchfuture.com/sample_request/4535 Powder Coatings - Rising demand from automobile as well as consumer goods will boost the growth of the global marketRegional Analysis-Asia Pacific is estimated to be the largest powder coatings market followed by Europe and North America due to strong growth in automotive & transportation and architectural & furniture industry. In Asia Pacific, countries such as China, India and Japan are the fastest growing market for powder coatings, and is predicted to grow with the same pace over the assessment period. Improving living standards coupled with the flourishing growth of construction sector is predicted to contribute to the regional market growth. In Europe, Germany and UK are predicted to register a strong growth on account of tremendous demand for powder coatings in the automobile sector. In North America, the U.S and Canada are among the major contributors in the regional market growth due to expansion of appliances as well as consumer goods sector. The Middle Eastern and African countries such as Oman, Qatar, Saudi Arabia, and the United Arab Emirates (UAE) are expected to witness substantial growth due to increasing foreign investments and shifting of manufacturing base for various end use industries to these region.Market Segmentation-The global powder coatings market is segmented into resin types, application, substrates, and regions. On the basis of resin type, the market is segmented into thermoplastic and thermoset. Thermoplastic segment is further classified into nylon, polyolefin, polyvinyl fluoride (PVF), and polyvinyl chloride (PVC). Thermoset segment is sub divided into polyester, epoxy, acrylic, polyurethane, epoxy polyester hybrid, and others. Among the resin type, the thermoset segment is expected to hold the largest market share over the assessment period owing to their high temperature durability as compared to thermoplastic.Browse Full Report Details @ www.marketresearchfuture.com/reports/powder-coatings-mark... Moreover, polyester accounted for the largest market share in the sub segment of thermoset resin and is predicted to grow with the healthy CAGR during the assessment period. This growth can be attributed to a wide utilization of polyester based powder coatings due to their exterior durability and UV resistance. On the basis of application, the market is segmented into automotive & transportation, architectural & furniture, appliances, consumer goods, and others. Among these, architectural & furniture accounted for around 28% of the global consumption in 2015 and is predicted to witness a significant growth due to increasing construction activities across the globe. Automotive & transportation is expected to witness a healthy growth due to cost reduction and other benefits offered by these products.Powder Coatings Market Intended Audience-Powder Coatings Manufacturers Traders and Distributors of Powder Coatings Production Process Industrie \ No newline at end of file diff --git a/input/test/Test5004.txt b/input/test/Test5004.txt new file mode 100644 index 0000000..bfb2fea --- /dev/null +++ b/input/test/Test5004.txt @@ -0,0 +1,21 @@ +Beto O'Rourke speaks at the Texas Democratic Convention in June. Since winning the Democratic primary, O'Rourke has embraced progressive positions — at times, including impeaching President Trump — as he challenges GOP Sen. Ted Cruz's reelection bid. Richard W. Rodriguez / AP GOP Sen. Ted Cruz takes a photo with a supporter during a rally to launch his re-election campaign on April 2 in Stafford, Texas. Cruz says he's taking the campaign of Democratic challenger Beto O'Rourke seriously. Erich Schlegel / Getty Images Rep. Beto O'Rourke, Democratic nominee for Senate in Texas, greets supporters at a cafe in San Antonio. Wade Goodwyn / NPR Listening... / +If you arrived at Beto O'Rourke's recent town hall meeting in San Antonio even 40 minutes ahead of time, you were out of luck. All 650 seats were already taken. +It was one sign that the El Paso Democratic congressman has set Texas Democrats on fire this year, as he takes on Republican Sen. Ted Cruz's re-election bid. +Texas Democrats have been wandering in the electoral wilderness for two decades — 1994 was the last time they won a statewide race — but at O'Rourke's events they have been showing up in droves. Often, it's standing room only. +"Let's make a lot of noise so the folks in the overflow room know we're here, that we care about them," O'Rourke tells the crowd at the town hall, before counting to three and leading them in a cheer of "San Antonio!" +While he was sorry that all of those supporters couldn't see him, Beto O'Rourke is an unapologetic, unabashed liberal, who's shown no interest in moving toward the political middle after his victory in the Texas Democratic primary. +On issues like universal health care, an assault weapons ban, abortion rights and raising the minimum wage, O'Rourke has staked out progressive positions. The Democrat even raised the specter of impeachment after President Trump's Helsinki press conference with Vladimir Putin — although O'Rourke has since walked back that position some. +Nevertheless, recent polls have him just 2 and 6 points behind Cruz. Compare that with the 20-point walloping Texas state Sen Wendy Davis endured in 2014 when she lost in a landslide to Republican Greg Abbott in the race for governor. But that recent history begs the question of whether someone running as far to the left as Cruz can actually win in a state like Texas. +Former Texas agricultural commissioner and Democratic populist Jim Hightower sees something different in O'Rourke's campaign. +"You've got a Democratic constituency that is fed up, not just with Trump, but with the centrist, mealy-mouthed, do-nothing Democratic establishment," Hightower said. "They're looking for some real change and Beto is representing that." +Cruz says he's taking O'Rourke's candidacy very seriously. +"I think the decision he's made is run hard left and find every liberal in the state of Texas, and energize them enough that they show up and vote," Cruz said in an interview with NPR. "And I think he's gambling on there are enough people on the left for whom defeating and destroying Donald Trump is their number-one issue, that he's hoping that his path to victory. I don't see that in the state of Texas. In Texas, there are a whole lot more conservatives than liberals." +When it comes to the critical issue of immigration, the two Texas candidates for Senate couldn't be further apart. Last week in Temple, Cruz indicated he supports ending birthright citizenship telling the crowd, "it doesn't make a lot of sense." O'Rourke is against building a wall along the border and favors a gradual path to legal status for undocumented immigrants. +Political observers in Texas say it's still too early to get a good read on the race, although it seems that O'Rourke's campaign is generating some momentum. Jim Hensen, director of the Texas Politics Project at the University of Texas, which does extensive statewide polling, says the key to O'Rourke's success thus far is that he began his campaign early. +"He's much more viable, he's been working harder, he's traveled all over the state. He started earlier than the statewide candidates that we've seen in recent years, and I think it's made a big difference," Hensen said. Still, Hensen believes an O'Rourke victory is probably a long shot, not for lack of effort or fundraising, but because of the advantage Republican candidates enjoy in Texas when it comes to the sheer numbers of voters. +"In a hundred-yard dash, [O'Rourke] probably starts 10 to 15 yards behind," Hensen said. +At a café in San Antonio where he's come for an interview, O'Rourke can't make it to a table because he's mobbed by customers who recognize him and want a picture together. The congressman patiently chats up everyone who approaches and agrees to pictures. He urges his fans to share the photos on social media, a likely unnecessary piece of advice. +With the recent separations of immigrant children from their parents who are seeking asylum at the Texas border, immigration is hot topic of conversation. "I think that this state, the most diverse state in the country, should lead on immigration," O'Rourke told NPR. "Free DREAMers from the fear of deportation, but make them citizens today so they can contribute to their full potential. That is not a partisan value, that's our Texan identity and we should lead with it." +O'Rourke seems to have no fear of sounding too progressive for Texas. He has no interest in moving toward the ideological center for the general election. +He borrowed an old line from Jim Hightower as way of explanation. +"The only thing that you're going to find in the middle of the road are yellow lines and dead armadillos. You have to tell the people that you want to serve what it is you believe and what you are going to do on their behalf," O'Rourke said. "We can either be governed by fear, fear of immigrants, fear of Muslims, call the press the enemy of the people, tear kids away from their parents at the U.S.-Mexico border, or we can be governed by our ambitions and our aspirations and our desire to make the most out of all of us. And that's America at its best." Copyright 2018 NPR. To see more, visit http://www.npr.org/. © 2018 WXP \ No newline at end of file diff --git a/input/test/Test5005.txt b/input/test/Test5005.txt new file mode 100644 index 0000000..5b92b9b --- /dev/null +++ b/input/test/Test5005.txt @@ -0,0 +1,26 @@ +Good morning! +Marty Nothstein , Republican candidate for Pennsylvania's 7th congressional district, was placed on unpaid leave as executive director of a Trexlertown bike racing track, where he launched his Olympic and business careers before entering politics, The Morning Call has learned. +Legislative driver's ed State Rep. Margo Davidson , a Democrat who represents Delaware County, might be the worst driver in the Pennsylvania Legislature. +And her driving skills — or the lack there of — are costing taxpayers, according to an investigation by The Philadelphia Inquirer summarized by the Associated Press. +Holy grand jury fallout The Vatican, the spiritual and governmental home of the Catholic church, has expressed " shame and sorrow " over a grand jury report that exposed graphic accounts — and systematic cover-ups — of child sex abuse in six Pennsylvania dioceses over the course of decades. +A lot of the abuse was carried out in the name of God and the manipulation of faith , the AP reports. +The head of the U.S. Bishops called the report's findings a " moral catastrophe ." +Back in Pennsylvania, silence reigned among bishops as pressure mounts for lawmakers to support a change in state law that would give more adult-aged victims a limited time to sue over the abuse they allegedly endured as children, the AP writes. +Rural medicine St. Luke's University Health Network is trying to get more doctors in rural Pennsylvania by launching a family medicine residency program at its Miners campus in Schuylkill County. +Federal deadbeats By not paying its bills on time or early, the federal government is wasting your tax dollars , writes Morning Call columnist Paul Muschick. +He found that little costly nugget in a federal audit report. +Wrestling ruling Officials in a Montgomery County School District have decided a teacher won't lose his job for moonlighting as Nazi villain wrestler named Blitzkrieg . +The teacher says his character is just that, a fictional character and he does not hold Nazi beliefs. +Of all the bad guys you could pick from history — or your imagination — common sense should say stay away from, arguably, the worst villains in human history. +Trump news With costs soaring, the Defense Department halted President Donald Trump's planned Veterans Day military parade for a year, the Associated Press reports. +The parade won't happen until 2019. +Over in another part of the nation's defense sector, former U.S. security leaders blast Trump for blackballing a former spy chief. +Trump yanked the security clearance of former CIA Director John Brennan who has blasted the president over a variety of issues and called Trump's claims that he did not collude with Russia "hogwash." +The publisher of Omarosa's alleged insider account of Trump's White House vows to keep the presses running and not back down from a legal threat issued by Trump's campaign . +"Mr. Trump is the President of the United States, with a 'bully pulpit' at his disposal," Simon & Schuster outside counsel Elizabeth McNamara said in the letter, a copy of which was obtained by The Washington Post. "To the extent he disputes any statements in the Book, he has the largest platform in the world to challenge them." +Newsrooms across America fought back against Trump by coordinating the publishing of editorials denouncing the president's Stalinist complaints that reporters are"enemies of the people" and their product as "fake news." Trump responded by ripping the newspapers on his social media Twitter account. +A Georgia woman is facing a stiff prison sentence for mailing a secret U.S. report to a news organization, the Associated Press reports. +steve.esack@mcall.com +Twitter @sesack +717-783-7309 +Lehigh Valley velodrome board put Pennsylvania congressional candidate Marty Nothstein on leave after sexual misconduct allegation Government agencies are blowing your money by not paying bills promptly Pennsylvania bishops mostly silent on prosecutor's challeng \ No newline at end of file diff --git a/input/test/Test5006.txt b/input/test/Test5006.txt new file mode 100644 index 0000000..8cfdc5c --- /dev/null +++ b/input/test/Test5006.txt @@ -0,0 +1 @@ +Press release from: QYResearch Co.Ltd PR Agency: QYR Smart Garage Door Controllers Market to Witness Robust Expansion by 2025 - QY Research, Inc. This report presents the worldwide Smart Garage Door Controllers market size (value, production and consumption), splits the breakdown (data status 2013-2018 and forecast to 2025), by manufacturers, region, type and application.This study also analyzes the market status, market share, growth rate, future trends, market drivers, opportunities and challenges, risks and entry barriers, sales channels, distributors and Porter's Five Forces Analysis.Smart garage door controllers are mainly of two types: Bluetooth- and Wi-Fi-based controllers. The home automation market, especially the smart garage door controllers market, is driven by the growing awareness about various home automation systems and increasing high net worth individual (HNWI) population worldwide.The market is expected to witness significant growth during the forecast period as the governments of various countries are taking initiatives to build smart cities.Most of the vendors in this market are offering Wi-Fi-based smart garage door controllers since they allow users to remotely operate garage doors. Integrated with smartphones, tablets, and personal computers, these controllers can enable users to access, monitor, control, and receive notifications about all activities. Such benefits will increase the adoption of Wi-Fi enabled garage door controllers in the coming years, fueling market growth.The Americas will be the major revenue contributor to the smart garage door controller market. The growith in Internet usage and the rising number of smartphone users in this region, will contribute to the growth of the smart garage door opener market in the Americas.The following manufacturers are covered in this report:    The Chamberlain Group    Asante    Garageio    GoGogate    Nexx Garage    SkylinkHome    The Genie Company    RYOBISmart Garage Door Controllers Breakdown Data by Type    Wi-Fi-based    Bluetooth-basedSmart Garage Door Controllers Breakdown Data by Application    Residential Sector    Commercial Sector    OtherSmart Garage Door Controllers Production by Region    United States    Europe    China    Japan    Other Regions    Other RegionsThe study objectives are:    To analyze and research the global Smart Garage Door Controllers status and future forecast�źinvolving, production, revenue, consumption, historical and forecast.    To present the key Smart Garage Door Controllers manufacturers, production, revenue, market share, and recent development.    To split the breakdown data by regions, type, manufacturers and applications.    To analyze the global and key regions market potential and advantage, opportunity and challenge, restraints and risks.    To identify significant trends, drivers, influence factors in global and regions.    To analyze competitive developments such as expansions, agreements, new product launches, and acquisitions in the market.Request Sample Report and TOC@ www.qyresearchglobal.com/goods-1790614.html About Us:QY Research established in 2007, focus on custom research, management consulting, IPO consulting, industry chain research, data base and seminar services. The company owned a large basic data base (such as National Bureau of statistics database, Customs import and export database, Industry Association Database etc), expertâs resources (included energy automotive chemical medical ICT consumer goods etc.QY Research Achievements:  Year of Experience: 11 YearsConsulting Projects: 500+ successfully conducted so farGlobal Reports: 5000 Reports Every YearsResellers Partners for Our Reports: 150 + Across GlobeGlobal Clients: 34000 \ No newline at end of file diff --git a/input/test/Test5007.txt b/input/test/Test5007.txt new file mode 100644 index 0000000..f7ec7a0 --- /dev/null +++ b/input/test/Test5007.txt @@ -0,0 +1 @@ +Press release from: Global Market Insights Self-Compacting Concrete Market Asia Pacific Self-Compacting Concrete Market is governed by a stringent regulatory frame of reference enforced by authorized bodies that have implemented favorable policies under the structural reform plan. Pertaining to the massive industrialization and urbanization across the continent, APAC self-compacting concrete market pegged a valuation of USD 14 billion in 2016 and is likely to record a decent growth pace over 2017-2024. Asia Pacific is slated to be one of the most lucrative avenues for self-compacting concrete industry growth, given the strong pipeline of constructional projects across major countries like China. Statistics depict, with China at the forefront, APAC belt is forecast to account for almost 60% of the overall construction expenditure by 2025. Sample copy of this Report @ www.gminsights.com/request-sample/detail/1717 The competitive matrix of self-compacting concrete market is all inclusive of top notch companies that have been heavily investing in strong alliances to come up with innovative solutions that are not only efficient but also environmentally viable. For instance, Tarmac, one of the most acclaimed U.K. based sustainable material group, recently acquired the remaining 50% share of Scottish Power, under the long-standing ScotAsh joint venture. Reportedly, through the deal, the self-compacting concrete market giant would get full proprietorship of ScotAsh. Experts claim this agreement to be highly strategic from Tarmac's end, given its long term plan of widening its customer base with cutting-edge products, tapping the superfluity of expertise from both the organizations. The pipeline of such innovative projects on-board has undoubtedly sent out waves of expectations in self-compacting concrete industry. Self-consolidating concrete has lately become an indispensable component in modern construction activities, pertaining to some of its exceptional beneficiary features such as high segregation resistance and flowability. It is therefore quite indisputable that the growth in construction domain will leave a perpetual impact on self-compacting concrete market trends. As per estimates, the overall construction spending is forecast to cross USD 13 trillion by 2023, almost double than what is recorded in 2015 (USD 7 trillion). The humungous figure, itself is enough to draw a picture of the growth opportunity of self-compacting concrete industry over the forthcoming period. Browse Report Summery @ www.gminsights.com/industry-analysis/self-compacting-conc... High raw materials price trends compared to its conventional counterparts along with limited utilization of the product in the infrastructural domain are claimed to be the two major constraints deterring self-compacting concrete market penetration across some of the geographies. Nonetheless, renowned biggies are set to explore various opportunities and challenges of the business fraternity in the ensuing years by investing in advanced technologies that not only ensures improved functionality but also competitive pricing. Driven by the considerable developments on the product front in tandem with expansive application landscape, the self-compacting concrete industry is forecast to exceed a valuation of USD 30 billion by 2024. Partial Chapter of the Table of Content Chapter 2. Executive Summary 2.1. Self-compacting concrete industry 360° synopsis, 2013 – 2024 2.1.1. Business trends 2.1.3. Design mix by application trends 2.1.4. Application trend \ No newline at end of file diff --git a/input/test/Test5008.txt b/input/test/Test5008.txt new file mode 100644 index 0000000..012e99f --- /dev/null +++ b/input/test/Test5008.txt @@ -0,0 +1,9 @@ +MILWAUKEE , Aug. 17, Briggs & Stratton Corporation today announced its decision to consolidate a number of its smaller existing warehouses throughout the U.S. into two large warehouses in Germantown, Wisconsin and Auburn, Alabama . Both facilities are expected to be operational in spring 2019. +The Germantown facility will be part of the newly approved industrial park near Holy Hill Rd. and Hwy 41, serving as a 700,000 square foot distribution center for Briggs & Stratton ® engines and products. This space will be in addition to the Company's existing service and parts distribution center located in Menomonee Falls, Wisconsin . The Company does not anticipate significant staffing changes given the consolidation of smaller local facilities. The Village of Germantown and Washington County plan to support the project with an attraction fund commitment and developer TIF funding. +The Auburn facility will be a 400,000 square foot distribution center, also for engines and products. This facility positions Briggs & Stratton's inventory in the optimal location to best supply its customers with shorter delivery times in this region of the U.S. The City of Auburn , the Industrial Development Board of the City of Auburn (IDB) and the State of Alabama plan to support the project with available incentives. This will create approximately 20 new jobs in the City of Auburn . +"By consolidating our current footprint into two large distribution centers, we're increasing efficiencies to more effectively serve our customers," states Bill Harlow , director of global distribution and warehousing at Briggs & Stratton. "The locations in Germantown and Auburn will provide a North American enterprise distribution footprint that supports our strategy and customers with optimal inventory and order delivery while managing space and capital investment." +"This decision aligns with our commitment to invest in being a partner of choice and easy to do business with," said Dave Rodgers , senior vice president and president - engines and power at Briggs & Stratton. "We're already enhancing two of our existing plants in Auburn, Alabama and Statesboro, Georgia to bring production of our commercial Vanguard ® V-Twin engines back to the U.S., and we're continuously investing in our research and development efforts to create products that help make work easier and lives better - it's an exciting time to be at Briggs & Stratton." +The company has warehouses throughout the world, allowing efficient access to best support its customers worldwide. +About Briggs & Stratton Corporation: Briggs & Stratton Corporation (NYSE : BGG ), headquartered in Milwaukee, Wisconsin , is focused on providing power to get work done and make people's lives better. Briggs & Stratton is the world's largest producer of gasoline engines for outdoor power equipment, and is a leading designer, manufacturer and marketer of power generation, pressure washer, lawn and garden, turf care and job site products through its Briggs & Stratton ® , Simplicity ® , Snapper ® , Ferris ® , Vanguard ® , Allmand ® , Billy Goat ® , Murray ® , Branco ® and Victa ® brands. Briggs & Stratton products are designed, manufactured, marketed and serviced in over 100 countries on six continents. For additional information, please visit www.basco.com and www.briggsandstratton.com . +SOURCE Briggs & Stratton Corporation +Related Links http://www.briggsandstratton.co \ No newline at end of file diff --git a/input/test/Test5009.txt b/input/test/Test5009.txt new file mode 100644 index 0000000..8ed4bbb --- /dev/null +++ b/input/test/Test5009.txt @@ -0,0 +1,21 @@ +Beto O'Rourke speaks at the Texas Democratic Convention in June. Since winning the Democratic primary, O'Rourke has embraced progressive positions — at times, including impeaching President Trump — as he challenges GOP Sen. Ted Cruz's reelection bid. Richard W. Rodriguez / AP GOP Sen. Ted Cruz takes a photo with a supporter during a rally to launch his re-election campaign on April 2 in Stafford, Texas. Cruz says he's taking the campaign of Democratic challenger Beto O'Rourke seriously. Erich Schlegel / Getty Images Rep. Beto O'Rourke, Democratic nominee for Senate in Texas, greets supporters at a cafe in San Antonio. Wade Goodwyn / NPR Listening... / +If you arrived at Beto O'Rourke's recent town hall meeting in San Antonio even 40 minutes ahead of time, you were out of luck. All 650 seats were already taken. +It was one sign that the El Paso Democratic congressman has set Texas Democrats on fire this year, as he takes on Republican Sen. Ted Cruz's re-election bid. +Texas Democrats have been wandering in the electoral wilderness for two decades — 1994 was the last time they won a statewide race — but at O'Rourke's events they have been showing up in droves. Often, it's standing room only. +"Let's make a lot of noise so the folks in the overflow room know we're here, that we care about them," O'Rourke tells the crowd at the town hall, before counting to three and leading them in a cheer of "San Antonio!" +While he was sorry that all of those supporters couldn't see him, Beto O'Rourke is an unapologetic, unabashed liberal, who's shown no interest in moving toward the political middle after his victory in the Texas Democratic primary. +On issues like universal health care, an assault weapons ban, abortion rights and raising the minimum wage, O'Rourke has staked out progressive positions. The Democrat even raised the specter of impeachment after President Trump's Helsinki press conference with Vladimir Putin — although O'Rourke has since walked back that position some. +Nevertheless, recent polls have him just 2 and 6 points behind Cruz. Compare that with the 20-point walloping Texas state Sen Wendy Davis endured in 2014 when she lost in a landslide to Republican Greg Abbott in the race for governor. But that recent history begs the question of whether someone running as far to the left as Cruz can actually win in a state like Texas. +Former Texas agricultural commissioner and Democratic populist Jim Hightower sees something different in O'Rourke's campaign. +"You've got a Democratic constituency that is fed up, not just with Trump, but with the centrist, mealy-mouthed, do-nothing Democratic establishment," Hightower said. "They're looking for some real change and Beto is representing that." +Cruz says he's taking O'Rourke's candidacy very seriously. +"I think the decision he's made is run hard left and find every liberal in the state of Texas, and energize them enough that they show up and vote," Cruz said in an interview with NPR. "And I think he's gambling on there are enough people on the left for whom defeating and destroying Donald Trump is their number-one issue, that he's hoping that his path to victory. I don't see that in the state of Texas. In Texas, there are a whole lot more conservatives than liberals." +When it comes to the critical issue of immigration, the two Texas candidates for Senate couldn't be further apart. Last week in Temple, Cruz indicated he supports ending birthright citizenship telling the crowd, "it doesn't make a lot of sense." O'Rourke is against building a wall along the border and favors a gradual path to legal status for undocumented immigrants. +Political observers in Texas say it's still too early to get a good read on the race, although it seems that O'Rourke's campaign is generating some momentum. Jim Hensen, director of the Texas Politics Project at the University of Texas, which does extensive statewide polling, says the key to O'Rourke's success thus far is that he began his campaign early. +"He's much more viable, he's been working harder, he's traveled all over the state. He started earlier than the statewide candidates that we've seen in recent years, and I think it's made a big difference," Hensen said. Still, Hensen believes an O'Rourke victory is probably a long shot, not for lack of effort or fundraising, but because of the advantage Republican candidates enjoy in Texas when it comes to the sheer numbers of voters. +"In a hundred-yard dash, [O'Rourke] probably starts 10 to 15 yards behind," Hensen said. +At a café in San Antonio where he's come for an interview, O'Rourke can't make it to a table because he's mobbed by customers who recognize him and want a picture together. The congressman patiently chats up everyone who approaches and agrees to pictures. He urges his fans to share the photos on social media, a likely unnecessary piece of advice. +With the recent separations of immigrant children from their parents who are seeking asylum at the Texas border, immigration is hot topic of conversation. "I think that this state, the most diverse state in the country, should lead on immigration," O'Rourke told NPR. "Free DREAMers from the fear of deportation, but make them citizens today so they can contribute to their full potential. That is not a partisan value, that's our Texan identity and we should lead with it." +O'Rourke seems to have no fear of sounding too progressive for Texas. He has no interest in moving toward the ideological center for the general election. +He borrowed an old line from Jim Hightower as way of explanation. +"The only thing that you're going to find in the middle of the road are yellow lines and dead armadillos. You have to tell the people that you want to serve what it is you believe and what you are going to do on their behalf," O'Rourke said. "We can either be governed by fear, fear of immigrants, fear of Muslims, call the press the enemy of the people, tear kids away from their parents at the U.S.-Mexico border, or we can be governed by our ambitions and our aspirations and our desire to make the most out of all of us. And that's America at its best." Copyright 2018 NPR. To see more, visit http://www.npr.org/. KVCR is a service of the San Bernardino Community College District. © 2018 91.9 KVC \ No newline at end of file diff --git a/input/test/Test501.txt b/input/test/Test501.txt new file mode 100644 index 0000000..8dec172 --- /dev/null +++ b/input/test/Test501.txt @@ -0,0 +1,23 @@ +Slain Colorado mother painted rosy picture of married life 2018-08-17T06:14:36Z 2018-08-17T09:06:55Z (The Colorado Bureau of Investigation via AP). This photo combo of images provided by The Colorado Bureau of Investigation shows, from left, Bella Watts, Celeste Watts and Shanann Watts. The Frederick Police Department said Chris Watts was taken into ... (Weld County Sheriff's Office via AP). This booking photo from the Weld County Sheriff's Office shows Chris Watts. Authorities say Watts, the husband of a missing family in Colorado has been arrested in connection with the case. Watt's pregnant wife, ... (AP Photo/David Zalubowski). From left, 4-year-old Liberty Bell joins her mother, Ashley, and father Steven as they put a tribute with others outside the home where a pregnant woman and her two daughters lived Thursday, Aug. 16, 2018, in Frederick, Col... (AP Photo/David Zalubowski). Ashley Bell, left, is consoled by her husband, Steven, and 4-year-old daughter Liberty as the woman places a tribute outside the home where a pregnant woman and her two daughters lived Thursday, Aug. 16, 2018, in Frederick,... (AP Photo/David Zalubowski). Tributes grow outside the home where a pregnant woman and her two daughters lived Thursday, Aug. 16, 2018, in Frederick, Colo. The woman's husband has been arrested in the disappearance of the woman and children. Authoritie... +By KATHLEEN FOODY and JONATHAN DREWAssociated Press +FREDERICK, Colo. (AP) - Shanann Watts' Facebook page painted a portrait of a happy married life - of a woman dedicated to her husband and their two young children. She called her husband "my ROCK!" and said he was "the best dad us girls could ask for." +But that idyllic image was shattered Wednesday when her husband, 33-year-old Christopher Watts, was arrested on suspicion of killing his family in Colorado. +Police said the mother, who was pregnant, was found dead on property owned by Anadarko Petroleum, one of the state's largest oil and gas drillers, where Christopher Watts worked. Investigators found what they believe are the bodies of 4-year-old Bella and 3-year-old Celeste nearby on Thursday afternoon. +They have not released any information about a motive or how the three were killed. +"As horrible as this outcome is, our role now is to do everything we can to determine exactly what occurred," John Camper, director of the Colorado Bureau of Investigation, said at a news conference in Frederick, a small town on the grassy plains north of Denver, where fast-growing subdivisions intermingle with drilling rigs and oil wells. +The deaths also left family and friends searching for answers. +Shanann Watts, 34, was one of the first customers to visit Ashley Bell's tanning salon in nearby Dacona two years ago. The two women quickly became friends, and before long they were texting or calling each other almost daily. Their daughters also played together during salon visits. +Bell said she never detected that anything was amiss with the Watts family. +"I just don't understand it," said Bell, who described Christopher Watts as a loving father. +Shanann Watts was from North Carolina, and her parents' next-door neighbor, Joe Beach, said he saw her recently when she visited the neighborhood of modest homes in Aberdeen. +"We were talking about general things, about how her two girls were doing and how life was out in Colorado. She didn't give me an indication that there was anything wrong. She seemed pretty happy." +But a June 2015 bankruptcy filing captures a picture of a family caught between a promising future and financial strain. +Christopher Watts had gotten a job six months earlier as an operator for Anadarko, and paystubs indicate his annual salary was about $61,500. Shanann Watts was working in a call center at a children's hospital at the time, earning about $18 an hour - more for evenings, weekends or extra shifts she sometimes worked. +The couple had a combined income of $90,000 in 2014. But they also had tens of thousands of dollars in credit card debt, along with some student loans and medical bills - for a total of $70,000 in unsecured claims on top of a sizable mortgage. +They said in the filing that their nearly $3,000 mortgage and $600 in monthly car payments formed the bulk of their $4,900 in monthly expenses. +Christopher Watts, who is being held without bail, is expected to be formally charged by Monday with three counts of murder and three counts of tampering with evidence. +After his wife and daughters were reported missing and before he was arrested, he stood on his porch and lamented to reporters how much he missed them, saying he longed for the simple things like telling his girls to eat their dinner and gazing at them as they curled up to watch cartoons. +He did not respond to reporters' questions when he was escorted into the courtroom Thursday. +His attorney, James Merson with the Colorado State Public Defender's Office, left the hearing without commenting to reporters and did not respond to a voicemail left at his office Thursday by The Associated Press. +___ +Drew reported from Raleigh, North Carolina. Associated Press writers Colleen Slevin and Thomas Peipert in Denver, Courtney Bonnell and Michelle A. Monroe in Phoenix and researcher Jennifer Farrar in New York contributed to this report. Copyright 2018 The Associated Press. All rights reserved. This material may not be published, broadcast, rewritten or redistributed \ No newline at end of file diff --git a/input/test/Test5010.txt b/input/test/Test5010.txt new file mode 100644 index 0000000..949faa7 --- /dev/null +++ b/input/test/Test5010.txt @@ -0,0 +1,19 @@ +Digital Light Processing (DLP) Market: Projected to Show Strong Growth August 17 09:32 2018 Digital Light Processing (DLP) Market If you are involved in the Digital Light Processing (DLP) industry or intend to be, then this study will provide you comprehensive outlook. The latest research study from HTF MI with title Global Digital Light Processing (DLP) by Manufacturers, Regions, Type and Application, Forecast to 2023. The Research report presents a complete assessment of the market and contains Future trend, Current Growth Factors, attentive opinions, facts, historical data, and statistically supported and industry validated market data. The study is segmented by products type, application/end-users. The research study provides estimates for Global Digital Light Processing (DLP) Forecast till 2023. +If you are involved in the Digital Light Processing (DLP) industry or intend to be, then this study will provide you comprehensive outlook. It's vital you keep your market knowledge up to date segmented by Applications Televisions, Projectors, Medical, Home Theater Systems, Digital Cinema Systems & Others, Product Types such as [LED-based Digital Light Processing & Laser-based Digital Light Processing] and some major players in the industry. If you have a different set of players/manufacturers according to geography or needs regional or country segmented reports we can provide customization according to your requirement. +Request Sample of Global Digital Light Processing (DLP) Market Size, Status and Forecast 2018-2025 @: https://www.htfmarketreport.com/sample-report/1301066-global-digital-light-processing-3 +Key Companies/players: Texas Instruments, Osram Opto Semiconductors, Digital Projection, Barco, Sharp, Optoma, Samsung Electronics, Greenlight Optics, Acer, IntelLuminous Device & AIPTEK International. +Application: Televisions, Projectors, Medical, Home Theater Systems, Digital Cinema Systems & Others, Product Type: LED-based Digital Light Processing & Laser-based Digital Light Processing. +The research covers the current & Future market size of the Global Digital Light Processing (DLP) market and its growth rates based on 5 year history data. It also covers various types of segmentation such as by geography [United States, Europe, China, Japan, Southeast Asia, India & Central & South America]. The market competition is constantly growing higher with the rise in technological innovation and M&A activities in the industry. Moreover, many local and regional vendors are offering specific application products for varied end-users. On the basis of attributes such as company overview, recent developments, strategies adopted by the market leaders to ensure growth, sustainability, financial overview and recent developments. +Stay up-to-date with Digital Light Processing (DLP) market research offered by HTF MI. Check how key trends and emerging drivers are shaping this industry growth as the study avails you with market characteristics, size and growth, segmentation, regional breakdowns, competitive landscape, shares, trend and strategies for this market. In the Global Digital Light Processing (DLP) Market Analysis & Forecast 2018-2023, the revenue is valued at USD XX million in 2017 and is expected to reach USD XX million by the end of 2023, growing at a CAGR of XX% between 2018 and 2023. The production is estimated at XX million in 2017 and is forecasted to reach XX million by the end of 2023, growing at a CAGR of XX% between 2018 and 2023. +Read Detailed Index of full Research Study at @ https://www.htfmarketreport.com/reports/1301066-global-digital-light-processing-3 +Key questions answered in this report – Global Digital Light Processing (DLP) Market Size, Status and Forecast 2018-2025 +What will the market size be in 2023 and what will the growth rate be What are the key market trends What is driving Global Digital Light Processing (DLP) Market? What are the challenges to market growth? Who are the key vendors in Digital Light Processing (DLP) Market space? What are the key market trends impacting the growth of the Global Digital Light Processing (DLP) Market ? What are the key outcomes of the five forces analysis of the Global Digital Light Processing (DLP) Market? What are the market opportunities and threats faced by the vendors in the Global Digital Light Processing (DLP) market? Get in-depth details about factors influencing the market shares of the Americas, APAC, and EMEA? +Enquire for customization in Report @ https://www.htfmarketreport.com/enquiry-before-buy/1301066-global-digital-light-processing-3 +There are 15 Chapters to display the Global Digital Light Processing (DLP) market. +Chapter 1, to describe Definition, Specifications and Classification of Global Digital Light Processing (DLP), Applications of Digital Light Processing (DLP), Market Segment by Regions; Chapter 2, to analyze the Manufacturing Cost Structure, Raw Material and Suppliers, Manufacturing Process, Industry Chain Structure; Chapter 3, to display the Technical Data and Manufacturing Plants Analysis of , Capacity and Commercial Production Date, Manufacturing Plants Distribution, Export & Import, R&D Status and Technology Source, Raw Materials Sources Analysis; Chapter 4, to show the Overall Market Analysis, Capacity Analysis (Company Segment), Sales Analysis (Company Segment), Sales Price Analysis (Company Segment); Chapter 5 and 6, to show the Regional Market Analysis that includes United States, Europe, China, Japan, Southeast Asia, India & Central & South America, Digital Light Processing (DLP) Segment Market Analysis (by Type); Chapter 7 and 8, to analyze the Digital Light Processing (DLP) Segment Market Analysis (by Application [Televisions, Projectors, Medical, Home Theater Systems, Digital Cinema Systems & Others]) Major Manufacturers Analysis; Chapter 9, Market Trend Analysis, Regional Market Trend, Market Trend by Product Type [LED-based Digital Light Processing & Laser-based Digital Light Processing], Market Trend by Application [Televisions, Projectors, Medical, Home Theater Systems, Digital Cinema Systems & Others]; Chapter 10, Regional Marketing Type Analysis, International Trade Type Analysis, Supply Chain Analysis; Chapter 11, to analyze the Consumers Analysis of Global Digital Light Processing (DLP) by region, type and application ; Chapter 12, to describe Digital Light Processing (DLP) Research Findings and Conclusion, Appendix, methodology and data source; Chapter 13, 14 and 15, to describe Digital Light Processing (DLP) sales channel, distributors, traders, dealers, Research Findings and Conclusion, appendix and data source. +Buy this research report @ https://www.htfmarketreport.com/buy-now?format=1&report=1301066 +Reasons for Buying this Report +This report provides pin-point analysis for changing competitive dynamics It provides a forward looking perspective on different factors driving or restraining market growth It provides a 5-year forecast assessed on the basis of how the market is predicted to grow It helps in understanding the key product segments and their future It provides pin point analysis of changing competition dynamics and keeps you ahead of competitors It helps in making informed business decisions by having complete insights of market and by making in-depth analysis of market segments +Thanks for reading this article; you can also get individual chapter wise section or region wise report version like North America, Europe or Asia. +About Author: HTF Market Report is a wholly owned brand of HTF market Intelligence Consulting Private Limited. HTF Market Report global research and market intelligence consulting organization is uniquely positioned to not only identify growth opportunities but to also empower and inspire you to create visionary growth strategies for futures, enabled by our extraordinary depth and breadth of thought leadership, research, tools, events and experience that assist you for making goals into a reality. Our understanding of the interplay between industry convergence, Mega Trends, technologies and market trends provides our clients with new business models and expansion opportunities. We are focused on identifying the "Accurate Forecast" in every industry we cover so our clients can reap the benefits of being early market entrants and can accomplish their "Goals & Objectives". +Media Contac \ No newline at end of file diff --git a/input/test/Test5011.txt b/input/test/Test5011.txt new file mode 100644 index 0000000..8e64b5a --- /dev/null +++ b/input/test/Test5011.txt @@ -0,0 +1,7 @@ +SAN JOSE, Calif. , Aug. 17, ITUS Corporation (NASDAQ : ITUS ) today announced that CEO, Dr. Amit Kumar , will be presenting at the Next Generation Dx Summit in Washington, D.C. , being held on August 20 th -24 th . Dr. Kumar's presentation, "Liquid Biopsy based on Flow Cytometry and Artificial Intelligence to Detect the Existence of a Solid Tumor," is scheduled at 2:50 PM EDT , Wednesday, August 22 nd . Dr. Kumar will discuss ITUS's latest data on its Cchek™ diagnostic development, including studies on breast cancer and prostate cancer, as well as data from the collaborative study with Memorial Sloan Kettering and Serametrix. +"This conference is focused on a number of diagnostic technologies including liquid biopsy and early cancer detection. This is the first commercial conference where we will be presenting our technology to a concentrated audience of industry players," stated Dr. Kumar. "We are pleased with the scientific progress achieved thus far with Cchek™, and we remain confident that we will begin preliminary regulatory discussions with the FDA by the end of the year," added Dr. Kumar. +Dr. Kumar further stated, "With both of our programs--Cchek™ cancer diagnostic and CAR-T treatment for ovarian cancer—heading toward initial FDA discussions by the end of the year, we are excited about the impact we could have on the fight against cancer. Any day now, we are expecting to hear back from the FDA regarding the request, by us and our partner Moffitt Cancer Center, for a pre-IND meeting about our CAR-T therapy. We believe that the next few months will be a very exciting period for the Company, for our shareholders, and for cancer patients." +ITUS Corporation ITUS , a cancer-focused biotechnology company, is harnessing the body's immune system in the fight against cancer. Its wholly owned subsidiary, Anixa Diagnostics Corporation, is developing the Cchek TM platform, a series of inexpensive non-invasive blood tests for the early detection of solid tumors, which is based on the body's immune response to the presence of a malignancy. Its majority owned subsidiary, Certainty Therapeutics, Inc., is developing CAR-T based immuno-therapy drugs which genetically engineer a patient's own immune cells to fight cancer. ITUS also continually examines emerging technologies in complementary or related fields for further development and commercialization. Additional information is available at www.ITUScorp.com . +Forward-Looking Statements: Statements that are not historical fact may be considered forward-looking statements within the meaning of the Private Securities Litigation Reform Act of 1995. Forward-looking statements are not statements of historical facts, but rather reflect ITUS Corporation's current expectations concerning future events and results. We generally use the words "believes," "expects," "intends," "plans," "anticipates," "likely," "will" and similar expressions to identify forward-looking statements. Such forward-looking statements, including those concerning our expectations, involve risks, uncertainties and other factors, some of which are beyond our control, which may cause our actual results, performance or achievements, or industry results, to be materially different from any future results, performance, or achievements expressed or implied by such forward-looking statements. These risks, uncertainties and factors include, but are not limited to, those factors set forth in "Item 1A - Risk Factors" and other sections of our most recent Annual Report on Form 10-K as well as in our Quarterly Reports on Form 10-Q and Current Reports on Form 8-K. We undertake no obligation to publicly update or revise any forward-looking statements, whether as a result of new information, future events or otherwise, except as required by law. You are cautioned not to unduly rely on such forward-looking statements when evaluating the information presented in this press release. +SOURCE ITUS Corporation +Related Links http://www.ituscorp.co \ No newline at end of file diff --git a/input/test/Test5012.txt b/input/test/Test5012.txt new file mode 100644 index 0000000..b06edaf --- /dev/null +++ b/input/test/Test5012.txt @@ -0,0 +1,17 @@ +TARRYTOWN, N.Y. , Aug. 17, Regeneron Pharmaceuticals, Inc. (NASDAQ : REGN ) today announced that the U.S. Food and Drug Administration (FDA) has approved a supplemental Biologics License Application (sBLA) for EYLEA ® (aflibercept) Injection in patients with wet age-related macular degeneration (wet AMD). The sBLA was based on second-year data from the Phase 3 VIEW 1 and 2 trials in which patients with wet AMD were treated with a modified 12-week dosing schedule (doses given at least every 12 weeks, and additional doses as needed). These data are now included in the updated EYLEA label . +"We are pleased that the FDA has approved an updated label for EYLEA," said George D. Yancopoulos , M.D., Ph.D., President and Chief Scientific Officer of Regeneron. "Providing information to retinal physicians about the visual outcomes with a modified 12-week dosing schedule will help physicans make the most informed choices in treating patients suffering from wet age-related macular degeneration." +EYLEA is also approved in wet AMD for every four- or eight-week dosing intervals after three initial monthly doses. +About EYLEA ® ( aflibercept ) Injection EYLEA ® (aflibercept) Injection is a vascular endothelial growth factor (VEGF) inhibitor formulated as an injection for the eye. It is designed to block the growth of new blood vessels and decrease the ability of fluid to pass through blood vessels (vascular permeability) in the eye by blocking VEGF-A and placental growth factor (PLGF), two growth factors involved in angiogenesis. In the U.S., EYLEA is the market-leading, FDA-approved anti-VEGF treatment for its approved indications and is supported by a robust body of research that includes seven pivotal Phase 3 trials. +IMPORTANT SAFETY INFORMATION FOR EYLEA ® (aflibercept) INJECTION +EYLEA ® (aflibercept) Injection is contraindicated in patients with ocular or periocular infections, active intraocular inflammation, or known hypersensitivity to aflibercept or to any of the excipients in EYLEA. Intravitreal injections, including those with EYLEA, have been associated with endophthalmitis and retinal detachments. Proper aseptic injection technique must always be used when administering EYLEA. Patients should be instructed to report any symptoms suggestive of endophthalmitis or retinal detachment without delay and should be managed appropriately. Intraocular inflammation has been reported with the use of EYLEA. Acute increases in intraocular pressure have been seen within 60 minutes of intravitreal injection, including with EYLEA. Sustained increases in intraocular pressure have also been reported after repeated intravitreal dosing with VEGF inhibitors. Intraocular pressure and the perfusion of the optic nerve head should be monitored and managed appropriately. There is a potential risk of arterial thromboembolic events (ATEs) following intravitreal use of VEGF inhibitors, including EYLEA. ATEs are defined as nonfatal stroke, nonfatal myocardial infarction, or vascular death (including deaths of unknown cause). The incidence of reported thromboembolic events in wet AMD studies during the first year was 1.8% (32 out of 1824) in the combined group of patients treated with EYLEA compared with 1.5% (9 out of 595) in patients treated with ranibizumab; through 96 weeks, the incidence was 3.3% (60 out of 1824) in the EYLEA group compared with 3.2% (19 out of 595) in the ranibizumab group. The incidence in the DME studies from baseline to week 52 was 3.3% (19 out of 578) in the combined group of patients treated with EYLEA compared with 2.8% (8 out of 287) in the control group; from baseline to week 100, the incidence was 6.4% (37 out of 578) in the combined group of patients treated with EYLEA compared with 4.2% (12 out of 287) in the control group. There were no reported thromboembolic events in the patients treated with EYLEA in the first six months of the RVO studies. Serious adverse reactions related to the injection procedure have occurred in <0.1% of intravitreal injections with EYLEA including endophthalmitis and retinal detachment. The most common adverse reactions (≥5%) reported in patients receiving EYLEA were conjunctival hemorrhage, eye pain, cataract, vitreous detachment, vitreous floaters, and intraocular pressure increased. INDICATIONS EYLEA ® (aflibercept) Injection is indicated for the treatment of patients with Neovascular (Wet) Age-related Macular Degeneration (AMD), Macular Edema following Retinal Vein Occlusion (RVO), Diabetic Macular Edema (DME), and Diabetic Retinopathy (DR) in patients with DME. +Please visit www.EYLEA.us to see the full Prescribing Information for EYLEA. +About Regeneron Regeneron (NASDAQ : REGN ) is a leading biotechnology company that invents life-transforming medicines for people with serious diseases. Founded and led for 30 years by physician-scientists, our unique ability to repeatedly and consistently translate science into medicine has led to six FDA-approved treatments and numerous product candidates in development, all of which were homegrown in our laboratories. Our medicines and pipeline are designed to help patients with eye disease, heart disease, allergic and inflammatory diseases, pain, cancer, infectious diseases and rare diseases. +Regeneron is accelerating and improving the traditional drug development process through our proprietary VelociSuite ® technologies, such as VelocImmune ® which produces optimized fully-human antibodies, and ambitious research initiatives such as the Regeneron Genetics Center, which is conducting one of the largest genetics sequencing efforts in the world. +For additional information about the company, please visit www.regeneron.com or follow @Regeneron on Twitter. +Forward-Looking Statements and Use of Digital Media This press release includes forward-looking statements that involve risks and uncertainties relating to future events and the future performance of Regeneron Pharmaceuticals, Inc. ("Regeneron" or the "Company"), and actual events or results may differ materially from these forward-looking statements. Words such as "anticipate," "expect," "intend," "plan," "believe," "seek," "estimate," variations of such words, and similar expressions are intended to identify such forward-looking statements, although not all forward-looking statements contain these identifying words. These statements concern, and these risks and uncertainties include, among others, the nature, timing, and possible success and therapeutic applications of Regeneron's products, product candidates, and research and clinical programs now underway or planned, including without limitation EYLEA ® (aflibercept) Injection; unforeseen safety issues resulting from the administration of products and product candidates in patients, including serious complications or side effects in connection with the use of Regeneron's product candidates in clinical trials; the likelihood and timing of possible regulatory approval and commercial launch of Regeneron's late-stage product candidates and new indications for marketed products; the extent to which the results from the research and development programs conducted by Regeneron or its collaborators may be replicated in other studies and lead to therapeutic applications; ongoing regulatory obligations and oversight impacting Regeneron's marketed products (such as EYLEA), research and clinical programs, and business, including those relating to patient privacy; determinations by regulatory and administrative governmental authorities which may delay or restrict Regeneron's ability to continue to develop or commercialize Regeneron's products and product candidates, including without limitation EYLEA; competing drugs and product candidates that may be superior to Regeneron's products and product candidates; uncertainty of market acceptance and commercial success of Regeneron's products and product candidates and the impact of studies (whether conducted by Regeneron or others and whether mandated or voluntary) on the commercial success of Regeneron's products and product candidates; the ability of Regeneron to manufacture and manage supply chains for multiple products and product candidates; the ability of Regeneron's collaborators, suppliers, or other third parties to perform filling, finishing, packaging, labeling, distribution, and other steps related to Regeneron's products and product candidates; the availability and extent of reimbursement of the Company's products (such as EYLEA) from third-party payers, including private payer healthcare and insurance programs, health maintenance organizations, pharmacy benefit management companies, and government programs such as Medicare and Medicaid; coverage and reimbursement determinations by such payers and new policies and procedures adopted by such payers; unanticipated expenses; the costs of developing, producing, and selling products; the ability of Regeneron to meet any of its financial projections or guidance and changes to the assumptions underlying those projections or guidance; the potential for any license or collaboration agreement, including Regeneron's agreements with Sanofi, Bayer, and Teva Pharmaceutical Industries Ltd. (or their respective affiliated companies, as applicable), to be cancelled or terminated without any further product success; and risks associated with intellectual property of other parties and pending or future litigation relating thereto, including without limitation the patent litigation proceedings relating to EYLEA, Dupixent ® (dupilumab) Injection, and Praluent ® (alirocumab) Injection, the ultimate outcome of any such litigation proceedings, and the impact any of the foregoing may have on Regeneron's business, prospects, operating results, and financial condition. A more complete description of these and other material risks can be found in Regeneron's filings with the U.S. Securities and Exchange Commission, including its Form 10-Q for the quarterly period ended June 30, 2018 . Any forward-looking statements are made based on management's current beliefs and judgment, and the reader is cautioned not to rely on any forward-looking statements made by Regeneron. Regeneron does not undertake any obligation to update publicly any forward-looking statement, including without limitation any financial projection or guidance, whether as a result of new information, future events, or otherwise. +Regeneron uses its media and investor relations website and social media outlets to publish important information about the Company, including information that may be deemed material to investors. Financial and other information about Regeneron is routinely posted and is accessible on Regeneron's media and investor relations website ( http://newsroom.regeneron.com ) and its Twitter feed ( http://twitter.com/regeneron ). +Contacts Regeneron : +Media Relations Daren Kwok Tel: +1 (914) 847-1328 daren.kwok@regeneron.com +Investor Relations Manisha Narasimhan , Ph.D. Tel: +1 (914) 847-5126 manisha.narasimhan@regeneron.com +SOURCE Regeneron Pharmaceuticals, Inc. +Related Links http://www.regeneron.co \ No newline at end of file diff --git a/input/test/Test5013.txt b/input/test/Test5013.txt new file mode 100644 index 0000000..35c8e77 --- /dev/null +++ b/input/test/Test5013.txt @@ -0,0 +1,53 @@ +Added on August 16, 2018 Ryan McDonald Hermosa Beach , newslestter Shuffling through history Adam Malovani and Maureen McClurg walk past the "Hermosa 1909" mural as part of a walking tour of the city's musical history. Photo by Brad Jacobson +Adam Malovani's walking tour of Hermosa's musical heritage exposes challenges of preserving town's past +by Ryan McDonald +Singer Joni Mitchell has said her hit tune "Big Yellow Taxi" — with its tinging triangle and immortal lament that "They paved paradise/And put up a parking lot" — was inspired by a trip to Hawaii. Mitchell told Robert Hilburn, the former pop music critic for the Los Angeles Times, that she arrived at her hotel in a taxi, in the dark of night. When she awoke the next morning, she saw "beautiful green mountains" in the distance, but when she looked down, "there was a parking lot as far as the eye could see." Easy Reader LiveMarket by EASY READER, INC. - August 14, 2018 +Adam Malovani can relate. Malovani is a Hermosa Beach resident and founder of Experience GPS, an app that offers walking tours designed to be taken with mobile phones. His first project, released last week, documents the musical history of his adopted hometown. Over the course of about 75 minutes, tour-takers hear everything from the ritual chants of the Tongva Indians to the alienated howls of South Bay punk, and learn the stories behind the songs. The tour is part forward-thinking business venture, part quixotic act of civic responsibility. Malovani collected dozens of hours of interviews, almost all of which did not make the project's final cut. He plans to donate them to the Hermosa Historical Society, and those signing up for membership in the society this month will get a coupon to download the app for free. His attempt to preserve the city's heritage and spark the interest of generations to come is made all the more urgent by the frequency with which Hermosa's icons succumb to the bite of the bulldozer. +"One of the problems is that, here in Hermosa, there's basically nothing left," Malovani said. "It's very challenging to create an engaging experience when you're looking at a parking lot that was something 80 years ago." +This exact situation comes up early in the tour, but doesn't prevent it from succeeding. The listener is told to lean against the Strand Seawall in front of the parking at the northwest edge of Pier Plaza. In a stylistic decision repeated throughout the tour, the listener is asked to "imagine" being there in 1938, when the parking lot held a jumping swing music club named Zucca's. This imagining is made considerably easier by the fact that the narration is broken up by recordings of interviews with people who were around for key moments, and photos from the era that appear on the phone's screen. +In this case, the sounds of clinking highball glasses and blaring trumpets gives way to Tommy Rice, who recounts leaning against the very same Strand wall. Rice, a surf rat who briefly lived under the pier with legendary shaper Dale Velzy, listened to acts like the Fletcher Henderson Orchestra from outside Zucca's, because he was not old enough to get in. +"We'd get some beer in us and go for the dirty boogie," a dance that he says involved bending the knees and lowering one's bottom almost to the ground, Rice said. The story is hilarious and, delivered in the rasp of Rice, now in his 90s, touching. It's the kind of everyday eloquence Studs Terkel might dig up, and a vivid reminder that teenage rebelliousness was around long before the '60s. Today, the space where Zucca's once roared serves as the parking lot to burger joint Slater's 5050. Yet all but the most recent Hermosa arrivals will associate it with the Mermaid, an iconic tavern that stood at the foot of the Pier for decades. With its cheap drinks and the old-fashioned morality of owner Quentin "Boots" Thelen, the Mermaid embodied a Hermosa that was more rough-and-tumble, but also more egalitarian than the city is today. On social media and in letters to this newspaper, the Mermaid's drawn-out demise — complicated by an estate tax debacle and an ill-fated partnership with the Killer Shrimp chain — became yet another opportunity to mark Hermosa's passing. This month, an environmental review gets underway for the Strand & Pier project, a proposed hotel-and-retail complex that would displace Slater's and many other surrounding businesses. +The project is deemed transformational by both its backers and its opponents. Strand & Pier comes up in Malovani's tour, in a final segment with a retrospective feel. The listener is told once again, to take a look at a parking lot. Renderings of the proposal flash by on screen. Some of the few strained lines of the tour come as Pennywise frontman Jim Lindberg, a Hermosa native, tries to be objective about the proposal. He sounds much more convincing when airing his doubts. +"Once a place is gone, that tangible piece of history is gone forever," Lindberg says. +Eat the flowers The Insomniac Cafe, on what is now Pier Plaza, once offered folk music into the wee small hours. Photo courtesy Adam Malovani +Malovani, who moved to the South Bay from the San Fernando Valley in the early '80s, has the vibe of that rare teacher who is well-liked despite a reputation for being difficult. (In an introduction, Malovani tells the listener to avoid "talking with friends" during the tour.) His enthusiasm is infectious. As the narrator described the syncopated beat of the swing music that streamed out of Zucca's, Malovani shimmied and twisted without a shred of self consciousness as people streamed by on roller skates. +People who spend a lot of time in Hermosa almost certainly recognize Malovani, even if they do not know him. He has walked the tour route almost every day for the past three years. But the idea for the walking tour goes back even farther. More than 10 years ago, Malovani was driving to Mammoth Lakes in a new Prius. It was the first time he had made the trip in a car equipped with GPS. The voice connected with his inner Clark Griswold, the part of him that feels compelled to pull over for the world's largest ball of twine. +He had always liked history, but hearing a voice as he sped up and slowed down on Highway 395 made him think about how neat it would be to take a tour where the listener could set the pace. Malovani couldn't have known it at the time, but another developing technology would help him realize his dream: the smartphone. Putting the internet in people's pockets would enable them to have the kind of experience that Malovani envisioned: immersive audio and high-quality visuals on a personal, portable device. +Among the first people to make the connection was web entrepreneur Andrew Mason, one of the founders of Groupon, the online discount aggregator. After being ousted from Groupon Mason developed Detour, a service that would provide walking tours intended to be taken with a mobile phone. At the time of its launch in 2014, Mason told Bloomberg News that he was aiming to disrupt the guided tour industry, whose value he pegged at tens of billions of dollars per year. +The first tours Detour rolled out were for parts of San Francisco, and Malovani was among the first to take one. He compared the experience to "being in a Pixar movie." For one tour, of Golden Gate Park, he marvelled at being told which way to turn his head and hearing detailed descriptions of flowers and butterflies, as if the voice on the phone could see exactly what he was seeing. (Tour participants at one point were told to chew the petals of a particular flower; the narrator accurately described of the taste, then, as a joke, said that the odd-tasting plant was poisonous.) +"In the first five minutes, I decided that I was going to quit my job, and work on this," Malovani said. +He met with Mason, and was the first company to arrange an agreement with Detour to do a third-party tour that would be hosted on the Detour app. For funding, Malovani plowed money he'd gotten from a legal settlement in a previous business venture the audio tour. +The project did not begin with a music focus, but instead sought to cover all of Hermosa history. He inhaled books like Pat Gazin's "Footprints in the Sand" and Chris Miller's "Hermosa Beach." He hired three people with backgrounds in radio production to do interviews. In the process, he produced a treasure trove of Hermosa lore: over 50 hours of taped interviews with people like shaper Hap Jacobs, surf pioneer Jim Kerwin and Mermaid owner Quentin "Boots" Thelen. +But there was, if anything, too much history. Bikers roared off the transcribed pages next to quirky city councilmembers, houses were built and torn down as culture gave way to counterculture. Then, while attending Thanksgiving Dinner in 2016, Malovani met Stephanie Jenz. +Jenz came from a television background, and had two decades of experience in unscripted and documentary programming. But when she met Malovani, she was fresh from a different sort of project. She had been the executive producer of some of Detour's first tours outside of San Francisco, helming eight done in Chicago. Malovani convinced Jenz to take the tour he had laid out, and sought her advice. She quickly agreed that Hermosa was an ideal place for a phone-based tour. +"It's got a feeling in the air that's different from other beach towns. I'd lived in Santa Monica and Venice, and I'd spent time in Manhattan Beach. But Hermosa had an intimacy, a sense of community, and an artiness that I don't think other beach towns have," Jenz said in an interview. +Malovani managed to convince her to quit her job and work full time on the project. She would focus the tour into a coherent narrative. +Jenz recalled her experience in Chicago, and compared the tours she was crafting to some of Chicago's architectural tours. There were outings arranged around styles, like the beaux arts, but they were just a collection of different buildings. They didn't answer a question or tell "a story about how the city was shaped and how it changed." +"For me, in a story, that's what makes it satisfying. That was the first thing Adam and I talked about: What makes Hermosa unique from any other city that's out there? I knew the Lighthouse was there, and I knew about the punk scene. And I thought, wow; this town of 15,000 or so people had this huge influence on jazz and punk. How did that happen?" +Street cred Randy Nauert and the Challengers practice in sight of the Hermosa Pier. In the early 1960s, the Hermosa Biltmore was a center for surf music. Photo courtesy Adam Malovani +The story of Hermosa as a center of musical innovation began to take shape. Malovani's next challenge was to find a voice to put it all together. South Bay native Daniel Inez, who was recently chosen to design the latest entry in the Hermosa Mural Project series, told Malovani he needed someone with "street cred" to do the narration. And unlike swing and surf, punk rock was recent enough to find a grizzled throat still humming. +He sought out Keith Morris, the first singer of Black Flag and a founder of the Circle Jerks. Morris had previously been interviewed by one of the radio producers but, to try to convince him to take on a larger role, Malovani went to Morris' house and waited on the front porch until the singer showed up. ("He thought I was a stalker," Malovani said, shaking his head.) Morris declined, but suggested Lindberg, a Hermosa native and founding singer of Pennywise. Lindberg agreed and did some recording, but ultimately declined. +Meanwhile, technological challenges mounted. The day after Lindberg left, Malovani got a call from someone at Detour informing him that he would no longer be able to use the platform, because the company had been sold to audio technology giant Bose. (In a blog post in April, Mason said that Bose was hoping to link the Detour content to an "augmented reality" platform.) +In declining the narrator role, Lindberg suggested Joe Nolte, of Hermosa proto-punks the Last, who ultimately filled the role. Nolte, sometimes called the "Godfather" of South Bay punk, proved a perfect match. He has a present-at-the-creation background for Hermosa music. And, like Malovani, he is a history nerd. +"I'm probably a frustrated teacher. I have this cornball sense of really wanting to tell the story of things in the past that I think are cool, wanting to convey, to paint a picture, to take people back, give people a sense of what it was like. Or at least try to imagine what it must have been like doing the crazy stokaboka dances at the Surf Club," Nolte said. +The immersive style of history that Nolte describes is key to the tour's success. Anecdote flows into anecdote, warding off "museum feet." The best of these comes from Randy Nauert. Nauert was the bass player for The Challengers, who had a hit record with "Surfbeat" in 1963, right around the time they split a bill with another young surf outfit called the Beach Boys at the Hermosa Biltmore Hotel. Nauert, who grew up in Palos Verdes, was familiar with the musical happenings in Hermosa, thanks in part to a Chinese cook at the Lighthouse Cafe. During shows, the cook would open a door at the rear of the building, and let underage kids into the kitchen, where they could hear the music tumbling out of the horns and snares on stage. In the tour, the listener is once again in a parking lot, this time in Parking Lot A right outside the Lighthouse kitchen, which is guarded by a sturdy metal door that looks as though it hasn't changed since the '50s. +In the tour, Nauert recalled taking a date to see Charlie Mingus and the evening going well enough to get a second date. "It was the coolest place. For $1.25 you got a big bowl of fried rice and all the free tea you wanted." +Nauert marveled that he rarely saw anyone else taking advantage of the cook's offer. ("Maybe I was an early adopter," he joked.) But then again, he notes, even the people going through the front door to hear what are now recognized as jazz legends often formed a crowd as small as 20 or 30 people. His story, and the way Malovani's tour so firmly places the listener inside it, reveal one of the seductive perils of history: the belief that, had you been around for this great music or some other cultural ferment, you would certainly have had the vision to appreciate it. This is, of course, ridiculous. Most people today, sent back to the late '70s, would no more have had the stomach to hang out at the Church and thrash to Black Flag than they would have had the foresight to invest in Apple Computer Company. +Nolte brought up the Hermosa Mural Project's recent decision to honor the city's place in punk rock history. Nolte found it "hilarious," because he and the members of groups like Black Flag and the Descendents were considered town pariahs at the time. Even they found the notion that they would wind up in history books absurd. +"We used to sit around and laugh about people giving tours of the place some day," Nolte said of the Church. "We were a little motley group of unkempt kids that no one thought would ever amount to anything." +Nolte's story makes the conservative case for conservation: because we tend to be very bad at predicting what will someday be regarded as significant, we ought to err on the side of caution about where we lay down new pavement. Or, as Joni Mitchell put it, "Don't it always seem to go/That you don't know what you've got 'til it's gone." +Crossing a red line +The tour app generated excitement on social media when it launched last week, but Malovani was disappointed when all those likes failed to translate into downloads. "People feel insulted when they're asked to pay," he said, to knowing sighs from journalists everywhere. +If Malovani is less than sanguine about the tour's prospects, it's not clear whether this is because of concern over his investment of time and money, or because of what the lack of enthusiasm says about his town's commitment to its own history. He recognizes that the easiest path to viability is likely in marketing to tourists, or even to people who live half a world away and could take the tour remotely. But he appears more interested in getting the approval of the long-time locals, people whose roots here are deep enough to justify worrying about the changes sweeping the community. +This stems from the widely held belief that newer arrivals may have less of a stake in the town's past. Malovani brought up his experience in Leadership Hermosa last year. His class, like many in the program, was stocked with transplants, and his proposal for a class project devoted to Hermosa's history proved unpopular. +Bradley Peacock, curator of the Hermosa Beach Historical Society Museum, said this is not necessarily the case. Membership in the historical society, Peacock said, is almost evenly split between new and longtime residents. He said young families moving in are increasingly interested in micro-level history, down to what the block they live on used to look like. +Ultimately, preservation efforts in towns like Hermosa are hamstrung by an unpleasant truth: those who have been around the longest are typically the ones who have most benefited from rising land values — and may be the most resistant to restraints on what they can do with their plot of earth. This became clear last year, when the city was hammering out its General Plan. As part of the process, the city hired a company to conduct a "windshield survey" of the town's "potential historic resources." The list identified more than 200 properties, including many single-family homes. +Dozens of people spoke at the initial Planning Commission hearing on historic preservation in the draft of the General Plan, many with generations of history in Hermosa. All of them fumed about how inclusion on the list would mean a hit to the pocketbook. Speakers preached an expansive view of "property rights" and occasionally deployed the grandiose language of victimization. No one in the audience blanched when a property owner compared compiling the windshield survey to "redlining," the now illegal but once common practice of banks refusing to give mortgages to black people. +City staff countered that the list did not limit a property owner's rights to remodel a property, but instead provided an opportunity, in the case of "discretionary projects," to gather more information about a structure's place in history through the California Environmental Quality Act. This explanation glided over the significant costs CEQA evaluations can impose on developers, but it came with an example that keeps Malovani up at night: the Lighthouse. +At the time, the Lighthouse was fresh from a prominent appearance in "La La Land." Community Development Director Ken Robertson said that years earlier, the owner of the Lighthouse had come before the city with a plan for a dramatic renovation that would have essentially transformed the legendary jazz venue into an H.T. Grill. But because it had been identified on a "list" of potential historic resources from the previous General Plan, more environmental review was needed. +"The initial evaluation of it was — and I think most people wouldn't be surprised — that it was an eligible historic resource, because of all the culturally significant things that have happened at that location. At that time, the property owner had the choice to proceed with further evaluation, which would have been a focused [Environmental Impact Report] to proceed with his project. At that point, they chose not to go down that path. In effect, that pause that was caused by this process led the property owner to choose not to modify that building. I was thinking about that when I was watching 'La La Land.' Under a different set of circumstances, that would have been gone," Robertson said. +The lofty argument convinced precisely no one. As the months wore on, the very idea of a list became politically toxic. Commissioners and City Council members excised any mention of it from the final documents. +Though the difficulty of preservation in Hermosa is real, it is not necessarily fatal to conserving the city's heritage. "It does make it harder, when you don't have access to the material culture. And I think it tells us that it's vital to preserve what we can," Peacock said. But "what we can" needn't always mean a physical building, Peacock said. He noted that although the Biltmore is long gone, records and artifacts persist. So do memories. "Everyone says they learned to swim at the Biltmore," Peacock offers. +This kind of sight-lowering has helped Malovani deal with worries the tour has induced. Even if the vast majority of residents never take it, he is cheered by the idea that he has contributed to a place he so treasures. "How often do you have a chance to give a gift to your community?" he asked. +The tour hits a resonant high note as it reaches the Insomniac, a folk-themed cafe that once spanned half a block on the north side of Pier Plaza. Nolte describes the place as a hub of Beatnik nightlife: records and mountains of books for sale, late-night chess games, gospel singers belting from a stage mounted on top of an espresso machine. Hearing this while staring at Tower 12, noise from its televisions competing with Nolte pointing out that rent at the Insomniac was $150 per month, has the power of a Don Draper pitch from "Mad Men." The feeling it produces is not quite nostalgia, unless one is old enough to have actually been there, but something like sadness that things ever had to change. +The Insomniac closed after the city used eminent domain to acquire the property, Nolte tells the listener. They razed the building, and in its place went a walkway — to a parking lot \ No newline at end of file diff --git a/input/test/Test5014.txt b/input/test/Test5014.txt new file mode 100644 index 0000000..a141b5a --- /dev/null +++ b/input/test/Test5014.txt @@ -0,0 +1,19 @@ +Digital Light Processing (DLP) Market: Projected to Show Strong Growth August 17 Share it With Friends Digital Light Processing (DLP) Market If you are involved in the Digital Light Processing (DLP) industry or intend to be, then this study will provide you comprehensive outlook. The latest research study from HTF MI with title Global Digital Light Processing (DLP) by Manufacturers, Regions, Type and Application, Forecast to 2023. The Research report presents a complete assessment of the market and contains Future trend, Current Growth Factors, attentive opinions, facts, historical data, and statistically supported and industry validated market data. The study is segmented by products type, application/end-users. The research study provides estimates for Global Digital Light Processing (DLP) Forecast till 2023. +If you are involved in the Digital Light Processing (DLP) industry or intend to be, then this study will provide you comprehensive outlook. It's vital you keep your market knowledge up to date segmented by Applications Televisions, Projectors, Medical, Home Theater Systems, Digital Cinema Systems & Others, Product Types such as [LED-based Digital Light Processing & Laser-based Digital Light Processing] and some major players in the industry. If you have a different set of players/manufacturers according to geography or needs regional or country segmented reports we can provide customization according to your requirement. +Request Sample of Global Digital Light Processing (DLP) Market Size, Status and Forecast 2018-2025 @: https://www.htfmarketreport.com/sample-report/1301066-global-digital-light-processing-3 +Key Companies/players: Texas Instruments, Osram Opto Semiconductors, Digital Projection, Barco, Sharp, Optoma, Samsung Electronics, Greenlight Optics, Acer, IntelLuminous Device & AIPTEK International. +Application: Televisions, Projectors, Medical, Home Theater Systems, Digital Cinema Systems & Others, Product Type: LED-based Digital Light Processing & Laser-based Digital Light Processing. +The research covers the current & Future market size of the Global Digital Light Processing (DLP) market and its growth rates based on 5 year history data. It also covers various types of segmentation such as by geography [United States, Europe, China, Japan, Southeast Asia, India & Central & South America]. The market competition is constantly growing higher with the rise in technological innovation and M&A activities in the industry. Moreover, many local and regional vendors are offering specific application products for varied end-users. On the basis of attributes such as company overview, recent developments, strategies adopted by the market leaders to ensure growth, sustainability, financial overview and recent developments. +Stay up-to-date with Digital Light Processing (DLP) market research offered by HTF MI. Check how key trends and emerging drivers are shaping this industry growth as the study avails you with market characteristics, size and growth, segmentation, regional breakdowns, competitive landscape, shares, trend and strategies for this market. In the Global Digital Light Processing (DLP) Market Analysis & Forecast 2018-2023, the revenue is valued at USD XX million in 2017 and is expected to reach USD XX million by the end of 2023, growing at a CAGR of XX% between 2018 and 2023. The production is estimated at XX million in 2017 and is forecasted to reach XX million by the end of 2023, growing at a CAGR of XX% between 2018 and 2023. +Read Detailed Index of full Research Study at @ https://www.htfmarketreport.com/reports/1301066-global-digital-light-processing-3 +Key questions answered in this report – Global Digital Light Processing (DLP) Market Size, Status and Forecast 2018-2025 +What will the market size be in 2023 and what will the growth rate be What are the key market trends What is driving Global Digital Light Processing (DLP) Market? What are the challenges to market growth? Who are the key vendors in Digital Light Processing (DLP) Market space? What are the key market trends impacting the growth of the Global Digital Light Processing (DLP) Market ? What are the key outcomes of the five forces analysis of the Global Digital Light Processing (DLP) Market? What are the market opportunities and threats faced by the vendors in the Global Digital Light Processing (DLP) market? Get in-depth details about factors influencing the market shares of the Americas, APAC, and EMEA? +Enquire for customization in Report @ https://www.htfmarketreport.com/enquiry-before-buy/1301066-global-digital-light-processing-3 +There are 15 Chapters to display the Global Digital Light Processing (DLP) market. +Chapter 1, to describe Definition, Specifications and Classification of Global Digital Light Processing (DLP), Applications of Digital Light Processing (DLP), Market Segment by Regions; Chapter 2, to analyze the Manufacturing Cost Structure, Raw Material and Suppliers, Manufacturing Process, Industry Chain Structure; Chapter 3, to display the Technical Data and Manufacturing Plants Analysis of , Capacity and Commercial Production Date, Manufacturing Plants Distribution, Export & Import, R&D Status and Technology Source, Raw Materials Sources Analysis; Chapter 4, to show the Overall Market Analysis, Capacity Analysis (Company Segment), Sales Analysis (Company Segment), Sales Price Analysis (Company Segment); Chapter 5 and 6, to show the Regional Market Analysis that includes United States, Europe, China, Japan, Southeast Asia, India & Central & South America, Digital Light Processing (DLP) Segment Market Analysis (by Type); Chapter 7 and 8, to analyze the Digital Light Processing (DLP) Segment Market Analysis (by Application [Televisions, Projectors, Medical, Home Theater Systems, Digital Cinema Systems & Others]) Major Manufacturers Analysis; Chapter 9, Market Trend Analysis, Regional Market Trend, Market Trend by Product Type [LED-based Digital Light Processing & Laser-based Digital Light Processing], Market Trend by Application [Televisions, Projectors, Medical, Home Theater Systems, Digital Cinema Systems & Others]; Chapter 10, Regional Marketing Type Analysis, International Trade Type Analysis, Supply Chain Analysis; Chapter 11, to analyze the Consumers Analysis of Global Digital Light Processing (DLP) by region, type and application ; Chapter 12, to describe Digital Light Processing (DLP) Research Findings and Conclusion, Appendix, methodology and data source; Chapter 13, 14 and 15, to describe Digital Light Processing (DLP) sales channel, distributors, traders, dealers, Research Findings and Conclusion, appendix and data source. +Buy this research report @ https://www.htfmarketreport.com/buy-now?format=1&report=1301066 +Reasons for Buying this Report +This report provides pin-point analysis for changing competitive dynamics It provides a forward looking perspective on different factors driving or restraining market growth It provides a 5-year forecast assessed on the basis of how the market is predicted to grow It helps in understanding the key product segments and their future It provides pin point analysis of changing competition dynamics and keeps you ahead of competitors It helps in making informed business decisions by having complete insights of market and by making in-depth analysis of market segments +Thanks for reading this article; you can also get individual chapter wise section or region wise report version like North America, Europe or Asia. +About Author: HTF Market Report is a wholly owned brand of HTF market Intelligence Consulting Private Limited. HTF Market Report global research and market intelligence consulting organization is uniquely positioned to not only identify growth opportunities but to also empower and inspire you to create visionary growth strategies for futures, enabled by our extraordinary depth and breadth of thought leadership, research, tools, events and experience that assist you for making goals into a reality. Our understanding of the interplay between industry convergence, Mega Trends, technologies and market trends provides our clients with new business models and expansion opportunities. We are focused on identifying the "Accurate Forecast" in every industry we cover so our clients can reap the benefits of being early market entrants and can accomplish their "Goals & Objectives". +Media Contac \ No newline at end of file diff --git a/input/test/Test5015.txt b/input/test/Test5015.txt new file mode 100644 index 0000000..88452f3 --- /dev/null +++ b/input/test/Test5015.txt @@ -0,0 +1,82 @@ +The Stock Exchange is all about trading. Each week we do the following: +Discuss an important issue for traders; highlight several technical trading methods, including current ideas; feature advice from top traders and writers; and, provide a few (minority) reactions from fundamental analysts. We also have some fun. We welcome comments, links, and ideas to help us improve this resource for traders. If you have some ideas, please join in! +Review: Is This The Calm Before The Storm? Our previous Stock Exchange asked the question: Is this the Calm Before the Storm? We noted that when the market is slow and conditions are not attractive, patiently NOT trading can be an attractive strategy. However, forcing trades when conditions are not attractive by taking on more risk can be a big mistake, especially when slow markets are interrupted with a new batch of volatility. It's important to know your style, what works for you considering risk tolerance and goals, but that doesn't mean sticking your head in the sand and never learning anything new. +This Week: Caught Leaning Into A Trade? Now What? Here is a look at a sector and asset class ETF chart from Blue Harbinger, and it seems many market participants have been leaning heavily against the China "trade war" trade this year (see ( ASHR )). +The data is through the end of day yesterday, and as we can see, China had been performing absolutely terribly this year, but showed signs of life yesterday. What happened? The market seems to have been favoring the US strongly as the two countries exchanged tariffs and more tariff threats. But just yesterday we received news that the two sides had made plans to talk , and that was enough to sharply reverse the direction of China stocks in a relatively strong one day move. Further still, it shows a lot of people may have been "caught leaning" into the China trade. So now what? +There is a lot of negative sentiment built into the current market. We have opined that any solid and credible news about improvements on trade would be worth 4%, and 10% if a real trade war is avoided. Yesterday's rally is a big reaction to a hint of news (China and the US made only tentative plans to talk). It suggests that much of the fast money is "leaning the wrong way." +So what do you do when you get caught leaning - or even offsides? It is especially challenging because your initial lean reflects an opinion. Alternatively, it can be very useful to discover situations where most others are leaning. Investopedia's Alan Farely covers the latter in his... +20 Rules Followed by Professional Traders One of the salient points from Farley's article is that if you're too in love with a trade, "you give way to flawed decision-making. It's your job to capitalize on inefficiency, making money while everyone else is leaning the wrong way ." +"RevShark" takes on the former. We don't necessarily endorse any of the bear trap, rigged market rhetoric, but nonetheless it is an interesting read about leaning the wrong way. +Computer-Generated Bear Trap Crushes Stock Traders Leaning the Wrong Way The point is that the market can often lean too far in the wrong direction on a trade, and as a trader you can either lean too far (i.e. get caught "offsides") or you can look for the opportunity to exploit the market inefficiency. Obviously easier said than done, but staying alert and disciplined in your trades can help. +Model Performance: Per reader feedback, we're continuing to share the performance of our own trading models, as shown in the following table: +We find that blending a trend-following / momentum model (Athena) with a mean reversion / dip-buying model (Holmes) provides two strategies, effective in their own right, that are not correlated with each other or with the overall market. By combining the two, we can get more diversity, lower risk, and a smoother string of returns. +For more information about our trading models (and their specific trading processes), click through at the bottom of this post for more information. Also, readers are invited to write to main at newarc dot com for our free, brief description of how we created the Stock Exchange models. +Expert Picks From The Models: This week's Stock Exchange is being edited by Blue Harbinger ; (Blue Harbinger is a source for independent investment ideas). +Holmes: This week I bought shares of MercadoLibre ( MELI ) on 8/16. I am sure you have an opinion on that Blue Harbinger, you always do. +Blue Harbinger: This is an online retailer based out of Argentina, and I have mixed feelings. On one hand, online retailers have been kicking butt in the US as the "death of brick and mortar retail" narrative rages on. However, I'd be a little nervous about investing in a company based out of Argentina because that economy seems very uncertain. Honestly, I think you're on the right track, but I'd probably prefer a China Internet company. You know, Bidu ( BIDU ), Alibaba ( BABA ), YY ( YY ), they all seem pretty cheap, and we could see a nice springback when the US China trade war ends amicably. +Holmes: My thesis is actually similar. I am a technical trader, and I focus on the metrics surrounding "dip buying" opportunities, and as you can see in the following chart, the dip on MercadoLibre is compelling. +BH: Looks like a "cup and handle" formation to me, and I think emerging (and frontier) markets in general may be due for a rebound. But what about fundamentals, Holmes? Here is a look at the Fast Graph. +Holmes: I am a technical trading model. I care less about long-term fundamentals considering my typical holding period is only about 6 weeks. +BH: Fine, I'll check back with you then. How about you, Road Runner - any trades this week? +Road Runner: You bet. I bought Home Depot ( HD ) on 8/13. I too am a technical trader, but I'm not quite the "dip buyer" that Holmes is. Instead, my process is based more heavily on momentum. As a general rule, I try to buy momentum stocks that are in the lower end of a rising channel, and then I hold them for about 4 weeks. Here is a look at the chart for my Home Depot purchase. +BH: Interesting. I understand your process in theory, Road Runner -but I'm not entirely sure I see the "lower end of a rising channel" in the chart you shared. But how about fundamentals? There's more good info in the following Fast Graph. And honestly, I can better see the momentum you are talking about in the Fast Graph too. +Road Runner: Thanks for the info, but as a reminder, I'll be out of this trade in 4 weeks. My strategy has been putting up positive numbers this year, although not as positive as some of the other more pure play momentum traders (i.e. not waiting for the dip in the rising channel). +However, I know that blending my picks with the other models helps us put up strong returns regardless of market conditions, because eventually, pure momentum will fall out of favor, and my "lower end of a rising channel" momentum strategy will be more in vogue again at some point in the future. Team work, Blue Harbinger - plenty of upside with diversified risks, and an aggregate strategy that can perform well across changing market conditions. +BH: Thanks Road Runner. And how about you, Felix - any trades this week? +Felix: I sold my Newell Brands ( NWL ) shares this week for a loss. I bought them back in February. My holding period is longer than the other traders (on average it's 66 weeks), but my version of momentum didn't work out for this particular trade. It happens. +BH: Sorry this one didn't work out better for you. Home Depot has certainly been returning a lot of cash to shareholders between dividends (the yield is over 2%) and share repurchases. Plus, these types of value stocks have been out of favor lately, as we saw in the ETF performance chart earlier in this report (value has been underperforming growth). Here's a peek at the Fast Graph: +Felix: Thanks for the info. I also ran the Russell 2000 Small cap index through my model, and the top 20 are ranked below. +BH: Thanks Felix. Those small caps have far less non-US business exposure than do their large-cap Russell 1000 counterparts. That's certainly been a factor lately in light of tariff and trade war talks. +Athena: This week I sold my Weight Watchers ( WTW ) shares at a loss. I bought them back in July. +BH: That's somewhat goofy that they sold off lately considering the company beat earnings expectations and exceeded revenue guidance. However, they did lower future guidance, and the market didn't seem to appreciate their new share issuance. You're in and out of these trades so quickly (your typical holding period is about 17 weeks). This seems like more of a long-term play to me (I've shared the Fast Graph below), but your strong performance track record (shared earlier in this report) speaks for itself. Thanks, Athena. +Oscar: This week I ran our High Liquidity ETFs with price-volume multiple over 100 million per day through my technical model, and the top 20 rankings are included below. +BH: Wow--you really are a momentum trader, Oscar. I see you've ranked ProShares Ultra QQQ ( QLD ) at the top of your list. That fund seeks daily investment results, before fees and expenses, that correspond to twice (200%) the daily performance of the NASDAQ-100 Index. And if you look in our ETF chart near the start of this report, QQQ has been the best performer on this list, year-to-date. Your are quite the momentum bull, Oscar. +Conclusion: Trading strategies work, until they don't. And they don't always stop working when you'd expect them to. You may think of it as bulls versus bears, fear versus greed, or traders leaning too hard in one direction or another. As Benjamin Graham famously said, "in the short run, the market is a voting machine but in the long run, it is a weighing machine." Investors and traders alike have been "voting" hard against non-US countries in general this year, and heavily against China in particular. And if the market is leaning too far into this trade, did you get caught during yesterday's snap back? And perhaps more importantly, when the US and China do eventually come to more formal terms (besides yesterday's simple hint of discussions), the snap back could easily be much more violent. Will you be ready? How are you positioning, and how will you react? +Background On The Stock Exchange: Each week, Felix and Oscar host a poker game for some of their friends. Since they are all traders, they love to discuss their best current ideas before the game starts. They like to call this their "Stock Exchange." (Check out Background on the Stock Exchange for more background). Their methods are excellent, as you know if you have been following the series. Since the time frames and risk profiles differ, so do the stock ideas. You get to be a fly on the wall from my report. I am usually the only human present and the only one using any fundamental analysis. +The result? Several expert ideas each week from traders, and a brief comment on the fundamentals from the human investor. The models are named to make it easy to remember their trading personalities. +Stock Exchange Character Guide: Character +Universe +Style +Average Holding Period +Exit Method +Risk Control +Felix +NewArc Stocks +Momentum +66 weeks +Price target +Macro and stops +Oscar +"Empirical" Sectors +Momentum +Six weeks +Rotation +Stops +Athena +NewArc Stocks +Momentum +17 weeks +Price target +Stops +Holmes +NewArc Stocks +Dip-buying Mean reversion +Six weeks +Price target +Macro and stops +RoadRunner +NewArc Stocks +Stocks at bottom of rising range +Four weeks +Time +Time +Jeff +Everything +Value +Long term +Risk signals +Recession risk, financial stress, Macro +Getting Updates: Readers are welcome to suggest individual stocks and/or ETFs to be added to our model lists. We keep a running list of all securities our readers recommend, and we share the results within this weekly "Stock Exchange" series when feasible. Send your ideas to "etf at newarc dot com." Also, we will share additional information about the models, including test data, with those interested in investing. Suggestions and comments about this weekly "Stock Exchange" report are welcome. +Trade Alongside Jeff Miller: Learn More . +Disclosure: I am/we are long MELI, HD. +I wrote this article myself, and it expresses my own opinions. I am not receiving compensation for it. I have no business relationship with any company whose stock is mentioned in this article \ No newline at end of file diff --git a/input/test/Test5016.txt b/input/test/Test5016.txt new file mode 100644 index 0000000..4f62360 --- /dev/null +++ b/input/test/Test5016.txt @@ -0,0 +1,13 @@ +Lilly Bio-Medicines president Christi Shaw Courtesy Eli Lilly and Company Christi Shaw oversees Lilly Bio-Medicines, the business within the pharma giant that comprises neuroscience and immunology. A longtime pharma veteran, Shaw is one of the top female executives in the industry and has held senior positions at Novartis and Johnson & Johnson. She told Business Insider that the career advice she wishes she'd gotten early on in her career would be, "[Don't] let failure go to your heart." +It's rare to find women in top executive positions within the pharmaceutical industry. +Women make up about 21% of the executive positions at Fortune 500 healthcare companies according to Rock Health . At the CEO level, GSK CEO Emma Walmsley made headlines in 2017 for becoming the first female CEO of a global pharmaceutical company. +This makes Christi Shaw a bit of an anomaly. Shaw is the president of Lilly Bio-Medicines, the business within the pharma giant that comprises neuroscience and immunology. Prior to taking time off in mid-2016 to care for her sister who was diagnosed with cancer, she was the president and US country head of Novartis, and held executive positions at Johnson & Johnson before that. +Shaw returned to pharma after her time off in April 2017, rejoining Lilly where she started her career almost 30 years ago. +"I just felt like I could impact so many more people in big pharma than I could working for a smaller company or even working part time," Shaw told Business Insider. Lilly Bio-Sciences plans to launch four new medications treating 10 disease areas over the next decade, including treatments for migraine and forms of chronic pain . +Looking back on her career, Shaw says there are a few pieces of advice she wish she had when starting out. +"You always heard the term, 'Don't let success go to your head,' but the second piece of that is to not let failure go to your heart," Shaw said. Women in particular have a fear of failing, she said, not just in the workplace but also at home. +Along those lines, Shaw said she'd give others career advice about the power of risk-taking. +"Leadership isn't knowing the direction, it's about being able to make a decision when the direction is uncertain," Shaw said. +"I would tell myself 'Don't be so worried, because if you don't have a job or you have to take time off or you can't make that meeting because of a personal thing, just do it. What's the worst that could happen? You're going to get fired. What if you get fired? You're going to get a new job or you take the time off,'" she said. "I wish someone would've said to me, 'Go ahead and take the risk and do what you think is right versus what you think other people think is the right thing to do.'" +For example, after Shaw's sister died in May, she took two additional weeks off and a vacation with her family rather that go back to work. +"It was the most cathartic thing I could have done versus throwing myself right back into work," Shaw said \ No newline at end of file diff --git a/input/test/Test5017.txt b/input/test/Test5017.txt new file mode 100644 index 0000000..bc57619 --- /dev/null +++ b/input/test/Test5017.txt @@ -0,0 +1,8 @@ +EFF introduces bill to nationalise central bank The central bank has said any change of ownership would not affect its mandate or independence. EFF leader Julius Malema. Picture: @EFFSouthAfrica/Twitter Tweet Reuters | 3 hours ago +JOHANNESBURG - The leader of South Africa's far-left Economic Freedom Fighters (EFF) , Julius Malema, has introduced a bill to nationalise the central bank , Parliament said late on Thursday. +The South African Reserve Bank Amendment Bill would "make the state the sole holder of the shares in the bank" and "provide for the appointment of certain board directors by the (finance) minister", according to a copy of the bill posted on Parliament's website. +The ruling African National Congress (ANC) resolved at a party conference in December to move to full state ownership of the bank, saying the current ownership structure was a "historical anomaly". +But the ANC in March withdrew a Parliament motion to debate the issue to allow for more consultation within the party and with important stakeholders. +The central bank has said any change of ownership would not affect its mandate or independence. +Unlike most central banks, the South Africa's has been privately owned since it was established in 1921. +But its shareholders have no control over monetary policy, financial stability policy or banking regulation. Timelin \ No newline at end of file diff --git a/input/test/Test5018.txt b/input/test/Test5018.txt new file mode 100644 index 0000000..979c970 --- /dev/null +++ b/input/test/Test5018.txt @@ -0,0 +1 @@ +Press release from: Market Research Hub The market for Secure Print Solutions is growing with the expansion of this Industry Sector Worldwide. Market Research Hub (MRH) has added a new report titled "Global Secure Print Solutions Market" which offer details about the current trends and analysis, as well as scope for the near future. This research study also covers information about the production, consumption and market share based on different active regions. Furthermore, an anticipated growth at a double-digit CAGR for the Secure Print Solutions sector is highlighted in the report which indicates a prosperous future. Click Here to Get the Sample Copy of the Report@ www.marketresearchhub.com/enquiry.php?type=S&repid=1873813 This report focuses on the global Secure Print Solutions status, future forecast, growth opportunity, key market and key players. The study objectives are to present the Secure Print Solutions development in United States, Europe and China.In 2017, the global Secure Print Solutions market size was million US$ and it is expected to reach million US$ by the end of 2025, with a CAGR of during 2018-2025.The key players covered in this studyXero \ No newline at end of file diff --git a/input/test/Test5019.txt b/input/test/Test5019.txt new file mode 100644 index 0000000..01404cc --- /dev/null +++ b/input/test/Test5019.txt @@ -0,0 +1 @@ +Press release from: Up Market Research (UMR) Virtual Reality Content Market Analysis Report UpMarketResearch offers a latest published report on "Global Virtual Reality Content Market Industry Analysis and Forecast 2018-2025" delivering key insights and providing a competitive advantage to clients through a detailed report. The report contains 95 pages which highly exhibits on current market analysis scenario, upcoming as well as future opportunities, revenue growth, pricing and profitability. Get Free Sample Report @ www.upmarketresearch.com/home/requested_sample/6318 The report begins with the overview of the Virtual Reality Content market and updates the users about the latest developments and future expectations. It presents a comparative detailed analysis of all the regional and major player segments, offering readers a better knowledge of areas in which they can place their existing resources and gauging the priority of a particular region in order to boost their standing in the global market.Virtual Reality Content market research report delivers a close watch on leading competitors with strategic analysis, micro and macro market trend and scenarios, pricing analysis and a holistic overview of the market situations in the forecast period. It is a professional and a detailed report focusing on primary and secondary drivers, market share, leading segments and geographical analysis. Further, key players, major collaborations, merger & acquisitions along with trending innovation and business policies are reviewed in the report. The report contains basic, secondary and advanced information pertaining to the Virtual Reality Content global status and trend, market size, share, growth, trends analysis, segment and forecasts from 2018 - 2025.The scope of the report extends from market scenarios to comparative pricing between major players, cost and profit of the specified market regions. The numerical data is backed up by statistical tools such as SWOT analysis, BCG matrix, SCOT analysis, PESTLE analysis and so on. The statistics are represented in graphical format for a clear understanding on facts and figures.The generated report is firmly based on primary research, interviews with top executives, news sources and information insiders. Secondary research techniques are implemented for better understanding and clarity for data analysis. The report for Virtual Reality Content market industry analysis & forecast 2018-2025 is segmented into Product Segment, Application Segment & Major players.For more information @ www.upmarketresearch.com/home/enquiry_before_buying/6318 Region-wise Analysis Global Virtual Reality Content Market covers:• United State \ No newline at end of file diff --git a/input/test/Test502.txt b/input/test/Test502.txt new file mode 100644 index 0000000..b8e5374 --- /dev/null +++ b/input/test/Test502.txt @@ -0,0 +1,71 @@ +Madonna plans to open football academy in Malawi as she celebrates 60th birthday Associated Press Entertainment +The Queen of Pop is also a football mom, and she's getting ever more involved in the beautiful game. +Madonna has plans to open a football academy in Malawi, a move inspired by her adopted son David Banda, who has ambitions to be a professional player and is at Portuguese club Benfica's youth academy . +Madonna follows 12-year-old David's progress in Portugal closely, living in Lisbon and often posting photos and videos from the sidelines of his games. +"It is actually David's idea that we should build a football academy," Madonna said on a recent visit to Malawi, where she adopted four of her six children, including David, and where she's done extensive charity work. +Madonna, who turned 60 yesterday, floated the academy idea in the southern African country last month, prompting the national association to respond enthusiastically. +"We are very excited with this window of opportunity that has arisen," Malawi Football Association president Walter Nyamilandu told The Associated Press. "It will complement our efforts to establish football academies in the country." +The association has already offered Madonna a piece of land next to the national football stadium in the capital, Lilongwe, Nyamilandu said. +"We presented our proposal of the academy to Madonna and they are satisfied with it," he said. +Madonna's work in Malawi, through the Raising Malawi charity, focuses on helping orphaned and vulnerable children. +The charity has built orphanages, schools and a specialist pediatric hospital unit. It's given some attention to the little-known and impoverished nation. +David hopes the academy helps raise the soccer profile of his country of birth, too. Malawi currently has no soccer academies. +"We will start slow and grow bigger, enter African Cups and hopefully grow as big as we can be," David said. +It's an ambitious plan. Malawi only has one player in a European League, midfielder Tawonga Chimodzi plays for a second-division team in Cyprus. +But then there's David, cheered on by football mom Madonna. The seven-time Grammy winner is one of the world's best-selling artists. Source: 1 NEWS Topics Tauranga City Council taking court action over failed Bella Vista development 2 Labour MP Willow-Jean Prime defends right to speak Te Reo M�ori in Parliament after emailer tells her to 'say it in English' 3 'Mum and dad didn't believe me' - Otago Lotto winner aged in his 20s claims prize and outlines what he will do with $22 million jackpot 4 Most read: 'Sup uce' - Steven Adams on hilarious encounter with NBA rival and fellow Pacific Islander from Miami Heat 5 Scarlett Johansson named world's highest-paid actress Bang Showbiz Movies +Forbes have revealed Scarlett Johansson was the World's Highest-Paid Actress over the last 12 months. +The 33-year-old actress pulled in a huge $US 40.5 million before taxes between June 2017-June 2018, topping Forbes' annual list of Hollywood females largely due to her Black Widow role in the Marvel Cinematic Universe. +Following behind her in second place was Angelina Jolie, whose $28 million earnings for the year mainly come from her pay-cheque for Maleficent 2, which she is currently filming. +Jennifer Aniston may have had a quiet year in TV and movies, but her endorsement contracts with the likes of Smartwater, Emirates airlines and Aveeno helped her take third place with earnings of $19.5 million. +X-Men: Dark Phoenix actress Jennifer Lawrence - who is also a face of Dior - took fourth place on the list with $18 million, while 'Big Little Lies' actress-and-producer Reese Witherspoon was named fifth with $16.5 million. +The 42-year-old star edged ahead of Mila Kunis, whose $16 million earnings landed her sixth place on the list. +Rounding out the 2018 top 10 were Pretty Woman actress Julia Roberts, who earned $13 million and placed seventh, Ocean's Eight star Cate Blanchett, who was narrowly behind with $12.5 million, and ninth-placed Melissa McCarthy on $12 million. +Gal Gadot rounded out the top 10 with $10 million and was the only new face on the list, largely due to her salary to reprise her Wonder Woman role in an upcoming sequel, as well as her deal with Revlon. +Noticeably missing from this year's list was Emma Stone, who took top spot last year with $26 million for her award-winning turn in La La Land. +Amy Adams, Emma Watson, and Charlize Theron also dropped off this year's rankings after failing to earn the qualifying $10 million figure. +Forbes' World's Highest-Paid Actresses Top 10 (all in USD): +1. Scarlett Johansson, $40.5 million +2. Angelina Jolie, $28 million +3. Jennifer Aniston, $19.5 million +4. Jennifer Lawrence, $18.5 million +5. Reese Witherspoon, $16.5 million +6. Mila Kunis, $16 million +7. Julia Roberts, $13 million +8. Cate Blanchett, $12.5 million +9. Melissa McCarthy, $12 million +10. Gal Gadot, $10 million Scarlett Johansson. Source: Associated Press Topics TODAY'S FEATURED STORIES The daring truth and artistry of soul singer Aretha Franklin - 'Music is my thing, it's who I am' Associated Press Music +The clarity and the command. The daring and the discipline. The thrill of her voice and the truth of her emotions. +Like the best actors and poets, nothing came between how Aretha Franklin felt and what she could express, between what she expressed and how we responded. Blissful on "(You Make Me Feel Like) a Natural Woman." +Despairing on "Ain't No Way." Up front forever on her feminist and civil rights anthem "Respect." She'll be remembered for her music that helped define pivotal moments in history. Source: BBC +Franklin, the glorious "Queen of Soul" and genius of American song, died this morning at her home in Detroit of pancreatic cancer. She was 76. +Few performers were so universally idolised by peers and critics and so exalted and yet so familiar to their fans. As surely as Jimi Hendrix settled arguments over who was the No. 1 rock guitarist, Franklin ruled unchallenged as the greatest popular vocalist of her time. +She was "Aretha," a name set in the skies alongside "Jimi" and "Elvis" and "John and Paul." +A professional singer and pianist by her late teens, a superstar by her mid-20s, she recorded hundreds of songs that covered virtually every genre and she had dozens of hits. But her legacy was defined by an extraordinary run of top 10 soul smashes in the late 1960s that brought to the radio an overwhelming intensity and unprecedented maturity, from the wised-up "Chain of Fools" to the urgent warning to "Think." +Acknowledging the obvious, Rolling Stone ranked her first on its list of the top 100 singers. Franklin was also named one of the 20 most important entertainers of the 20th century by Time magazine, which celebrated her "mezzo-soprano, the gospel growls, the throaty howls, the girlish vocal tickles, the swoops, the dives, the blue-sky high notes, the blue-sea low notes. Female vocalists don't get the credit as innovators that male instrumentalists do. They should. Franklin has mastered her instrument as surely as John Coltrane mastered his sax." +The music industry couldn't honour her enough: Franklin won 18 Grammy awards and, in 1987, became the first woman inducted into the Rock and Roll Hall of Fame. But her status went beyond "artist" or "entertainer" to America's first singer, as if her very presence at state occasions was a kind of benediction. She performed at the inaugural balls of Presidents Bill Clinton and Jimmy Carter, at the funeral for civil rights pioneer Rosa Parks and the dedication of Martin Luther King Jr's memorial. Clinton gave Franklin the National Medal of Arts and President George W. Bush awarded her the Presidential Medal of Freedom, the nation's highest civilian honor. +Franklin's best-known appearance with a president was in January 2009, when she sang "My Country 'tis of Thee" at President Barack Obama's first inauguration. She wore a gray felt hat with a huge, Swarovski rhinestone-bordered bow that became an internet sensation and even had its own website. In 2015, she brought Obama and many others to tears with a triumphant performance of "Natural Woman" at a Kennedy Center tribute for the song's co-writer, Carole King. +Her voice transcended age, category and her own life. Franklin endured the exhausting grind of celebrity and personal troubles dating back to childhood. +The mother of two boys by age 16 (she later had two more), she struggled with her weight, family problems and financial setbacks. Her strained marriage in the 1960s to then-manager Ted White was widely believed to have inspired her performances on several songs, including "(Sweet Sweet Baby) Since You've Been Gone," ''Think" and "Ain't No Way." Producer Jerry Wexler nicknamed her "Our Lady of Mysterious Sorrows." +Despite growing up in Detroit, and having Smokey Robinson as a childhood friend, Franklin never recorded for Motown Records; stints with Columbia and Arista were sandwiched around her prime years with Atlantic Records. But it was at Detroit's New Bethel Baptist Church, where her father was pastor, that Franklin learned the gospel fundamentals that would make her a soul institution. +Aretha Louise Franklin was born March 25, 1942, in Memphis, Tennessee. The Reverend C.L. Franklin soon moved his family to Buffalo, New York, then to Detroit, where the Franklins settled after the marriage of Aretha's parents collapsed and her mother (and reputed sound-alike) Barbara returned to Buffalo. +C.L. Franklin was among the most prominent Baptist ministers of his time. He recorded dozens of albums of sermons and music and knew such gospel stars as Marion Williams and Clara Ward, who mentored Aretha and her sisters Carolyn and Erma. (Both sisters sang on Aretha's records, and Carolyn also wrote "Ain't No Way" and other songs for Aretha). Music was the family business and performers from Sam Cooke to Lou Rawls were guests at the Franklin house. In the living room, the shy young Aretha awed friends with her playing on the grand piano. +"A wonder child," was how Robinson described her to Franklin biographer David Ritz. +Franklin was in her early teens when she began touring with her father, and in 1956 she released a gospel album through J-V-B Records. Four years later, she signed with Columbia Records producer John Hammond, who called Franklin the most exciting singer he had heard since a vocalist he promoted decades earlier, Billie Holiday. Franklin knew Motown founder Berry Gordy Jr. and considered joining his label, but decided it was just a local company at the time. +Franklin recorded several albums for Columbia Records over the next six years. She had a handful of minor hits, including "Rock-A-Bye Your Baby With a Dixie Melody" and "Runnin' Out of Fools," but never quite caught on. The label tried to fit into her a hodgepodge of styles, from jazz and show songs to such pop numbers as "Mockingbird," and Franklin struggled to develop the gifts for interpretation and improvisation that she later revealed so forcefully. +"But the years at Columbia also taught her several important things," critic Russell Gersten later wrote. "She worked hard at controlling and modulating her phrasing, giving her a discipline that most other soul singers lacked. She also developed a versatility with mainstream music that gave her later albums a breadth that was lacking on Motown LPs from the same period. +"Most important, she learned what she didn't like: to do what she was told to do." +In 1966, her contract ran out and she jumped to Atlantic, home to such rhythm and blues giants as Ray Charles. Wexler highlighted her piano playing and teamed her with veteran R&B musicians from FAME Studios in Muscle Shoals, Alabama. The result rocked as hard as the Rolling Stones while returning her to her gospel roots. +Her breakthrough was so profound that Ebony Magazine called 1967 the year of "'Retha, Rap and Revolt." At a time of protest and division, Franklin's records were signposts to a distant American dream — a musical union of the church and the secular, man and woman, black and white, North and South, East and West. They were produced and engineered by New Yorkers Wexler and Tom Dowd, arranged by Turkish-born Arif Mardin and backed by an interracial gathering of top session musicians. +"In black neighbourhoods and white universities, in the clubs and on the charts, her hits came like cannonballs, blowing holes in the stylized bouffant and chiffon Motown sound," Gerri Hirshey wrote in "Nowhere to Run," a history of soul music that was published in 1984. "Here was a voice with a sexual payload that made the doo-wop era, the girl groups, and the Motown years seem like a pimply adolescence." +The difference between Franklin at Columbia and Franklin at Atlantic shows in a pair of songs first performed by Dionne Warwick: "Walk On By" and "I Say a Little Prayer." On "Walk On By," recorded at Columbia, the arrangement stays close to the cool pop and girl group chorus of the original. "I Say a Little Prayer," an Atlantic release, was a gospel workout, from Franklin's church-influenced piano to the call-and-response vocals. From her years at Atlantic and through the rest of her life, she would rarely stick to anyone else's blueprint for a song, often revising her own hits when she performed them on stage. +One of her boldest transformation came on her signature record and first No. 1 hit, "Respect," a horn-led march with a chanting "sock-it-to-me" chorus and the spelled out demand for "R-E-S-P-E-C-T." Franklin had decided she wanted to "embellish" the R&B song written by Otis Redding, whose version had been a modest hit in 1965. +"When she walked into the studio, it was already worked out in her head," Wexler wrote in Rolling Stone magazine in 2004. "Otis came up to my office right before 'Respect' was released, and I played him the tape. He said, 'She done took my song.' He said it benignly and ruefully. He knew the identity of the song was slipping away from him to her." +In a 2004 interview with the St. Petersburg (Florida) Times, Franklin was asked whether she sensed in the '60s that she was helping change popular music. +"Somewhat, certainly with 'Respect,' that was a battle cry for freedom and many people of many ethnicities took pride in that word," she answered. "It was meaningful to all of us." +She was rarely off the charts in 1967 and 1968 and continued to click in the early 1970s with the funky "Rock Steady" and other singles and such acclaimed albums as the intimate "Spirit in the Dark." Her popularity faded during the decade, but revived in 1980 with a cameo appearance in the smash movie "The Blues Brothers" and her switch to Arista Records, run by her close friend Clive Davis. +Franklin collaborated with such pop and soul artists as Luther Vandross, Elton John, Whitney Houston and George Michael, with whom she recorded a No. 1 single, "I Knew You Were Waiting (for Me)." Her 1985 album "Who's Zoomin' Who" received some of her best reviews and included such hits as the title track, a phrase she came up with herself, and "Freeway of Love." +If she never quite recaptured the urgency and commercial success of the late '60s, she never relinquished her status as the singer among singers or lost her willingness to test herself, whether interpreting songs by Lauryn Hill and Sean "Diddy" Combs on her acclaimed "A Rose Is Still a Rose" album or filling in at the 1998 Grammy ceremony for an ailing Luciano Pavarotti. She covered songs by Ray Charles, the Rolling Stones and Sam Cooke, but also music by Stephen Sondheim, Bread and the Doobie Brothers. At an early recording session at Columbia, she was asked to sing "Over the Rainbow." +"If a song's about something I've experienced or that could've happened to me, it's good," she told Time magazine in 1968. "But if it's alien to me, I couldn't lend anything to it. Because that's what soul is about — just living and having to get along." +Being "Aretha" didn't keep her from checking out the competition. Billing herself on social media as "The Undisputed Queen of Soul," she lashed out at Beyonce for even suggesting that Tina Turner deserved the title and had sharp words for Mavis Staples and Gladys Knight, among others. She even threatened to sue Warwick in 2017. +Her albums over the past two decades included "So Damn Happy," for which Franklin wrote the gratified title ballad, and "Aretha Sings the Great Diva Classics," featuring covers of hits by Adele and Alicia Keys among others. Franklin's autobiography, "Aretha: From These Roots," came out in 1999. But she always made it clear that her story would continue, and that she would sing it. +"Music is my thing, it's who I am. I'm in it for the long run," she told The Associated Press in 2008. "I'll be around, singing, 'What you want, baby I got it,' having fun all the way." Aretha Franklin performs at the inauguration for President Barack Obama at the US Capitol in Washington Source: Associated Press Topic \ No newline at end of file diff --git a/input/test/Test5020.txt b/input/test/Test5020.txt new file mode 100644 index 0000000..d01271d --- /dev/null +++ b/input/test/Test5020.txt @@ -0,0 +1,12 @@ +About 120 kilometres north of London, in the Oxfordshire town of Banbury, sits a building that tells us a great deal about the West's relationship with China. +The Huawei Cyber Security Evaluation Centre – also known as "The Cell" – was established in 2010, and inside its walls employees of the Chinese telco work to ensure security concerns regarding Huawei products across Britain are addressed, with oversight from the United Kingdom's intelligence agencies. +The question of Australian reliance on Chinese communications technology has grown more pressing. +Photo: Reuters This year came the fourth annual update to the British government on the centre's work, and for the first time the report card was blemished . Depending on who you asked, this was either a sign that the oversight system was working exactly as it should or that the fox had entered the henhouse. +Even as Malcolm Turnbull seeks to assure us that Australia's diplomatic relationship with Beijing is on a sound footing, the question of Australian reliance on Chinese communications technology grows more pressing, with The Age revealing this week the extent of Chinese Communist Party involvement with those companies bidding to supply Australia's 5G network. +Will Australia end up with its own equivalent to The Cell? Or do we attempt to introduce a cordon sanitaire around the telecommunications sector, while bracing for the attendant economic and diplomatic fallout? +Advertisement The government will point to the powers of its new Critical Infrastructure Centre and legislation it has introduced to give the attorney-general and home affairs minister the right to instruct companies based on advice from security agencies. But questions are bound to remain over the capacity and responsiveness of such an approach. +Loading At the beginning of this year, it emerged that the Trump administration was considering a nationalised 5G network to counter the Chinese threat. This approach was widely rejected, with the White House reminded that it was free markets that had delivered US technological leadership. However as Elsa Kania, an expert in Chinese military technology, told The Age in May , government support for research and development was also a key part of the American success story in such places as Silicon Valley. +Perhaps the answer to the 5G conundrum rests not only in a renewed commitment to this kind of investment but in an internationalised vision that takes us back to another five - our Five Eyes intelligence alliance with the US, Britain, New Zealand and Canada. +When a Huawei representative argued recently that a Chinese role in supplying communications infrastructure was inevitable , there was a chilling echo of pronouncements made in other spheres by Chinese officials or representatives. +At such moments, it is worth recalling our own proud history of innovation - and that it was on these shores that key developments in wireless technology were first made. Confidence in our abilities, our alliances and our social and political model is surely a better path to security than banning or constantly looking over the shoulders of those we fear. +A note from the editor – Subscribers can get Age editor Alex Lavelle's exclusive weekly newsletter delivered to their inbox by signing up here: www.theage.com.au/editornot \ No newline at end of file diff --git a/input/test/Test5021.txt b/input/test/Test5021.txt new file mode 100644 index 0000000..84d5b85 --- /dev/null +++ b/input/test/Test5021.txt @@ -0,0 +1,26 @@ +SAN FRANCISCO -- In the history of California wildfires there has never been anything like it: A churning tornado filled with fire, the size of three football fields. Recently released video from Cal Fire shows the most intense tornado ever in California history that trapped and killed a firefighter in Redding last month, CBS San Francisco reports . +An official report describes in chilling detail the intensity of the rare fire phenomenon and how quickly it took the life of Redding firefighter Jeremy Stoke, who was enveloped in seconds as he tried to evacuate residents on July 26. +Three videos released with the report late Wednesday show the massive funnel of smoke and flames in a populated area on the edge of Redding, about 250 miles north of San Francisco. +The smoke-and-fire tornado was about 1,000 feet wide at its base and shot approximately 7.5 miles into the sky; it reached speeds of up to 165 mph, with temperatures that likely exceeded 2,700 degrees Fahrenheit, said the report by the California Department of Forestry and Fire Protection. +The actual vortex is visible in the video released by Cal Fire, CBS San Francisco reports. Even for fire researchers like Craig Clements, the director at the SJSU Fire Weather Research Lab, who had seen fire whirls before, it was an extraordinary event. +"You can clearly see the winds going like this and the circulations right here," said Clements. "It's an incredible sight." +The tornado exploded in the middle of what was already a gigantic, devastating wildfire that started on July 23 with a spark from a vehicle driving on a flat tire. Stoke is one of eight people killed since the blaze started and destroyed nearly 1,100 homes. It was 76 percent contained as of Thursday. +A 17-year veteran of the fire department, Stoke was familiar with the dangers of wildfires. But this was unprecedented. +"There have been several documented instances of a fire whirl in California," said Jonathan Cox, a Cal Fire battalion chief. "But this is the largest documented fire whirl - a fire-generated tornado - in California history." +The 37-year-old fire inspector was driving his pickup truck down a Redding road, working on evacuating people from the larger blaze, when he radioed out a "mayday" call, according to the report. +Stoke said he "needed a water drop and was getting burned over," the report said. +Then Stoke's transmissions abruptly stopped. +An engine captain who heard the call asked for Stoke's location. There was no response. +59 Photos Deadly wildfire burns Northern California At least nine people have been killed and hundreds of buildings destroyed, as wildfires burning across the state stretch fire crews to the limit +Fire dispatchers tried to locate him by "pinging" his cellphone. +Stoke's remains were not found until the next day, and it took more time to analyze the ferocity of the tornado that ripped roofs off houses and flung power line towers, cars and a shipping container into the air near the spot where Stoke was overtaken by the flames, according to the report. +A confluence of weather conditions likely contributed to the tornado, including a combination of record heat in the Sacramento Valley - it reached 113 degrees Fahrenheit in Redding that day - and cool high-speed winds coming from the coast, the report said. +"It was something out of this world, a perfect storm," Gary Parmely, who was Stoke's stepfather and raised him from the time he was a child, told the AP in a telephone interview Thursday. "It was incompatible with life, and he happened to drive into it." +Parmely said he has driven out several times to the site where Stoke died. American flags, flowers and a framed picture of Stoke have been left in memoriam. +"The loss of Jeremy broke the heart of this community, not just his family," Parmely said. Stoke leaves behind a wife and two children. Stoke was on vacation with his best friend in Idaho but cut the trip short, Parmely said. +"He came back early to help fight this fire." +The report also detailed the death of private bulldozer operator Don Smith, 81, of Pollock Pines, who was killed when his bulldozer was caught in the flames while trying to improve a fire line, defending a home, during what the officials say were "extraordinary fire weather conditions." +Both deaths occurred within an hour and 50 minutes in one 3-mile (5-kilometer) stretch of the Carr Fire, which is one of several massive wildfires in California this year. +The Carr Fire jumped the fire line and a Cal Fire crew chief said he made several radio attempts to tell Smith to "get out of there." Two firefighters in the area also "recognized the urgency of the situation" and tried to reach Smith on foot, but had to turn back because of the encroaching flames. +Smith reported that he was cut off by the fire and was pushing on in his 2002 John Deere open cab bulldozer in an attempt to reach a safe area. He also requested water drops and four helicopters began dropping water through the smoke and flames around Smith's last known location. +Once the smoke cleared, a pilot saw that Smith's dozer had been engulfed in flames and there was no sign of the protective metallic tent that firefighters deploy as a desperate measure when they are about to be overrun by fire. After two attempts, a fire captain was able to reach the bulldozer two hours later and confirmed that Smith was dead \ No newline at end of file diff --git a/input/test/Test5022.txt b/input/test/Test5022.txt new file mode 100644 index 0000000..7d7ca95 --- /dev/null +++ b/input/test/Test5022.txt @@ -0,0 +1,24 @@ +Mark Blazis: Proper protection is essential in outdoors Mark Blazis Thursday Aug 16, 2018 at 4:09 PM Aug 16, 2018 at 11:28 PM +There are 4,000 people In Massachusetts who won't read this column — but wish they did. They'll be part of a tragic, annual statistic of new Lyme disease victims in our commonwealth. Regretfully, every one of them could have gone into the outdoors in total safety with the proper protection. +Total protection from mosquitoes and ticks boils down to religiously wearing permethrin-sprayed clothing. For decades, I've been shielded from malarial mosquitoes, other biting insects, and ticks — especially in dangerous areas like Amazonia, India, Africa — and Martha's Vineyard, by just spraying my clothing in my back yard with permethrin or buying clothing pre-infused with permethrin. Everyone venturing outdoors should do so, too. +I spray my own clothing that's dedicated just for the outdoors with Sawyer Permethrin, which you can buy at Cabela's, Dick's, Walmart, Target, R.E.I., Amazon, and directly from Sawyer. I spray on a sunny, windless day, upwind of my laid-out clothing in the back yard so as not to breathe in any of the spray. Two to four hours of drying of the saturated fabrics hung up on my dogwood and pear trees is normally sufficient. Careful ironing afterward, though not necessary, can make the application even longer lasting. But no matter how much you saturate your fabrics, clothing pre-treated with permethrin at the factory will be protective over a much longer period of time. However, both provide priceless immunity. +Confirming my experience with factory pre-sprayed Insect Shield clothing, a new U.S. government study showed that the garments, which our military has been using for more than three decades, either quickly caused ticks to fall off or rendered them unable to bite. Sprayed on at home, permethrin-treated clothing is protective for six weeks or six washings. Factory-treated clothing provides protection through an amazing 70 washings. +The reason for the huge difference in duration of effectiveness is that the Sawyer permethrin that's available to the public is applied at only .5 percent levels. At that dosage, it has been deemed safe for children or pregnant women. At the factory, the clothing is more saturated with a much higher percentage of permethrin that's not available to the public. +One new service that Insect Shield is offering is spraying clothes that people send in. Treating them professionally means they'll protect you through 70 washings. This service, which costs $9.95 per item, could be of value for not only individuals with special clothing but also teams or companies with uniforms. Garments being sent in have to be washed to be acceptable. Undergarments are not permitted for treatment. Dry clean only items can't be sprayed. +If you want to spray your own clothing, as I do, you can buy Insect Shield permethrin spray for $9.95. It's suggested for footwear, clothing, backpacks and even tents. It repels ticks, fleas, flies, chiggers and spiders for up to 60 days. Unlike DEET, it doesn't harm any fabrics or finishes. One can of spray will treat two outfits. +Storage of treated clothing in the dark prolongs permethrin's effectiveness as ultraviolet light exposure slowly degrades it. Water alone won't wash out permethrin, so you can swim, sweat or be exposed to the rain without shortening its effectiveness. Though not necessary, hand washing is preferable because heavy agitation washing in a washing machine slowly decreases its protection. +If you're unfamiliar with permethrin, it's truly wonderful. Some might appreciatively say with well warranted hyperbole that it's even magical. Chemically, it's a synthetic form of the insect-repelling compound, pyrethrin, which is naturally present in chrysanthemum flowers. Used primarily in insect sprays designed to bond with clothing, not skin, it also can be found in special shampoos and creams that are prescribed to fight severe lice and scabies problems. +Both the Journal of Medical Entomology and the U.S. Center for Disease Control have confirmed permethrin's remarkable protection. While we can't feel or smell permethrin — the latter innocuous quality makes it perfect for deer hunters — ticks reflexively are repelled by it. Further research has shown protective benefits when applied to short-sleeved shirts and short pants. Shoes, socks and boots should be treated for maximum protection. +I always buy Insect Shield's permethrin-impregnated long-sleeved shirts for the tropics, as they're protective against both insects and the sun. The lightweight Ex-Officio shirts and pants conveniently also dry quickly after a rain-forest outburst. If conditions are really bad, I'll spray my face, hands and neck as well with repellents designed for skin protection. +Surprisingly, Sawyer Permethrin can be applied directly to dogs for 35 days of protection from mosquitoes and fleas and six weeks of protection from ticks. (Application instructions for pets can be found at www.sawyer.com/dogs/.) +The best overall repellent to apply on our body is picaridin, which is a synthesized form of piperine, a chemical in pepper sold by several repellent companies. Unlike high quantities of DEET, which could be carcinogenic, picaridin is harmless to humans. In the dangerous tick and mosquito areas, you should spray your clothing with permethrin and your exposed skin with picaridin. That dual strategy should make you immune to attacks. +Sawyer Picaridin (20 percent), which I've been relying mostly on, lasts 12 hours, is more effective than DEET on Central and South American mosquito species, and unlike DEET, won't harm synthetic materials. DEET deteriorated the coating on one safari mate's binoculars. Picaridin is even considered safe for children over six months and pregnant women. In the glove compartment of my Denali, I've got a second container of picaridin spray made by Repel. It's protective for 10 hours. Because of the superiority of picaridin, I'm no longer using DEET products like OFF, Ben's, and Muskol any more, though for decades, they saved me from the ravages of black flies and mosquitoes in Alaska and Labrador. +Back home, we can also be pestered in our yards and on our decks. Thermacell, headquartered in Bedford, has come up with some effective new products to place outdoors to repel mosquitoes and ticks. Working here, they know how to deal with Massachusetts bugs. I've successfully used their Patio Shield, which covers a 15-by-15-foot zone effectively, on my deck at the Cape. It has worked on the hottest, most humid nights by releasing a repellent into the air from a heat-activated mat. Each container comes with a 12-hour butane cartridge and 3 mosquito repelling mats that last four hours each. I found upwind placement of their product to be most effective. +Thermacell's Radius zone mosquito repellent protects a 110-square-foot area, is scent free, uses no spray, and is rechargeable. Refills are available in 12- and 40-hour sizes. It's a durable little unit, great for travel, and placement outside — again best positioned upwind. +Thermacell has also cleverly come out with Tick Control Tubes for eliminating ticks around yards and wooded lots. The tubes, which are filled with permethrin-impregnated nesting material that mice quickly find and take to their nests, are placed flat 10 yards apart on the ground in brushy areas and around rotting logs. Mice are tick magnets. Once the permethrin is brought to the mouse nests, it kills the ticks that collect on the mice. The designed should be applied twice a year between April 1 and mid-September. Best results come from applying just prior to the feeding activity periods for tick nymphs from May through June and larvae from August through September, so if you want to effectively control ticks on your property, you should make an application now. +For years, I've effectively relied on Thermacell's butane product up in a tree stand during the hot, humid September Connecticut opening of bow season. +Whatever products you use, for your clothes, your skin, or your property, after being afield, always check your body immediately after coming home, wash your clothes, and shower, preferably within two hours. With this full-spectrum protection strategy, everyone can go outdoors fearlessly, even in the most infested places, laugh at mosquitoes, and — most importantly — permanently keep ourselves out of the Lyme disease victim statistics. +Calendar +Thursday — Nighthawk Watch at Worcester Airport. Meet at 6 p.m. at Route 56 overlook to Worcester Airport in Leicester. Leader: John Shea, (508) 667-1982, johnshea.1@verizon.net. +Sunday — Fitchburg Sportsmen's Club, Ashburnham. Beginner trap shooting, 9 a.m. to noon. Public welcome. +—Contact Mark Blazis at markblazis@charter.net \ No newline at end of file diff --git a/input/test/Test5023.txt b/input/test/Test5023.txt new file mode 100644 index 0000000..b86ec0f --- /dev/null +++ b/input/test/Test5023.txt @@ -0,0 +1,141 @@ +http://traffic.libsyn.com/mywifequitherjob/MWQHJ221EdRuffin.mp3 Podcast: Download (Duration: 50:28 — 92.4MB) +Today I'm thrilled to have Edward Ruffin on the show. Edward is in charge of sponsored products ads over at Sellers Labs and he was one of the speakers at this past years Sellers Summit. +During the event, I really got to know Edward well and I discovered that the man is truly a sponsored products ads fanatic and he lives and breathes it 24/7. +So today, I brought Edward on the show to talk about the latest and greatest with Amazon ads. Enjoy the show! What You'll Learn How to launch a product today with Sponsored Product Ads Advanced ad features that few people are using How to run headline ads Common mistakes that new advertisers make Other Resources And Books Seller Labs Ignite Sponsors +Klaviyo.com – Klaviyo is the email marketing platform that I personally use for my ecommerce store. Created specifically for ecommerce, it is the best email marketing provider that I've used to date. Click here and try Klaviyo for FREE . +Privy.com – Privy is my tool of choice when it comes to gathering email subscribers for my ecommerce store. They offer easy to use email capture, exit intent, and website targeting tools that turn more visitors into email subscribers and buyers. With both free and paid versions, Privy fits into any budget. Click here and get 15% OFF towards your account. +Pickfu.com – Pickfu is a service that I use to get instant feedback on my Amazon listings. By running a quick poll on your images, titles and bullet points, you can quickly optimize your Amazon listings for maximum conversions. Click here and get 50% OFF towards your first poll. +SellersSummit.com – The ultimate ecommerce learning conference! Unlike other events that focus on inspirational stories and high level BS, the Sellers Summit is a curriculum based conference where you will leave with practical and actionable strategies specifically for an ecommerce business. Click here and get your ticket now before it sells out . Transcript Steve: You're listening to the My wife quit her job Podcast, the place where I bring on successful bootstrapped business owners and delve deeply into what strategies are working and what strategies are not in business. And today I have Ed Ruffin from Seller Labs with me on the show. And Ed is one of my go to guys when it comes to Amazon sponsored product ads, now why? It's because he lives and breathes ads for hundreds of clients every single day, and today we're going to get a lesson from the man himself. +But before we begin, I want to give a quick shout out to Klaviyo who is a sponsor of the show. And I like Klaviyo because they are the email marketing platform that I personally use for my e-commerce store, and I depend on them for over 30% of my revenues. Now if you want to achieve similar results as I have in email marketing, I encourage all of you to attend Klaviyo's upcoming conference on September 13 to the 14th in Boston Massachusetts. This event is the largest in-person gathering ever for the Klaviyo community. With two days and over 30 practical sessions, it is a no fluff, no BS e-commerce marketing conference. Get your ticket at K-L-A-V-I-Y-O.com/Boston. Once again that's K-L-A-V-I-Y-O.com/Boston. +Now I also want to give a shout out to Privy who is also a sponsor of the show. Privy is the tool that I use to build my email list for both my blog and my online store. Now what does Privy do? Privy is a list growth platform and they manage all my email capture forms, and in fact I use Privy hand-in-hand with my email marketing provider. Now there are a bunch of companies out there that will manage your email capture forms, but I like Privy because they specialize in e-commerce. +Right now I'm using Privy to display a cool wheel of fortune pop-up. Basically a user gives their email for a chance to win valuable prices in our store and customers love the gamification aspect of this. And when I implemented this form email signups increased by 131%. So, bottom line, Privy allows me to turn visitors into email subscribers, which I then feed to my email provider to close the sale. So head on over to Privy.com/Steve and try it for free. And if you decide you need some of the more advanced features, use coupon code MWQHJ for 15% off. Once again, that's P-R-I-V-Y.com/Steve. Now onto the show. +Intro: Welcome to the My Wife Quit Her Job Podcast. We will teach you how to create a business that suits your lifestyle, so you can spend more time with your family and focus on doing the things that you love. Here is your host, Steve Chou. +Steve: Welcome to the My Wife Quit her Job Podcast. Today I'm thrilled to have Edward Ruffin on the show. Now Edward is in charge of sponsored product ads over at Seller Labs, and he was actually one of the speakers at this past year's Sellers Summit. And one of the things that I do for speakers on the last day of the event is I hold a special mastermind session for the speakers. +And during that mastermind, I really got to know Ed really well. And I discovered that the man is truly a sponsored product ads fanatic, and he actually lives and breathes it 24/7 and I'm not even exaggerating here. Anyway Today I brought Edward on the show to talk about the latest and the greatest with Amazon and ads. And with that, welcome to show Ed, how you doing today man? +Ed: Doing great. I really want to thank you for having me on Steve, and I can definitely speak back to that, I do live and breathe sponsored product ads. And I am a huge nerd when it comes to advertising on Amazon. And a lot of people can try to knock me for that, but I'll take it with pride. I definitely do wake up and think about ads. And I do it all day every day, and I really enjoyed talking about it at your conference as well. And I just want to — I want to say I'm glad to be here and I'm excited to talk about some things today. +Steve: And you also stay up to the wee hours of the night thinking about sponsored product ads too from what I remember? +Ed: I definitely do, I stay up quite late. I'm always like reaching out to clients and responding to the client emails. And it can be pretty intimidating sometimes to some of my employees, but I tell them like, hey, you don't have to be like me, I just promise, like I'm just get really excited about these things. And I want to get people set up correctly and I want them to succeed in the sponsored product ads. I think it actually; it really makes other people want to do the same thing like within office hours if they need to, like do not really extend yourself too much, by all means. +Steve: So, I've had people already on the show talk about sponsored product ads. So, what I was hoping to do today is let's like skip, just like skip the basic stuff and go straight for the intermediate and advanced tactics. And I know that when you were at the event, so Seller Labs had a booth at the event, instead of like a traditional booth what Edward did was he signed up one on ones with Amazon sellers and he went through their accounts and he told them ways that they could improve their Amazon sponsored product ads. And so, I thought I'd start by asking you, you looked at a whole bunch of people's accounts during those three days and what were some of the common mistakes that you saw and common improvements that could have been made for most Amazon sellers? +Ed: Yeah. So, I saw quite a different array of different people's accounts. I think I met with over well over 20 people; I have like these 20 minutes to dance with them. And it just gave me time to look at their ads and see what they were currently doing, and it really just gave me a chance to peek inside their account and see like what could be done better. I will say some of them, they were like beautiful, and I think they were just as much of a nerd about PPC as I was. So there were a couple of them actually at the conference that I was just like, listen, like you're doing everything great. And this is awesome. Keep at this, here's my card. Let's meet up and geek out together later on about this. +Steve: So you found a new friend. +Ed: Exactly, I found some new friends that were just as nerdy as I was. But there were some things that I did see kind of across the board. And this isn't really limited to just like the people that I met at your conference, this is kind of some things as I see all the time. But in particular at the conference, one of the biggest things I saw was people were running these campaigns and they had them running for quite some time and they had all this data, but then they just didn't know what to do with it. +And really, when I say data it's like they've been running the campaigns for quite some time, they have a lot of keywords, which also leads to a lot of user search terms inside of their campaigns. And they were just like, I don't know what to do, because I had these thousands of search terms, a lot of them are not relevant to my product, and I just don't know what to do to really get the most out of these campaigns. And I kind of looked at him and I was like, that really is a great question because you gain all this data with your sponsored product ads, you have these beautiful campaigns running but then it starts to build up and then you start losing money because you're not diving into your campaigns. +So, one thing I saw pretty much across the board was just a lot of people weren't diving into their campaigns to look at the search terms and they weren't setting these crazy search terms as negatives or anything. And what I really mean by that is, they just kind of had it running and they were hoping for the best, they weren't doing any of the cleanup process that's really required to maximize your profits on your sponsored product ads. +Steve: I can actually relate to that because it's a process, right? It's something that you have to do consistently. And so, you have to get in there and then you have to set these as negatives. And it's a tedious process, because the keywords are constantly appearing, the negatives are constantly appearing. So, I was just curious, do you have like a process for that? +Ed: Yes. I mean, really like whenever my team or I were first starting to manage someone's account, and we were doing the ads for them, when we create some new campaigns, we let them run for like a week or sometimes a little longer than a week just so they can get enough data. And we usually do a first like cleanup process about that time and that's just where we go through their search terms, and we look at the ones that have nothing to do with their product. This does seem like a really daunting task, but it's not honestly because really if you're selling let's just say an apple slicer and I know everybody wants to sell an apple slicer, it's the hottest product in the market right now. +But let's just say that you're selling an apple slicer and you have a campaign running and you're going to start getting these odd search terms. And that's just because Amazon is trying to drive traffic to your product and they're trying to find out exactly what type of traffic converts for your sponsored product ads. But you're going to get these search terms that have nothing to do with their product, you may start seeing terms for mouse or keyboard, or let's just say garlic press or Gatorade or something of that nature. So, it's really easy to just go through and you can pull up your full search term report if you want to, or you can go in at a campaign level inside our tool at night and actually see like the search terms for a particular campaign or a keyword. +And we start cleaning those up by setting those odd phrases as negatives. And this is just really just going through and just seeing things that catch your eye. After about a week or so they may not have enough data to throw up any red flags, but just the term itself can be a huge red flag. And we just go through; we set them as either negative exact or negative phrase keywords. That's also something else a lot of people weren't doing was using both exact and phrase negatives. And we just cleaned it up. We do that initially, just like after the first week or so, and then we continually go back in there and check it every so often to see also if there's just terms that are not converting. +So it's not just the ones that had nothing to do with your product but also if you think that you are getting a lot of traffic for red apple slicer, and it turns out you don't, then you may want to set that certain search term as a negative possibly because it's just leading to a lot of clicks and no conversions by chance. +Steve: So how do when it's an ad problem versus a listing problem? +Ed: That is a wonderful question, it really is. I think the biggest thing is when it comes to it being an ad problem, that's just where you're kind of going after unprofitable keywords and ones that aren't relevant for your product. And that's kind of just like overextending yourself and trying to say, well you know what maybe someone that searches apple peeler will also want to get an apple slicer at the same time. So it's just like having these types of hunches, but not having any data to back it up. And then after a while, you may see, okay, wait a minute, when people search for apple peeler, they want to buy an apple peeler. And you just have to kind of go in there and negate that or like pull the keywords themselves. +So like, that's more like the AdSense like the ad side of that where you're just setting things up kind of for failure without knowing it because you're trying to overextend yourself. When it does come to more of a listing issue, that's when you're noticing that you're constantly showing up for terms that had nothing to do with your product. And that really goes back to Amazon doesn't have someone who is working 24 hours a day who's going through every listing and saying, okay, cool, this is an apple slicer. Okay, cool this is a garlic press. Oh, cool look, this is a monster truck for kids. It's an RC car. Nobody is doing that at Amazon. +So, Amazon looks at your listing and pulls in like the keywords and everything that you have inside of it to really decipher what your product is. And that's where it gets problematic because if you're noticing that you're showing up for all these searches for these random keywords, that means Amazon is trying to drive traffic to these keywords because they think that that's what your product is and that's where it's a listing problem, because that shows that you just didn't pull out your listing correctly and you weren't successful in telling Amazon exactly what your product is, and a lot of people can lose a lot of money that way. +Steve: So what are some other things that you saw that could be improved on some of these accounts? Like you mentioned, a lot of these people that you talked to at the Sellers Summit already knew what they were doing. So what are some things that you spotted that could be improved upon? +Ed: Yeah, I mean, like a lot of them they had done some really great keyword research. They had done the research, they have done all these keywords that they saw that had a lot of traffic going to their products and really were relevant keywords for their product and they had these beautiful campaigns running, but they weren't competitive enough. This is something where it's just really about getting your feet wet and trying to capitalize on the traffic that Amazon is pushing towards you. You have to be competitive. +I've really seen a lot of people that have done the research, they have these awesome keywords, they see the potential for traffic, but then they're bidding like the bare minimum on these keywords. And they're like, I'm just knocking at the traffic that I want and I'm just not getting the conversions that I really need for this product. And the thing is you have to be competitive when you're doing sponsored product ads. I mean, there's no if there, there's no buts or anything about that, you have to be competitive because you want to capitalize on that traffic and you want to show up for those keywords, because you know that you're going to do well for them, why would you not want to show up for them? +And so really, I saw people that were bidding very, very low on the suggested bid range or they were just like, not really adjusting the bids as they need to. And same thing goes for the budget. They were just kind of keeping the budget at a flat rate. And if they were maxing out their budget all day, every day, they were still not increasing it. And that's something else that you… +Steve: How do you know what to bid, how do you know what a high bid is? Do you just take the higher end of the recommended range? +Ed: Yeah, so normally I do that honestly, a lot of times I just see the suggested bid range is really just like what Amazon notices the bids being throughout the day normally. It is just like an estimate. So I never take it 100%, I take it with a grain of salt, of course, just like everything else. But I usually do go towards the higher end of the bid, if not even more than the bid range that they provide. And this is really just a good tactic because you can get more data in a shorter amount of time. And that means you don't have to wait a month before you optimize your campaigns. +You can wait like a week or two instead because you're going to have a lot of data that's coming through, because you were competitive, because you did show up for these keywords, because you did get these clicks. Then you can finally say okay, cool, I got this data really fast. Now I can bring down the bid on the keywords that got clicks, but didn't convert as much, or I can actually pull some of the keywords that got clicks and didn't convert at all. So, I do go towards the higher end of that suggested bid range, and then I adjust it as needed. I'm usually not the type of guy who pauses keywords I'll be honest with you, unless there's no conversion. +So, by starting off with a higher end of the mid range, I can just slowly scale it downwards over time if it's not converting as well as I wanted to. And that helps me maintain my ACOS as well because it helps me control how much I'm actually spending. And this is a much easier approach as opposed to starting off at the bottom end of that range and then slowly going upwards, because that's going to take two or three months to really get where you need to be if you're being really cautious. So I saw people that just weren't being as competitive as I wanted them to. +Of course, this does go back to whatever your budget is, you should work towards that. I don't want to ever tell somebody to spend $30,000 on ads if they don't need to, but it's just willing to kind of play the game a little bit more and be able to work [inaudible 00:14:41] to get that data that you need. +Steve: Sure, I mean this is common with Google AdWords too. You always bid high and you never end up paying what you bid when you bid really high anyways. And you just want to get data as quickly as possible. +Ed: Exactly. Yeah, I mean, it's really just like that you're just telling Amazon okay, I'm willing to spend up to this amount. But I mean, you could be spending like 50 cents less, or like there's probably certain times throughout the day where other people aren't running ads, or they've already met their daily budget and those bids drop, like at certain points of the day, depending on the market that you're in, or like type of category. You may see that like at 6pm, you just you don't have that much going into your ad, but you're still getting great conversions. Maybe that's just because everybody else in that category, their ads went out of budget or people just aren't running ads at that time. +Steve: So when you make adjustments, like how often do you wait, how long do you wait before you look at the data again to make another determination? +Ed: So honestly, I do it every two or three days. And that's just because of the clients that I'm working with. They are high volume and since they are high volume accounts, they do a lot more data that comes in, in a shorter amount of time. But normally I do tell people to look at their accounts two times a week or something like that, maybe a little less sometimes if you just have like a very steady stream where you're kind of more on maintenance mode with your campaigns. You can just look at it maybe once a week and that's just because you don't want to overcrowd your data. +You definitely don't want to smother it, you don't want to look at it every day because you're going to be like well, oh dang, this keyword got 12 clicks today and no conversions and you may see it as a negative or pause it and the next day you get 10 conversions for it. So, I usually look at it every few days. So I'll look at the account and adjust it as I need to. Another tip for that as well is I usually look at like the past two weeks or the past month of data whenever I'm looking at the data. That way it gives me more of a range of the kind of like second scene and it helps me get a better average amounts so I'm not just looking at like one day or two days worth of data. And it allows me to not make such crazy judgmental calls on some of these keywords that I won't mess myself up in the time I have coming forward. +Steve: So for people that are impatient, is there like a certain impression count or clicks, like some sort of guideline that you use before you take any action? +Ed: Yes I mean, so impressions I really just use to make sure that I'm getting seen. I really kind of look at impressions last honestly, just because it didn't cost me anything. It doesn't cost anything to be seen. So, I usually just use impressions as a last like notify of how this keyword is doing. I do primarily look at clicks. Normally, my rule of thumb is I wait so something has at least 10 clicks before I make that judgment call. And what that really means is, I wait until it has 10 clicks to say, okay, should I lower the bid some, should I increase the bid, or should I just go and pause those keywords? +So if I have something that has like 10 clicks and no conversions, I'm like, all right, now this is not working out. I may have wasted like 20, $30 on this keyword and it's just not converting well. At that point if I've gotten 10 clicks, and it's been like a few weeks or so, or something of that nature, I will potentially think about pausing that keyword just because it hasn't converted for me. And the way it's trending, I don't want to keep on spending money on this keyword going forward because I'll potentially be spending more money that's not going to convert for me. +But on the other side, like if I have something that has 10 clicks, and it has like six conversions or seven conversions I'm like, heck yeah, this is doing great. It's converting well, it's providing the traffic and the conversions that I want, I may up the bid some to remain competitive on that keyword going forward. And then the third case, of course is like where you have something that has 10 clicks, and maybe one or two conversions. That's one of the cases where I may just lower the bid because it's still showing that that keyword is profitable. It is giving me the conversions. That's awesome, but it's just not at a really good rate. I want to lower the bid so I'm not spending as much on those conversions that happen every now and then. +And that allows me to maintain my ACOS and make sure I'm not just throwing money at a keyword that's converting once every blue moon, but I'm still showing up for it just not as often as I was before. +Steve: So, as you're running other people's campaigns do you tend to be really aggressive in terms of ACOS, and just try to break even on your ads or even lose money and just let the organic takeover, or do you tend to take more of a stance of being profitable for your sponsored product ads? +Ed: So honestly, the end game is to be as profitable as possible. But it really does depend on exactly what the client wants. That also depends on the category as well. So usually whenever I go into this, I'm completely straight up with the client. I'm like, hey listen, we need to know what you want to do with your account going forward. Do you want to be aggressive? Do you want to spend a little more money and actually lose some money but build up your brand like just like what you're saying Steve and actually get that organic ranking running and moving upwards? Then there's also the way of just breaking even and then being profitable. +So the first thing that we do is we kind of determine their breakeven ACOS on their campaigns so we can kind of know exactly what their account overall ACOS is and their target is and we try to at least break even to begin with. But of course, we try to maintain breakeven at first because there is kind of like a swell upwards of spend at the first segment of running ads, and then we taper back down to be more and more profitable. But it really does depend on the category as well because people that are in things such as the supplement marketplace… +Steve: Yeah sure. +Ed: They are like 100% ACOS. That's fine because they're looking for that return sale, they're playing with the big guns, up on the big guns and they're really trying to get as much traffic as possible to build up brand reputation. But I always do want to be profitable, so I always keep that ACOS goal in mind that I try to always undercut it, and I try to just like trim it down as much as possible so it can get something more of a maintenance mode where I'm just trying to optimize it every now and then. +Steve: Okay, so what are some of the more advanced tactics that you aren't seeing people use that they should be using? +Ed: Yeah, so I mean, one of my favorite is using both auto targeting and manual targeting campaigns. I know that sounds like well hey, everybody does that, everybody knows what those are. They run those all the time. Yeah, they do but it's knowing why you're doing it. That really helps you understand what the benefits of both are. Of course, everybody knows that manual targeting campaigns, you're telling Amazon which you want to show up for, you get that top of page placement if you're really aggressive and you're trying to get that higher bid, so that gives you a unique placement. +But people don't know about auto targeting campaigns as much. People usually will just run auto targeting campaigns just to get the ball rolling, then they pause them, or they archive them completely. And I'm like, no, what are you doing? Keep those running. And the main reason I tell people to keep auto targeting campaigns running is because you get unique placement with auto targeting campaigns. There's placement that you get with auto targeting campaigns that you cannot get with manual targeting campaigns. +And that's huge because some of the placements are like whenever you're looking at a listing, and assess sponsored product items related to this one, those are auto targeting campaigns right there. That's Amazon advertising other people's products on your listing and it's kind of giving you that extra traffic. Also, whenever you add something to your cart on Amazon, there's ads there as well. Those are also auto targeting campaigns. And whenever you actually buy a product, like you've actually spent money on a product and you've already given Amazon money, they're like, oh cool, thank you for buying this product, here's some more ads. Those are also mainly auto targeting campaigns. +So you want to have both of those running like all the time is what I say. I say have them running all the time so you can get all the placements possible. You can show up in the normal search, you can have that top of paid search, be on competitors' listings, the ad to cart, and the actual thank you page as well. Those actually convert really, really well. So, I tell people all the time, you have to run these all the time and you have to kind of be somewhat aggressive with it. +And you really do want to open that up to build out your strategy because especially if you're building out a brand, you want to have that brand recognition, you want people to see your product more and more. You don't want to have just your product showing up on page seven of the search results. You want to see it on page one up top, you want to have a headline search ad as well and also show up on competitor listings. And when people are adding other items to your cart, you want to show up there too. You want to build up that brand recognition so people see and they're like, wait a minute, like this has shown up a lot and it does look pretty nice. They have a nice listing. I actually know what the product is. I may consider buying that because I've seen it so much. So, a lot of people just miss auto targeting campaigns. +Steve: So you bid on the auto campaigns as aggressively as you would on the manual ones is what I'm hearing. +Ed: So you can. Honestly auto targeting campaigns are a heck of a lot cheaper than manual targeting campaigns. And that's just because the placement is different and it's more reliant on Amazon actually driving that traffic. So when I say be aggressive, I'm not saying like bid $20 on a click or on a targeting campaign, but go up to like $1 or $2 depending on the category and you'll see the trend over time to what the actual cost per click is. And that will allow you to kind of gauge exactly what you're spending on average for a click for the auto targeting campaign. Then you can kind of taper down or taper back up if you need to, depending on what that range is that you're seeing for those clicks that you're actually getting. So, it is nice to be more aggressive though in general for sure. +Steve: So you mentioned auto targeting, the ads show up in the headlines? I didn't know that. +Ed: Yeah, I'm sorry. It's just like — it's just using the auto targeting and manual targeting and headline search ads. +Steve: Oh, got it got it. Okay actually let's talk about this for a little bit, the headline search ads. So what is your strategy for those? +Ed: Well, first of all, they are my favorite ad of all time. +Steve: Really, okay. +Ed: Because I get to spread my wings and be creative and make it look beautiful for everybody and everybody loves the ads. But in all honesty, I really do just love headline search ads. I really enjoy first of all there at the top there on the sidebar now, they have some other placements as well now which is awesome. They're not just that top of the page headline search ad that you see or are so used to. But with headline search ads they're so nice, because you get to be more creative. You get to create a headline that's catchy and gets people's attention while also using an image that you want to use. +And what I really mean by that is whenever you're building out a headline search ad, you get to choose the image to the left of the app. You'll have an image and then you'll have the three items that you're advertising. The image over to the left, you can actually choose the lifestyle image of someone actually like using your product or just like a really awesome that has some Photoshop skills behind it, or like has it outside or has somebody using it or something of that nature. You can even have like your logo in it. So that actually leads to better conversion because people see that and they're like, wow, this is a different image. +It's not just like your normal stock photo of a product that has a white background is just really, okay, this is a product, but you actually see someone using it. And whenever a headline search ad is actually viewed on a mobile platform, that may be the only picture that's actually showed to somebody. So that can be like your one chance to actually pull someone in and look at your product. So with headline search ads, they're so important when it comes to building out a brand because you can express your brand more than you do in just like a normal sponsored product ad, because you can have a headline that says like use this to help out with this or a great gift for dad if it's Father's Day or something of that nature. +So you can try these different types of headlines as long as I think they're then like having 50 characters very, very short. But you can express your brand more to kind of show like more what your brand is about and what is pushing while also having an incredible image that you may not have in any of your other ads. And those are awesome, I love them. +Steve: I just want to take a moment to thank Pickfu for being a sponsor of the show. If you currently sell on Amazon like I do, then you know how crucial the quality of your Amazon listing is to the success of your e-commerce business. So for example, I've run experiments on my Amazon listings where simply replacing the main image with a different photo resulted in a 2x increase in conversions. But how do you choose the best and highest converting photos for your listings? How do you know that you're using the most profitable images for your products? And how do you know that your bullet points are convincing. This is where Pickfu comes in. +Pickfu allows you to solicit real human feedback about your Amazon listings in 10 minutes or less. And you can target the exact demographic of your end customer. So for sell napkins and you have two main product images that you want to test. You would simply go to Pickfu, list the images, target female Amazon Prime members over the age of 35 and hit go. Within 10 minutes you'll get feedback of which image people are more likely to buy along with specific feedback on why they made their decision. +In fact, I've used Pickfu to almost double the conversion rate on several of my Amazon listings by testing my images, bullet points, and product titles. And what I like about Pickfu is that you get results quickly unlike traditional split testing, and you can use this to test book covers, landing pages, basically anything. Not only that, but it's super cheap to run a poll and right now you can get 50% off your first poll by going to Pickfu.com/Steve, once again, that's P-I-C-K-F-U.com/Steve. Now back to the show. +How does your strategy differ for headline search ads versus the regular ads? +Ed: So, with headline search ads, there is always a chance that they will not convert as much. When it comes to someone that has a brand for instance, a headline search ad may mainly just be targeting their brand name and some of their primary products they are trying to advertise. When it comes to something like a normal sponsored product ad campaign, I may be thinking about like just the type of keywords that will convert. With a headline search ad, it's more building up that brand awareness. +And I go into it knowing it may not convert at the same type of rate that a sponsored product ad does just because I am advertising more products at a time, and it is kind of going out to a somewhat possibly wider audience. So, every time I do this for a new client I do say hey, just giving you a heads up, it may not convert at the same rate that you are used to with your sponsored product ad, but this is going to help you build that brand and help you show up for these other searches. +And you can also use headline search ads more to target competitor brands. That's something that you can't do as much with sponsored product ads. Like if I'm selling an apple slicer and my brand name is Edwards best apple slicer ever because that's a really good brand name by the way, nobody can take that from me. And let's just say that Joe over here has Joe's best Apple slicer. If I'm doing a sponsored product ad campaign, and I have a manual targeting campaign running, and I'm targeting his brand specifically, I'm not going to convert as well possibly just because I'm just going to have the normal ads that show up. It's just one image. +But if I'm using a headline search ad, and I'm targeting my competitor brand names and other competitors that are in the space or like products, and I'm targeting to show up for the searches with a headline search ad, I'm providing more value to the potential customer that's coming through on Amazon. And they'll see that and they'll see this is like another option to the product; they're going to see the awesome lifestyle image. They're going to see the headline, they'll learn more about the product right there. And then also they're going to see three different images of possibly other products that I'm offering as well. +So they can be used more for a competitive strategy. There's actually a lot of clients that I'm working with right now. There's this one product on Amazon, this one brand that I swear targets every brand on Amazon. It is crazy. And of course, I can't speak about it, but they're just they're very competitive. But it's actually it's really astounding on how wide their competitiveness is because they're using these headline search ads to show up like that. +Steve: So you keep mentioning the word brand with headline search ads, so does that imply that you're willing to break even or take a loss on these for the sake of branding or is the strategy basically still the same in terms of profitability for these ads? I mean, obviously you want to be profitable, but is the strategy different or is the purpose different? +Ed: So, I would say the purpose can be more focused on brand because like of course you have to have Brand Registry 2.0 to actually have headlines search ads. So Amazon is doing this more in the fact of building out these brands. And my stance just my personal stance on headline search ads is more of like breaking even to some profit, but I usually use these to really just kind of target outside of the normal ads that I'm really running. So, I usually go into the space like with a mindset of knowing okay, this won't be as profitable as the normal sponsored product ads normally, just because I'm trying new things like trying to target competitors, and trying to really go out to these other types of products that are on Amazon. +But I mean, like really that being said, if I have a headline search and I'm only targeting my brand name, I'm going to have an ACOS of like 2 or 3%. And I'm going to have awesome profitability because people are searching for my brand and they had this beautiful ad come up, they're going to click on it, it's going to convert more than likely. So it really does depend like how competitive you're being. If you are just using a headline search ad just kind of the same way that you would for a sponsored product ad like just targeting like apple slicer or apple peeler or whatever like that, you can still kind of see the same type of return if you're being kind of really I guess cognizant of what your current bids are and where your range is. +You definitely don't have to go negative when it comes to headline search ads, but really like my team and I we use this to really branch us out and to not steal traffic because that's such a bad word to use steal, but to really try to enhance our brand by reaching out to other potential clients that are – sorry, potential customers that are used to other brands on Amazon. +Steve: Sure. +Ed: So I do kind of, I say that this can be a little less profit usually or it may just be more of a break even just because I want to build up that brand and kind of show people what the brand is capable of. +Steve: So, if you're targeting other brands, does that imply that the copy that you use is a little bit different as well, like do you compare yourself to the brand, or do you use reviews like that? +Ed: So really know no. Amazon is picky when it comes to the headlines that you use honestly, like the headlines can't do any claims that you can't back up. You can't say like world's best or the one and only, or proven the cure of cancer or anything like that. You can't do anything of that nature in the headline or it will be really denied. So like I usually just use the headlines to just say like just a little something about the product, like stay sharp and [inaudible 00:32:57] or something like that, or I don't even know if you can do guarantees like money back guarantee. I don't think you can even do that. But I do something like that. +So right off the bat, someone already sees some type of added value to the product that I'm presenting. And they really learn right off the bat exactly what my brand and my product is about. But one of the cool things about headline search ads is like all the ones that I've ever gotten created and then they were denied and shut down by Amazon with an iron fist, I was able to actually open up a case with Amazon and talk to them about it and they told me exactly why it was denied and what I need to do to fix it, and then I can normally actually resubmit it and it'll get approved. +So, usually it's like a lot of times I tell people to go into it having like five or six different headlines setup and of course split test them, if they all get approved, have them all running simultaneously, or try them like on and off to see what headline converts the best. But that headline is like one of the first ways to kind of throw out the hook for somebody potentially coming to your brand and coming to buy your product. +Steve: Okay, okay, what else you got Edward? +Ed: So, one of my all time favorite tips man is the product placement reports, and what this actually is, this is — it's not really a hidden report but it's one a lot of people don't know about. It's actually report that shows you which ad is getting the top of page placement and if they're converting. And what this is really used for I'll kind of back up a little bit is a lot of people are asking me about bid plus and they're like hey, is bid plus worth it? Should I turn on bid plus? Should I let Amazon just take my money? Should I tell Amazon I'm willing to spend more? Amazon already gets all my money, man Amazon takes a lot of my money, that's coming out here honestly. So my answer… +Steve: Actually if you want to back up and explain bid plus first. +Ed: Yeah. So bid plus is really something that you can turn on at a campaign level. And what it does is it says okay Amazon, I'm willing to allow you to raise my bid up to 50% so I can get that top of page or middle of the page placement on page one for your campaigns that you have running. And the kind of the theory behind this is if your ad is at the top of the page, or actually like kind of like middle of the page sometimes to those are the two that convert really well, then you'll get better conversion rates because it's showing up first, it's kind of blending in with the other top of the page products, the ones that are ranking organically and you're just telling Amazon, you know what, I'm willing to spend more because I feel like my product will convert if I'm getting that top of page placement. +And so, one way to do this is just say, heck yeah, let's turn this on all the campaigns, and see what happens. But that's not my way of doing it because I'm very analytical. I want to see some numbers behind it. So there is a report that you can find in your ad reports. It's a sponsored product ad placement report. And what this does is it shows you the campaigns that are running in a certain time period that you have chosen, and it says okay, this one was at the top of the page, or this one was other. It says other page, it doesn't say like bottom of the page or page seven. I would love it if they did that but it just says top of page or other placement. +And what this allows you to do is it allows you to see if campaigns that have that top of the page placement if they're converting better, if they're actually providing the return that you want. And this is really awesome because then you can say okay cool, on average campaign X, Y and Z really do convert better whenever they are at the top of the page. And if that's the case, I will turn on bid plus for those campaigns. And this is just kind of giving me more, I guess it's backing up my idea more, it's telling me okay, there actually are numbers to back this up. +I can see that this actually is going to work out, and I will turn on bid plus because that will tell Amazon okay, I'm willing to spend more on these campaigns because if it is at the top of page placement, it will lead to better conversions. And of course you're happy about it because you're getting those conversions. The customers are happy because they actually do enjoy your product but especially Amazon is happy. One thing that I see a lot of people get upset about is Amazon spends all this money; they try to drive conversions yadi yada. Amazon is doing that for the customer. +So I want — you will understand that you're willing to spend more because you're willing to actually get your product to a potential customer on Amazon. And if you can back that up with data and see okay cool, I'm at top of the page, and it converts well, I'm willing to spend that extra money to get that top of page placement. And of course it really is a great way to do that to get you kind of a wider range of people looking at your product. +Steve: So, what has been your experience with bid plus because you deal with so many clients, in general what has been your experience versus just increasing the bid altogether? +Ed: So really, it's just, it gives you more control I guess, and it doesn't make its way out to do things a lot more manually. Of course you can go in there, and you can look at your campaigns, you can see if you have like a swell up and conversions that you want to increase your bid, but really bid plus is nice because it'll kind of somewhat guarantee that you'll get that top of page placement if possible, or the middle of the page placement. And I keep on saying top of page or middle of the page because Amazon actually does give you kind of both of those placements for bid plus because it is where the highest conversions happen across the board. +But it just makes it more automatic. You don't have to constantly be monitoring things like that. Of course, you can still go back and look at this ad placement report, and see if you're still getting conversions at that top of page placement. But it really is just an easier way to do this without having to manually adjust bids or like… +Steve: Got it. +Ed: It's on a keyword level, or do it like at a campaign level and then just be like, well, I just wasted all this money. So this allows you to really get more of like a peace of mind knowing that it actually will potentially lead to more conversions for you. +Steve: Okay, so I mean your basic strategy is look at the product placement report, find out the ones that are converting well when they're at the top and then just turn on bid plus for those? +Ed: Right yeah. And I'd say especially for like whenever you do have like a holiday coming up, or if you have a very seasonal item. If you are really like focusing on like just three months of the year, even just one month of the year to make up all your sales, you may want to do this for your advertising just because you want to capitalize on that traffic, especially in Q4 or like if there is just like some sale that you're running for a day, you may want to pop bump that up to the top of the page, that can kind of give you more visibility as well. +So, yeah, bid plus, I used to actually not be a fan of it, because I was one of those guys. I was like, Amazon wants my money. Amazon wants to spend all my money, but then I was like, wait a minute, if I can actually justify this with metrics from a report then heck yeah, I'll go ahead, and do that. That makes 100% sense to me. +Steve: I mean you were just talking about the holidays and that's actually a good segue. Do you do anything different as like prime shopping seasons start? +Ed: Yeah, I mean, so prime shopping is amazing. I mean, the holidays are getting bigger and bigger on Amazon even like they have things like Prime Day I know, then just Q4 is especially huge. I turn up the aggressiveness leading into like those time periods especially for when it comes to Q4 I'll probably be starting that in August I'll be honest with you. +Steve: Interesting okay. +Ed: The real reason why I say that is because we want to have as much organic data before Q4 hits, before q4 takes off so we can know what the traffic was like beforehand. And so, a lot of the different tactics that I use is I will kind of blow out the budgets so we have more room a day. Also be more competitive with the bids, I will increase the bids, but it's just like a one day event or something like that. I will possibly double the bids, and then also double to triple the budgets possibly. And that's just because it makes sure that my ads won't run out of budget because if they run out budget then next thing I know, I'm not being advertised and I cry and I can't sleep at night. +So, I opened it up and I make sure I have that room to spend more. I do have to kind of change the mind frame and have to explain this to the clients is like, hey, we'll be spending more, but you will see higher conversions because people are willing to spend, they are in the mood to spend, and I will just double or triple the budget and same thing with the bids too. This is also a good time to use that product placement report to see if I want to turn on bid plus for some of the campaigns as well, because if they're converting well normally, I definitely want to have bid plus on when it comes to the holidays too. +Steve: So the reason you start so early in August, is that because you're trying to increase the sales velocity leading into the holiday season as well? +Ed: Yes, so definitely just like showing the increase can help with their algorithm and help you with your ranking organically too. And it is harder to do things like launch your product around the time of the holidays because you're still trying to index for certain keywords and you're still trying to find out what Amazon thinks your product is. That's why I say people, telling everybody now optimize your listings, optimize your listings before there's millions and billions and trillions of people on Amazon looking at products, because if you're still showing up for the search for a bicycle and you're selling an Xbox, then something is wrong and you're going to lose a lot of traffic. +So, that's why we start so early, because we can see what the normal traffic trends are. We make sure we're showing up for the right types of terms in our auto targeting campaigns. And we also really want to make sure that our manual targeting campaigns are targeting the correct keywords that are normally converting. And then as we roll into Q4, like in the holidays or any type of events, then we can just kind of blow that out because we have the data to back it up. We've seen it work organically before and also just with our normal sponsored product ads, and then we go into it with more confidence because we've already done the research, already targeted the keywords that we want to target. We're already looking to get better results right off the bat because we've already done the hard work beforehand. +Steve: Okay. I know it at the Sellers Summit; you mentioned some of the more advanced tactics like day partying and that sort of thing. At what point do you start doing that last I guess 2 to 3% of optimizations? +Ed: Yeah. So I mean, day partying honestly, that's something that I would do, I would prepare for that especially before you hit something like Q4 or any type of holiday because day partying if anyone that doesn't understand that, that really is something where you're running your campaigns at a certain time of day. It's not just having them run all day so their budget runs out; it's allowing them to run at only the best time of day for you. Before we actually put this into our tool, this was a very, very manual process. +You had to actually manually go into Seller Central and pause the campaign at a certain time of day and then go back in and re-enable it and it was easy, and I had some people that did that, and I was like you guys awesome. You're very, very meticulous and I love it. But you have got to get some sleep man, because you're waking up to turn on and turn off your ad. So we've built this into Ignite, the tool that we offer, and it allows you to just set the time of day where your ads are going to run. And this means it will actually enable the ad at that time of day and then will end the ad at the time of day that you specify, because we see that everybody's budget resets at 12 midnight on Pacific Standard Time. And most people's budget runs out by 9am PST. +And that just goes to show that people are not really doing the research. They're not seeing what time of day their campaigns are converting the best and they're wasting their budgets. So, what I usually suggest is, this sounds like a lot of work, but I promise it's not. You create multiple campaigns, let's just say you create 24 campaigns and they're all running for one hour of the day. And this allows you to really see exactly what time of day your products are getting the most traffic but also converting the most. So you can create the exact same campaign 24 times or even just 12 times, have it 12 times being two hour segments. And this will allow you to see what time of day is best for that product. +And instead of Ignite, we actually do have a copy campaign button so you don't actually do this yourself. You can just have one created and copy it and you can actually choose the day, the time of day that you actually want it to run. And after a week or two, or more like two weeks, you will have some usable data that shows you okay, at five or 6pm PST, I get the most conversions. So, I may want to make sure I'm really focusing on my traffic, on my campaigns towards the latter part of the day, because that's where I see most of my conversions. Most of the traffic actually coming through is doing well for me, and I may not want to run it in the morning. +And this also helps out if you have like a very, very odd product that only sells at night. Like if you sell coffee, honestly, this can be something as well. You may see people buy coffee more in the morning, or they may buy it at night because they realize, oh crap, I don't have any coffee for tomorrow morning. This is terrible. How am I going to get through work? So you can actually see that trend and that's one thing I really like too is like you can actually see trends in a way that Amazon doesn't really provide you a way to see that yet. +Steve: So, have you found that the bids are cheaper at night then since everyone else has blown their budget by then? +Ed: Yeah, honestly, I've definitely seen that. Normally I do see that bids do go down from like — we see like most conversions from what we've seen happen around three and like towards the evening like six or seven or so because people are actually off work and they're coming home and they're eating and then they're going on Amazon and buying stuff. So, we usually do see that normally people will just leave their budgets wide open and they their campaigns running and people do start running out of budget early in the day, and then as time goes on, since there's less people bidding on those keywords that you're going after those bids drop tremendously. +That's also a good reason to always have an auto targeting campaign running because you can pick up on that traffic where people just aren't bidding anymore, and you can get some really cheap clicks for like 20 to 15 cents and then you get a sale and you're like, heck yeah, my ACOS is 1%. This is wonderful. So like I really do see like towards the end of the day that people do tend to have cheaper cost per clicks on average, and that really is just one of the times that you want to capitalize on for sure. +Steve: Okay. Hey, Edward, I wanted to give you guys a chance or give you a chance to talk about Ignite, and then your versions that are coming out because we've already been chatting for 40 minutes. So, I just want to say for the listeners out there, I'm using Ignite right now to manage my campaigns and I'm kind of excited with some of these new features. Ed, you want to elaborate? +Ed: Yes. So everybody, Ignite has been revamped. It is currently out, it's wonderful. In the previous version of Ignite, it's awesome because it helped you analyze your campaigns. You could do things such as day parting, then it could also get suggestions based on a target ACOS that you have, and this kind of is just like having a mini me or something inside your account saying hey, you should do this or hey, you should lower your bid here. And what we've really done, we've really taken that and we've enhanced it. The biggest update I think first of all is just the UI. +It looks beautiful now, it's a lot easier to navigate and find out exactly what's going on inside of your account. The suggestions are easier to see, they're easier to understand exactly what's going on with the suggestion and why Ignite is telling you that. And also there's more bulk uploads and more bulk changes. So you can do things on a greater scale a lot easier. We had a lot of requests for this where people were having to go through and do things on a keyword by keyword basis. And we've actually opened it up so it's a lot easier to do for more keywords at a time. And really, it's just like I said before, it's beautiful. It is a good looking tool. And I can say that for sure. +And then on top of that, we actually rolled something else out. It's called Ignite Plus. And Ignite Plus is actually aimed for agencies or people that are managing multiple different sponsored product ad accounts simultaneously at the same time. And this is really awesome because you can actually add all the accounts with no problem, but then you can actually set up sub accounts. So then that way if you're an agency and you only want Johnny to see let's say Nesquik's account, I don't know why Nesquik is on my mind, but let's just say you only want John to be able to log into that one account, you can now do that. +That way you don't have to have all your employees going into all the accounts and possibly messing with something else that someone else has done, it allows you to grant access on that level. And also, one of my favorite things is monthly spend notifications. You can actually go into your account and set up monthly spend notification, because even like on my end, a lot of clients want to stay within a certain budget on a monthly basis. And I can know when you're getting to a certain percentage close to that monthly budget. +So, lots of great updates have come out. I am a huge fan of the tool. It's even better than it was before. And I definitely want everybody to check that out, and really just tell us what you think. And definitely reach out to us and tell us if there is anything else that you want or anything that you have as feedback on the tool. We definitely love to hear it. +Steve: Yeah, I know that if you're running ads on Amazon, you pretty much need a tool. Now Ignite just happens to be the one I use and there's other ones out there, but the interface for Amazon is just kind of clunky, and you really need something to help you run your ads. It just makes life so much easier. +Ed: It does. +Steve: Anyway Ed, I just wanted to thank you for coming on the show. As always, you deliver lots of value and I really appreciate you speaking at the summit this past year. +Ed: Well, I definitely appreciate you. Like I said, I really enjoyed that conference. I would love to come back whenever I can. I definitely love nodding out with someone about PPC, but people please do not hit me up like at 12am to just talk about PPC because I'll do it, so you can always hold me to that. But thank you very much Steve for having me on, and I really look forward to speaking with you soon again about PPC as it advances as time goes on. So thank you again. +Steve: Yeah, it sounds good Ed. Take care, man. +Ed: All right. Do the same. +Steve: Hope you enjoyed that episode. Once again there are a lot of people out there that teach Amazon sponsored product ads, but Ed is the one guy I know who actually personally gets his own hands dirty on a bunch of different campaigns. For more information about this episode, go to mywifequitherjob.com/episode221. +And once again I want to thank Privy for sponsoring this episode. Privy is the email capture provider that I personally use to turn visitors into email subscribers. They offer email capture, exit intent, and site targeting tools to make it super simple as well. And I like Privy because it's so powerful, and you can basically trigger custom pop ups for any parameter that is closely tied to your e-commerce store. If you want to give it a try it is free, so head on over to Privy.com/Steve, once again that's P-R-I-V-Y.com/Steve. +I also want to thank Klaviyo which is my email marketing platform of choice for e-commerce merchants. And next month Klaviyo is holding a two day conference for over 400 e-commerce marketers and store owners with an awesome lineup of speakers. They've got experts coming in from Shopify, BigCommerce, Google, Octane.AI, Recharge and top e-commerce agencies plus panels with successful Klaviyo customers and a keynote address by Ezra Firestone. You can find out more about this conference at K-L-A-V-I-Y-O.com/Boston. +Now if you're interested in starting your own e-commerce store, head on over to mywifequitherjob.com and sign up for my free six-day mini course. Just type in your email and I'll send you the course right away. Thanks for listening. Thanks for listening to the My Wife Quit Her Job Podcast where we are giving the courage people need to start their own online business. For more information visit Steve's blog at www.mywifequitherjob.com. I Need Your Help If you enjoyed listening to this podcast, then please support me with an iTunes review. It's easy and takes 1 minute! Just click here to head to iTunes and leave an honest rating and review of the podcast. Every review helps! Click Here To Enter My Monthly Podcast Giveaway Contest absolutely free! Leave a Reply Your email address will not be published. Required fields are marked * Commen \ No newline at end of file diff --git a/input/test/Test5024.txt b/input/test/Test5024.txt new file mode 100644 index 0000000..c5e0944 --- /dev/null +++ b/input/test/Test5024.txt @@ -0,0 +1,18 @@ +Bussiness +By Sharifah Pirdaus Syed Ali and Aishah Afandi +KUALA LUMPUR, Aug 17 (Bernama) – The lower gross domestic product (GDP) growth posted for the second quarter (Q2) of this year, has been attributed to reduced growth in the commodity sector due to external factors which affected Malaysia's exports, said economists. +Sunway University Business School Economics Professor Dr Yeah Kim Leng said the mining and agriculture sectors were open to various challenges and uncertainties, leading to fluctuations based on market demand. +"However, both commodities, will pick up again in the next quarter as the dust has settled from the unexpected outcome of the 14th General Elections, as well as when China-US trade tensions subside," he told Bernama. +The US and China will be resuming talks on trade next week. It comes two months after the US imposed tariffs on Chinese products and the White House said it was open to discussions on structural issues. +"Both countries are well aware of the repercussion of a full blown trade war and investors are hoping for a positive outcome from the talks," Yeah said. +He was also positive that the next quarter (Q3) would be better, boosted by the continued growth in the services and manufacturing sectors. +With the country now in a better position, he said domestic private investments and foreign direct investments would soon return to support the local economy. +"Confidence is up. Backed by higher domestic spending following a tax holiday and an increase in spending on consumer-related products, we expect better growth in Q3," Yeah added. +Meanwhile, FXTM Global Head of Currency Strategy and Market Research Jameel Ahmad in a statement said the GDP would likely accelerate some underlying concerns from the overall growth outlook. +"We are starting to see what could be a trend of emerging market growth in the Southeast Asian region which is trending lower. The GDP reading from Singapore last week also missed expectations," he said. +Singapore's economic growth slowed to 3.8 per cent in the second quarter from a year ago as momentum in both the manufacturing and services sectors, reportedly due to the growing risks from US-China trade tensions. +"The ongoing trade war concerns and the underlying political risk from the unpredictability of US President Donald Trump's administration is an ongoing theme that investors have to continuously monitor. +"It does certainly hold the potential to have a negative impact on economic growth," Jameel said. +Earlier Friday, Bank Negara Malaysia (Malaysian central bank) announced that Malaysia's registering a slower 4.5 per cent growth for Q2 of 2018 compared with 5.8 per cent in the same period last year. +Governor Nor Shamsiah Mohd Yunus said Malaysia's economy is expected to remain on a steady growth path going forward with growth supported mainly by private sector consumption and investments. +-- BERNAM \ No newline at end of file diff --git a/input/test/Test5025.txt b/input/test/Test5025.txt new file mode 100644 index 0000000..c2c3427 --- /dev/null +++ b/input/test/Test5025.txt @@ -0,0 +1,26 @@ +0 +SAN FRANCISCO — In the history of California wildfires there has never been anything like it: A churning tornado filled with fire, the size of three football fields. Recently released video from Cal Fire shows the most intense tornado ever in California history that trapped and killed a firefighter in Redding last month, CBS San Francisco reports . +An official report describes in chilling detail the intensity of the rare fire phenomenon and how quickly it took the life of Redding firefighter Jeremy Stoke, who was enveloped in seconds as he tried to evacuate residents on July 26. - Advertisement - +Three videos released with the report late Wednesday show the massive funnel of smoke and flames in a populated area on the edge of Redding, about 250 miles north of San Francisco. +The smoke-and-fire tornado was about 1,000 feet wide at its base and shot approximately 7.5 miles into the sky; it reached speeds of up to 165 mph, with temperatures that likely exceeded 2,700 degrees Fahrenheit, said the report by the California Department of Forestry and Fire Protection. +The actual vortex is visible in the video released by Cal Fire, CBS San Francisco reports. Even for fire researchers like Craig Clements, the director at the SJSU Fire Weather Research Lab, who had seen fire whirls before, it was an extraordinary event. +"You can clearly see the winds going like this and the circulations right here," said Clements. "It's an incredible sight." +The tornado exploded in the middle of what was already a gigantic, devastating wildfire that started on July 23 with a spark from a vehicle driving on a flat tire. Stoke is one of eight people killed since the blaze started and destroyed nearly 1,100 homes. It was 76 percent contained as of Thursday. +A 17-year veteran of the fire department, Stoke was familiar with the dangers of wildfires. But this was unprecedented. +"There have been several documented instances of a fire whirl in California," said Jonathan Cox, a Cal Fire battalion chief. "But this is the largest documented fire whirl – a fire-generated tornado – in California history." +The 37-year-old fire inspector was driving his pickup truck down a Redding road, working on evacuating people from the larger blaze, when he radioed out a "mayday" call, according to the report. +Stoke said he "needed a water drop and was getting burned over," the report said. +Then Stoke's transmissions abruptly stopped. +An engine captain who heard the call asked for Stoke's location. There was no response. +Fire dispatchers tried to locate him by "pinging" his cellphone. +Stoke's remains were not found until the next day, and it took more time to analyze the ferocity of the tornado that ripped roofs off houses and flung power line towers, cars and a shipping container into the air near the spot where Stoke was overtaken by the flames, according to the report. +A confluence of weather conditions likely contributed to the tornado, including a combination of record heat in the Sacramento Valley – it reached 113 degrees Fahrenheit in Redding that day – and cool high-speed winds coming from the coast, the report said. +"It was something out of this world, a perfect storm," Gary Parmely, who was Stoke's stepfather and raised him from the time he was a child, told the AP in a telephone interview Thursday. "It was incompatible with life, and he happened to drive into it." +Parmely said he has driven out several times to the site where Stoke died. American flags, flowers and a framed picture of Stoke have been left in memoriam. +"The loss of Jeremy broke the heart of this community, not just his family," Parmely said. Stoke leaves behind a wife and two children. Stoke was on vacation with his best friend in Idaho but cut the trip short, Parmely said. +"He came back early to help fight this fire." +The report also detailed the death of private bulldozer operator Don Smith, 81, of Pollock Pines, who was killed when his bulldozer was caught in the flames while trying to improve a fire line, defending a home, during what the officials say were "extraordinary fire weather conditions." +Both deaths occurred within an hour and 50 minutes in one 3-mile (5-kilometer) stretch of the Carr Fire, which is one of several massive wildfires in California this year. +The Carr Fire jumped the fire line and a Cal Fire crew chief said he made several radio attempts to tell Smith to "get out of there." Two firefighters in the area also "recognized the urgency of the situation" and tried to reach Smith on foot, but had to turn back because of the encroaching flames. +Smith reported that he was cut off by the fire and was pushing on in his 2002 John Deere open cab bulldozer in an attempt to reach a safe area. He also requested water drops and four helicopters began dropping water through the smoke and flames around Smith's last known location. +Once the smoke cleared, a pilot saw that Smith's dozer had been engulfed in flames and there was no sign of the protective metallic tent that firefighters deploy as a desperate measure when they are about to be overrun by fire. After two attempts, a fire captain was able to reach the bulldozer two hours later and confirmed that Smith was dead. SHAR \ No newline at end of file diff --git a/input/test/Test5026.txt b/input/test/Test5026.txt new file mode 100644 index 0000000..7367686 --- /dev/null +++ b/input/test/Test5026.txt @@ -0,0 +1 @@ +Press release from: Market Research Hub A newly compiled business intelligent report, titled "Global Smart Airports Market Size, Status and Forecast 2018-2025" has been publicized to the vast archive of Market Research Hub (MRH) online repository. The study revolves around the analysis of (Smart Airports Market) market, covering key industry developments and market opportunity map during the mentioned forecast period. This report further conveys quantitative & qualitative analysis on the concerned market, providing a 360 view on current and future market prospects. As the report proceeds, information regarding the prominent trends as well as opportunities in the key geographical segments have also been explained, thus enabling companies to be able to make region-specific strategies for gaining competitive lead.Request Free Sample Report: www.marketresearchhub.com/enquiry.php?type=S&repid=1873068 This report focuses on the global Smart Airports status, future forecast, growth opportunity, key market and key players. The study objectives are to present the Smart Airports development in United States, Europe and China.A smart airports system comprises solutions, devices and components, and services that automates and optimizes the usage of airways infrastructure to carry out advanced functions. It has several components like passenger reservation and information systems, freight operations information systems, air traffic management, operations and baggage and check in management, IP-based security monitoring, communications, ticketing, and airways analytics. Asia-Pacific is anticipated to grow at the highest CAGR during the forecast period, owing to factors such as upcoming new greenfield airport projects and expansion of existing airports. In 2017, the global Smart Airports market size was xx million US$ and it is expected to reach xx million US$ by the end of 2025, with a CAGR of 6.1% during 2018-2025.The key players covered in this study Honeywel \ No newline at end of file diff --git a/input/test/Test5027.txt b/input/test/Test5027.txt new file mode 100644 index 0000000..3bbc7b2 --- /dev/null +++ b/input/test/Test5027.txt @@ -0,0 +1,13 @@ +ANKARA, Turkey -- Turkey and the United States exchanged new threats of sanctions Friday, keeping alive a diplomatic and financial crisis that is threatening the economic stability of the NATO country . Turkey's lira fell once again after the trade minister, Ruhsar Pekcan, said Friday that her government would respond to any new trade duties, which U.S. President Donald Trump threatened in an overnight tweet. +Trump is taking issue with the continued detention in Turkey of American pastor Andrew Brunson, an evangelical pastor who faces 35 years in prison on charges of espionage and terror-related charges. +Trump wrote in a tweet late Thursday: "We will pay nothing for the release of an innocent man, but we are cutting back on Turkey!" +Turkey has taken advantage of the United States for many years. They are now holding our wonderful Christian Pastor, who I must now ask to represent our Country as a great patriot hostage. We will pay nothing for the release of an innocent man, but we are cutting back on Turkey! +— Donald J. Trump (@realDonaldTrump) August 16, 2018 He also urged Brunson to serve as a "great patriot hostage" while he is jailed and criticized Turkey for "holding our wonderful Christian Pastor." +Turks are smashing iPhones to protest Trump +U.S. Treasury chief Steve Mnuchin earlier said the U.S. could put more sanctions on Turkey. +The United States has already imposed sanctions on two Turkish government ministers and doubled tariffs on Turkish steel and aluminum imports. Turkey retaliated with some $533 million of tariffs on some U.S. imports - including cars, tobacco and alcoholic drinks - and said it would boycott U.S. electronic goods. +"We have responded to (U.S. sanctions) in accordance to World Trade Organization rules and will continue to do so," Pekcan told reporters on Friday. +Turkey's currency, which had recovered from record losses against the dollar earlier in the week, was down about 6 percent against the dollar on Friday, at 6.17. +Turkey's finance chief tried to reassure thousands of international investors on a conference call Thursday, in which he pledged to fix the economic troubles. He ruled out any move to limit money flows - which is a possibility that worries investors - or any assistance from the International Monetary Fund. +Investors are concerned that Turkey has amassed high levels of foreign debt to fuel growth in recent years. And as the currency drops, that debt becomes so much more expensive to repay, leading to potential bankruptcies. +Also worrying investors has been President Recep Tayyip Erdogan's refusal to allow the central bank to raise interest rates to support the currency, as experts say it should. Erdogan has tightened his grip since consolidating power after general elections this year \ No newline at end of file diff --git a/input/test/Test5028.txt b/input/test/Test5028.txt new file mode 100644 index 0000000..412815a --- /dev/null +++ b/input/test/Test5028.txt @@ -0,0 +1,6 @@ +Tweet +Shares of Deutsche Telekom AG (OTCMKTS:DTEGY) have received an average recommendation of "Hold" from the nine analysts that are presently covering the stock, Marketbeat.com reports. One equities research analyst has rated the stock with a sell rating, three have given a hold rating and five have issued a buy rating on the company. +Several research analysts recently commented on DTEGY shares. Zacks Investment Research raised Deutsche Telekom from a "sell" rating to a "hold" rating in a research report on Monday, May 14th. DZ Bank reissued a "buy" rating on shares of Deutsche Telekom in a research report on Thursday, May 17th. Citigroup raised Deutsche Telekom from a "neutral" rating to a "buy" rating in a research report on Friday, July 27th. Finally, ValuEngine cut Deutsche Telekom from a "hold" rating to a "sell" rating in a research report on Tuesday, May 22nd. Get Deutsche Telekom alerts: +Shares of OTCMKTS DTEGY opened at $15.89 on Tuesday. Deutsche Telekom has a 52 week low of $15.03 and a 52 week high of $18.96. The company has a quick ratio of 0.67, a current ratio of 0.75 and a debt-to-equity ratio of 1.16. The company has a market cap of $74.25 billion, a P/E ratio of 10.88 and a beta of 0.68. Deutsche Telekom (OTCMKTS:DTEGY) last issued its quarterly earnings results on Thursday, August 9th. The utilities provider reported $0.31 EPS for the quarter. Deutsche Telekom had a return on equity of 16.04% and a net margin of 4.52%. The firm had revenue of $21.91 billion during the quarter, compared to analysts' expectations of $21.49 billion. equities research analysts anticipate that Deutsche Telekom will post 1.1 EPS for the current year. +About Deutsche Telekom +Deutsche Telekom AG, together with its subsidiaries, provides integrated telecommunication services worldwide. The company operates through five segments: Germany, United States, Europe, Systems Solutions, and Group Development. It offers fixed-network services, including voice and data communication services based on fixed-network and broadband technology; and sells terminal equipment and other hardware products, as well as services to resellers \ No newline at end of file diff --git a/input/test/Test5029.txt b/input/test/Test5029.txt new file mode 100644 index 0000000..ef01d91 --- /dev/null +++ b/input/test/Test5029.txt @@ -0,0 +1,7 @@ +Spain's LaLiga announces agreement to play matches in North America Xinhua | Updated: 2018-08-17 11:16 Barcelona's Argentinian forward Lionel Messi (C) carries the cup as they celebrate at the end of the Spanish Super Cup final between Sevilla FC and FC Barcelona at Ibn Batouta Stadium in the Moroccan city of Tangiers on August 12, 2018. [Photo/VCG] +MADRID - The Spanish Football League (LaLiga) on Thursday confirmed an agreement that will see Spanish league games placed in the United States, with one game likely to be played in the new season which kicks off on Friday. +The agreement between LaLiga and multinational, sports and entertainment group, Relevent, is a "15-year, equal joint venture to promote soccer in the US and Canada. As part of the agreement, LaLiga plans to bring a regular season club match to the United States, the first to be played outside of Europe," explained LaLiga in a press communique. +The communique adds that the organization "will work to cultivate soccer culture in the US and Canada using the unequalled assets of LaLiga," saying "North America will be exposed to the unparalleled Spanish soccer culture, renowned for its passion, drama, history, flair and creativity." +There will also be "related activities including youth academies, development of youth soccer coaches, marketing agreements, consumer activations and exhibition matches." +LaLiga President, Javier Tebas said his organization was "devoted to growing the passion for soccer around the world. This ground-breaking agreement is certain to give a major impulse to the popularity of the beautiful game in the US and Canada." +The Spanish players union AFE, rapidly expressed their unhappiness at the agreement and have issued a statement saying LaLiga has taken the decision without "asking the opinion of the players... without thinking about the health and the risks to the players," or "the feelings" of the supporters whose clubs are "obliged to play in North America once a season." Related Storie \ No newline at end of file diff --git a/input/test/Test503.txt b/input/test/Test503.txt new file mode 100644 index 0000000..485ec1b --- /dev/null +++ b/input/test/Test503.txt @@ -0,0 +1,36 @@ +By Michael Traikos, Postmedia Network +LONDON, Ont. — At his peak, Eric Lindros was an unstoppable force. +A power forward who blended strength and skill like no other before him or since, he built a Hall of Fame career on playing physically. +But after a series of concussions forced him to retire from the NHL in 2007, the 45-year-old has a different view on how the game should be played. +Speaking at See The Light, a concussion symposium at Western University on Thursday, Lindros said it's time for the NHL to seriously think about removing body contact from the game. +It's a drastic suggestion — one that a 20-year-old Lindros would probably roll his eyes at. But if implemented, it could save the next generation from going through what Lindros and many other retired players are now dealing with, while also keeping the best parts of the sport intact. +"Let's get right to it," said Lindros. "You talk about me playing. I love hockey and I continue playing hockey. But it's funny; the hockey I was playing all those years was really physical and I have just as much fun (these days), but we don't run into one another. We're still having as much fun, the same enjoyment of it. +"We know concussions are down in a league without contact." +Lindros is speaking not only as a player who suffered several debilitating concussions over the course of his career — something he said left him "quite bitter" — but also as a father and a person who does not want anyone else to go through what he did. He's not alone. +Ken Dryden did not play the game like Lindros did. But the retired Hall of Fame goaltender called upon commissioner Gary Bettman to embrace his role as a "decision maker" and implement a rule that would effect real change. +"Concussions are going to happen," said Dryden. "The question is how can they be reduced significantly? That is where the focus needs to be … we want desperately for the answer to be equipment. There's a hit to the head, you put a better helmet on. But it doesn't work." +Ken Dryden addresses hundreds (including Eric Lindros in the front row) at the See The Line concussion symposium at Western University in London, Ont. on Thursday August 16, 2018. Derek Ruttan/The London Free Press/Postmedia Network +Lindros' and Dryden's comments came on a day when the NHLPA announced a joint donation of $3.125-million to be allocated toward concussion research. But while doctors and specialists at the symposium spoke of better ways in which to treat and diagnose head injuries, Dryden said the simpler solution is to avoid concussions in the first place. +"Is that which is being done anywhere close to the dimensions of the problem? That's the real question. And the answer is no," said Dryden. "The problem is science takes time and the games are being played tomorrow. You need to make decisions now." +Eric Lindros sounds alarm on head injuries Amid bevy of head shots, NHL attempts to explain rationale Indeed, while the league has made strides in attempting to reduce hits to the head and blind-side collisions, the game is as physical as it's ever been because of the speed of its players and the pace of play. +Don't believe it? Watch video of the 1980s or 1990s, when players hooked and held each other in the neutral zone, preventing anyone from gaining top speed before delivering a check. Or go back and view black-and-white footage from the 1950s. +That's what Dryden did while conducting research for his book, Game Change: The Life and Death of Steve Montador and the Future of Hockey. +Some might call them the glory days. According to Dryden, it was more like the glacial days. +"They were unbelievably slow," said Dryden. "And I started timing the shifts of the players. And the average shift for a player was two minutes. That was the nature of the game then … and what happens when you have a game that moves that slow — and it has to move that slow because you're on the ice that much longer — you get coasting, circling, bursting, coasting, coasting and then you go off. +"There's all kinds of space, there's all kinds of time. There are many fewer collisions … There was no such phrase of 'finishing your check.' That was the nature of the game. As the years have gone on, the shifts have shortened and the speed has increased." +By comparison, today's game is a "relay race," said Dryden. +"You pass the baton to the next player and it's another 38 (-second shift). For 60 seconds, you don't stop. It means there's much less time, much less space and much more collisions and much more forceful collisions." +And it's getting faster. And faster. +Sure, you can improve the technology on helmets and instruct players on where they can and cannot hit. And scientists can figure out ways in which to better diagnose and treat head injuries. Or, as Lindros and Dryden suggested, the league can take away hitting altogether and put the focus simply on a player's skill. +After all, it's already happening on its own. The days of players such as Lindros running around and hitting everything that moved are coming to an end. +Last year's leading scorer was Connor McDavid. And no one seemed to mind that he had just 28 hits — 226 fewer than teammate Milan Lucic. +"Look, the league is going to do what it wants to do until it's put to task, whether in the courtroom or the boardroom," said Lindros. "I still think more things can happen at the pro end." +NHLPA 'STEPPED UP' WITH DONATION +It was in 2015 when Eric Lindros approached the NHL Players' Association with the idea of starting a fundraising challenge for concussion research. Three years later, the goal of $3.125-million has been met. +"Our community stepped up in a big way," said NHLPA Northeast Division representative Rob Zamuner. "The board was just really excited to be a part of this. And I want to make sure that it's understood that it's just not hockey. This is something for the general population. It's great for grassroots hockey, but it's also great for grassroots ping pong or piano or whatever it might be. +"Eric's obviously gone through the issue himself. But he's not focused just on hockey. He's got kids. This is a societal thing." +The NHLPA initially donated $500,000 as a gift to Western University's researchers at Schulich Medicine & Dentistry and Robarts Research Institute, with the remaining $2.65 million coming from donors in the community. +According to Zamuner, this is just the beginning. +"I think it's fair to say that the landscape has changed," he said. "But we still need to move it forward and not stop here. We don't want this to be a one-and-done." +mtraikos@postmedia.com +twitter.com/Michael_Traiko \ No newline at end of file diff --git a/input/test/Test5030.txt b/input/test/Test5030.txt new file mode 100644 index 0000000..57cbf16 --- /dev/null +++ b/input/test/Test5030.txt @@ -0,0 +1 @@ +Press release from: Orian Research Quick Service Restaurant (QSR) IT Market The global quick service restaurants (QSR) IT market is primarily gaining from the increasing need of quick service restaurants to devise new ways of revenue generation to beat competition which is rising at a rapid pace. Today, QSRs are innovating and adopting solutions such as digital signage, point of sales solutions, digital menu cards, handheld devices, and kiosks in a bid to offer differentiated services. Apart from this, the rising adoption of mobile payment solutions is also stoking growth of QSR IT market. This requires quick service restaurants to be equipped with a robust and up to date IT infrastructure.Get Sample copy @ – www.orianresearch.com/request-sample/605403 Scope of the Report: This report studies the Quick Service Restaurant (QSR) IT market status and outlook of Global and major regions, from angles of players, countries, product types and end industries; this report analyzes the top players in global market, and splits the Quick Service Restaurant (QSR) IT market by product type and applications/end industries.The Quick Service Restaurant (QSR) IT market is very fragmented, there are so many players in the world. The key players are like Verifone Systems, NCR Corporation, Cognizant, PAR Technology Corporation, NEC Display Solutions etc. The big players are from United States, EU and Japan.Complete report on Quick Service Restaurant (QSR) IT Market report spread across 130 pages, profiling 14 companies and supported with tables and figures. Inquire more @ www.orianresearch.com/enquiry-before-buying/605403 Development policies and plans are discussed as well as manufacturing processes and cost structures are also analyzed. This report also states import/export consumption, supply and demand Figures, cost, price, revenue and gross margins. The report focuses on global major leading Quick Service Restaurant (QSR) IT Industry players providing information such as company profiles, product picture and specification, capacity, production, price, cost, revenue and contact information. Upstream raw materials and equipment and downstream demand analysis is also carried out. The Quick Service Restaurant (QSR) IT industry development trends and marketing channels are Analysis of Quick Service Restaurant (QSR) IT Industry Key Manufacturers: • Verifone Systems In \ No newline at end of file diff --git a/input/test/Test5031.txt b/input/test/Test5031.txt new file mode 100644 index 0000000..6a5be65 --- /dev/null +++ b/input/test/Test5031.txt @@ -0,0 +1 @@ +· Southeast Asia· IndiaWorldwide Threat Intelligence Solution Market Analysis to 2025 is a specialized and in-depth study of the Threat Intelligence Solution industry with a focus on the global market trend. The report aims to provide an overview of global Threat Intelligence Solution market with detailed market segmentation by product/application and geography. The global Threat Intelligence Solution market is expected to witness high growth during the forecast period. The report provides key statistics on the market status of the Threat Intelligence Solution players and offers key trends and opportunities in the market.Also, key Threat Intelligence Solution market players influencing the market are profiled in the study along with their SWOT analysis and market strategies. The report also focuses on leading industry players with information such as company profiles, products and services offered, financial information of last 3 years, key development in past five years.Reason to Buy- Highlights key business priorities in order to assist companies to realign their business strategies.- The key findings and recommendations highlight crucial progressive industry trends in the Threat Intelligence Solution market, thereby allowing players to develop effective long term strategies.- Develop/modify business expansion plans by using substantial growth offering developed and emerging markets.- Scrutinize in-depth global market trends and outlook coupled with the factors driving the market, as well as those hindering it.- Enhance the decision-making process by understanding the strategies that underpin commercial interest with respect to products, segmentation and industry verticals.Get Avail Discount @ www.qyresearchgroups.com/check-discount/90841 \ No newline at end of file diff --git a/input/test/Test5032.txt b/input/test/Test5032.txt new file mode 100644 index 0000000..aa5fce3 --- /dev/null +++ b/input/test/Test5032.txt @@ -0,0 +1 @@ +Navjot Singh Sidhu arrives in Pakistan for Imran's oath-taking ceremony August 17, 2018 0 3 Former Indian cricketer-turned-politician Navjot Singh Sidhu arrived in Pakistan on Friday to attend the oath-taking ceremony of prime minister-in-waiting Imran Khan. Sidhu arrived in Lahore via Wagah border and will travel to Islamabad for the oath-taking ceremony scheduled for August 18. Speaking to reporters in Lahore, Sidhu welcomed the 'change' in Pakistan brought about by the advent of the Imran Khan-led Pakistan Tehreek-e-Insaf government. "I have come to Pakistan on my friend's [Imran] invitation. These are very special moments," Sidhu said. "Hindustan jeevey, Pakistan jeevey!" he chanted. The ex-cricketer said athletes and artists erase distances [between countries]. "I have come here bearing the message of love," he added. Imran, a former Pakistan Test captain who founded PTI in 1996, is expected to be sworn in as prime minister on Saturday after his party swept the July 25 general elections. Earlier this week, former Indian captain Kapil Dev said he will not be attending the oath-taking ceremony, citing 'personal reasons'. Dev was one of the three cricketers from India invited to attend the leader's swearing-in ceremony, along with Sidhu and Sunil Gavaskar. Gavaskar also declined Imran's invite due to his commentary commitments for the ongoing Test series between England and India. The newly-elected members of the National Assembly will vote for the country's next prime minister today. Imran Khan is contesting against Pakistan Muslim League-Nawaz president Shehbaz Sharif, but the race is believed to have been won by the PTI nominee already due to a fallout among opposition parties. \ No newline at end of file diff --git a/input/test/Test5033.txt b/input/test/Test5033.txt new file mode 100644 index 0000000..82a1e1a --- /dev/null +++ b/input/test/Test5033.txt @@ -0,0 +1 @@ +Corporate M-learning Market Global Key Players 2018-2023 : NetDimensions, Saba Software, Adobe Systems, DominKnow, City & Guilds, Desire2Learn, CERTPOINT Systems Press release from: ReportsWeb Corporate M-learning M-learning refers to technologies and applications installed in mobile devices to facilitate learning and sharing of information. It is gaining popularity among employees and companies as the advanced features of mobile devices lend good support to daily business activities. M-learning helps overcome time and location constraints imposed by classroom-based learning sessions. It enables rich interaction among trainers and learners, which enhances search capabilities, and enables effective learning.The report begins from overview of Industry Chain structure, and describes industry environment, then analyses market size and forecast of Corporate M-learning by product, region and application, in addition, this report introduces market competition situation among the vendors and company profile, besides, market price analysis and value chain features are covered in this report.Request sample report at: www.reportsweb.com/inquiry&RW00012190557/sample Product Type Coverage (Market Size & Forecast, Major Company of Product Type etc.) : Technical Non-technicalCompany Coverage (Sales Revenue, Price, Gross Margin, Main Products etc.) : NetDimensions, Saba Software, Adobe Systems, DominKnow, City & Guilds, Desire2Learn, CERTPOINT Systems, Allen Interactions, Aptara, Articulate, Intuition, Kallidus, Learning Pool, Meridian Knowledge SolutionsApplication Coverage (Market Size & Forecast, Different Demand Market by Region, Main Consumer Profile etc.) : Small EnterprisesRegion Coverage (Regional Output, Demand & Forecast by Countries etc.) : North Americ \ No newline at end of file diff --git a/input/test/Test5034.txt b/input/test/Test5034.txt new file mode 100644 index 0000000..deebb2a --- /dev/null +++ b/input/test/Test5034.txt @@ -0,0 +1 @@ +• Eastern Software Systems Pvt. Ltd.(India), • Certicom Corp.,(Canada), • Among others.Competitive Analysis:Global asset management system market is highly fragmented and the major players have used various strategies such as new product launches, expansions, agreements, joint ventures, partnerships, acquisitions, and others to increase their footprints in this market. The report includes market shares of asset management system market for global, Europe, North America, Asia Pacific and South America.Global Asset Management System Market, By Solution (RFID, RTLS, GPS and Barcode), By Asset Type (Electronics Assets, Returnable Transport Assets, In-Transit Equipment, Manufacturing Assets and Personnel), and Industry, By Geography (North America, South America, Europe, Asia-Pacific, Middle East and Africa)– Industry Trends and Forecast to 2025Table Of Contents Available For This Market Request For TOC Here@ databridgemarketresearch.com/toc/?dbmr=global-asset-manag... Market Definition: Global Asset Management System MarketAsset management system is that type of system which is applicable to both the tangible assets and tangible asset. There are various benefits of asset management system, such as improving asset value, improving asset performance, enhancing the business growth, reliable decision making in organisation and others. In terms of local government asset management system (AMS), this system has two important contexts, namely software and management system. In software it helps in organising its assets, while management system helps to establish the asset management policy and asset management objectives.Companies such as Honeywell International, Inc. (U.S.), provides solution to asset management system which can get monitored easily. It is applicable to control the system asset in organisation of both tangible and intangible asset.Hence, Due to various advantages of asset management system in organisation it will affect the growth of market in future.Key Questions Answered in Global Asset management system Report:-Our Report offers:-• What will the market growth rate, Overview and Analysis by Type of Global Asset management system in 2025?• What are the key factors driving, Analysis by Applications and Countries Global Asset management system?• What are Dynamics, This Overview Includes Analysis of Scope, and price analysis of top Vendors Profiles of Global Asset management system?• Who are Opportunities, Risk and Driving Force of Global Asset management system? • Who are the opportunities and threats faced by the vendors in Global Asset management system? Business Overview by Type, Applications, Gross Margin and Market Share• What are the Global Asset management system opportunities, market risk and market overview of the Market?Questions? We'll Put You on the Right Path Request Analyst Call @ databridgemarketresearch.com/toc/?dbmr=global-asset-manag... Major Market Drivers and Restraints:• Rising demand for asset management solutions (RFID, RTLS, barcode) from industries• Increase in the demand for image-based solutions in the barcode scanner market• Optimum resource utilization by efficient asset tracking and management• High initial cost and significant maintenance expenditureMarket Segmentation: Global Asset Management System Market• The global asset management system market is segmented based on solution, asset type and geographical segments.• Based on offerings, the global asset management system market is segmented into RFID, RTLS, GPS and barcode• On the basis of asset type, the global asset management system market segmented into electronics assets, returnable transport assets, in-transit equipment, manufacturing assets and personnel.• Based on geography, the global asset management system market report covers data points for 28 countries across multiple geographies namely North America & South America, Europe, Asia-Pacific and, Middle East & Africa. Some of the major countries covered in this report are U.S., Canada, Germany, France, U.K., Netherlands, Switzerland, Turkey, Russia, China, India, South Korea, Japan, Australia, Singapore, Saudi Arabia, South Africa and, Brazil among others.Key Reasons to Purchase:• To gain insightful analyses of the market and have comprehensive understanding of the Global Asset management system and its commercial landscape.• Assess the Asset management system production processes, major issues, and solutions to mitigate the development risk.• To understand the most affecting driving and restraining forces in the Asset management system and its impact in the Global market.• Learn about the market strategies that are being adopted by leading respective organizations.• To understand the future outlook and prospects for Global Asset management system.Note: If You Have Any Special Requirements, Please Let Us Know And We Will Offer You The Report As You Want.Customization With Discount Available On This Report @ databridgemarketresearch.com/inquire-before-buying/?dbmr=... About Us: Data Bridge Market Research set forth itself as an unconventional and neoteric Market research and consulting firm with unparalleled level of resilience and integrated approaches. We are determined to unearth the best market opportunities and foster efficient information for your business to thrive in the market. Data Bridge endeavorsto provide appropriate solutions to the complex business challenges and initiates an effortless decision-making process.Contact \ No newline at end of file diff --git a/input/test/Test5035.txt b/input/test/Test5035.txt new file mode 100644 index 0000000..a41dd2a --- /dev/null +++ b/input/test/Test5035.txt @@ -0,0 +1,6 @@ +Alaska man faces life in prison for Florida airport shooting Curt Anderson, The Associated Press Friday Aug 17, 2018 at 6:00 AM +MIAMI (AP) " An Alaska man faces a life prison sentence in the January 2017 Florida airport shooting that left five people dead and six wounded. +Sentencing is set Friday for 28-year-old Esteban Santiago, who pleaded guilty in May to 11 charges in a plea deal in which prosecutors agreed not to seek the death penalty. Santiago, of Anchorage, Alaska, admitted he opened fire with a handgun in a baggage area at Fort Lauderdale-Hollywood International Airport. +The agreement calls for a life prison sentence plus 120 years. +An Iraq war veteran, Santiago is diagnosed as schizophrenic but was found competent to understand legal proceedings. +Santiago initially told the FBI after the shooting he was under government mind control, then switched to unfounded claims he acted in support of the Islamic State extremist group \ No newline at end of file diff --git a/input/test/Test5036.txt b/input/test/Test5036.txt new file mode 100644 index 0000000..c1302fa --- /dev/null +++ b/input/test/Test5036.txt @@ -0,0 +1,11 @@ + George Bondi on Aug 17th, 2018 // No Comments +Equities research analysts predict that Ferrari NV (NYSE:RACE) will post earnings of $0.77 per share for the current fiscal quarter, according to Zacks Investment Research . Zero analysts have provided estimates for Ferrari's earnings, with estimates ranging from $0.76 to $0.77. Ferrari posted earnings of $0.87 per share in the same quarter last year, which suggests a negative year-over-year growth rate of 11.5%. The firm is scheduled to announce its next earnings report on Thursday, November 1st. +According to Zacks, analysts expect that Ferrari will report full year earnings of $3.17 per share for the current year, with EPS estimates ranging from $3.13 to $3.20. For the next financial year, analysts forecast that the company will report earnings of $3.44 per share, with EPS estimates ranging from $3.38 to $3.50. Zacks' earnings per share averages are a mean average based on a survey of research analysts that follow Ferrari. Get Ferrari alerts: +Ferrari (NYSE:RACE) last announced its quarterly earnings results on Wednesday, August 1st. The company reported $1.00 earnings per share (EPS) for the quarter, beating the Zacks' consensus estimate of $0.90 by $0.10. The business had revenue of $906.00 million during the quarter, compared to the consensus estimate of $925.46 million. Ferrari had a net margin of 17.18% and a return on equity of 72.38%. The business's revenue was down 1.5% compared to the same quarter last year. During the same quarter last year, the firm posted $0.72 EPS. +Several research firms have weighed in on RACE. Zacks Investment Research upgraded shares of Ferrari from a "sell" rating to a "buy" rating and set a $154.00 target price for the company in a report on Tuesday, May 8th. Credit Suisse Group raised their target price on shares of Ferrari from $150.00 to $156.00 and gave the company an "outperform" rating in a report on Friday, May 4th. Morgan Stanley raised their target price on shares of Ferrari from $105.00 to $110.00 and gave the company an "underweight" rating in a report on Tuesday, May 22nd. ValuEngine upgraded shares of Ferrari from a "hold" rating to a "buy" rating in a report on Saturday, June 2nd. Finally, Goldman Sachs Group began coverage on shares of Ferrari in a report on Friday, May 25th. They set a "neutral" rating for the company. One research analyst has rated the stock with a sell rating, four have given a hold rating and five have issued a buy rating to the company. The company currently has a consensus rating of "Hold" and an average target price of $136.57. +NYSE:RACE opened at $120.50 on Tuesday. The company has a quick ratio of 2.71, a current ratio of 3.36 and a debt-to-equity ratio of 2.00. Ferrari has a twelve month low of $103.65 and a twelve month high of $149.85. The stock has a market cap of $22.79 billion, a price-to-earnings ratio of 37.77, a price-to-earnings-growth ratio of 2.20 and a beta of 1.28. +A number of large investors have recently bought and sold shares of RACE. Canada Pension Plan Investment Board grew its holdings in shares of Ferrari by 17.1% during the second quarter. Canada Pension Plan Investment Board now owns 2,623,805 shares of the company's stock worth $356,889,000 after buying an additional 383,000 shares in the last quarter. Amundi Pioneer Asset Management Inc. grew its holdings in shares of Ferrari by 66.1% during the first quarter. Amundi Pioneer Asset Management Inc. now owns 1,153,572 shares of the company's stock worth $139,028,000 after buying an additional 459,151 shares in the last quarter. WCM Investment Management CA grew its holdings in shares of Ferrari by 8.9% during the first quarter. WCM Investment Management CA now owns 1,133,358 shares of the company's stock worth $136,592,000 after buying an additional 92,191 shares in the last quarter. Northern Trust Corp grew its holdings in shares of Ferrari by 11.4% during the first quarter. Northern Trust Corp now owns 616,593 shares of the company's stock worth $74,311,000 after buying an additional 63,287 shares in the last quarter. Finally, Swiss National Bank grew its holdings in shares of Ferrari by 0.6% during the second quarter. Swiss National Bank now owns 582,984 shares of the company's stock worth $79,073,000 after buying an additional 3,279 shares in the last quarter. Hedge funds and other institutional investors own 32.32% of the company's stock. +About Ferrari +Ferrari N.V., through with its subsidiaries, designs, engineers, produces, and sells luxury performance sports cars. The company offers sports cars, GT cars, special series cars, limited edition supercars, limited editions series, and one-off cars; and open air roadsters and two-seater mid-rear-engined roadsters. +Get a free copy of the Zacks research report on Ferrari (RACE) +For more information about research offerings from Zacks Investment Research, visit Zacks.com Receive News & Ratings for Ferrari Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Ferrari and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test5037.txt b/input/test/Test5037.txt new file mode 100644 index 0000000..d173508 --- /dev/null +++ b/input/test/Test5037.txt @@ -0,0 +1,8 @@ +Tweet +Credit Suisse Group set a $40.00 price target on Aimmune Therapeutics (NASDAQ:AIMT) in a research note released on Monday, MarketBeat reports. The firm currently has a buy rating on the biotechnology company's stock. +Several other brokerages also recently weighed in on AIMT. Cantor Fitzgerald restated a buy rating and set a $64.00 price objective on shares of Aimmune Therapeutics in a research report on Wednesday, May 9th. BidaskClub upgraded shares of Aimmune Therapeutics from a sell rating to a hold rating in a research report on Tuesday, July 17th. Wedbush restated an outperform rating and set a $72.00 price objective on shares of Aimmune Therapeutics in a research report on Wednesday, May 30th. Zacks Investment Research downgraded shares of Aimmune Therapeutics from a buy rating to a hold rating in a research report on Friday, May 11th. Finally, ValuEngine upgraded shares of Aimmune Therapeutics from a buy rating to a strong-buy rating in a research report on Tuesday, May 22nd. Two analysts have rated the stock with a hold rating, eight have given a buy rating and one has issued a strong buy rating to the stock. The stock currently has a consensus rating of Buy and a consensus price target of $52.89. Get Aimmune Therapeutics alerts: +Shares of Aimmune Therapeutics stock opened at $27.90 on Monday. Aimmune Therapeutics has a 52-week low of $18.74 and a 52-week high of $42.00. The company has a market capitalization of $1.66 billion, a P/E ratio of -10.69 and a beta of -0.24. Aimmune Therapeutics (NASDAQ:AIMT) last issued its quarterly earnings results on Wednesday, August 8th. The biotechnology company reported ($0.91) earnings per share (EPS) for the quarter, missing analysts' consensus estimates of ($0.86) by ($0.05). equities research analysts forecast that Aimmune Therapeutics will post -3.53 EPS for the current fiscal year. +In related news, CFO Eric Bjerkholt acquired 1,600 shares of Aimmune Therapeutics stock in a transaction dated Wednesday, June 13th. The stock was acquired at an average price of $30.41 per share, for a total transaction of $48,656.00. The acquisition was disclosed in a legal filing with the SEC, which is available at this hyperlink . Also, insider Douglas T. Sheehy sold 3,296 shares of Aimmune Therapeutics stock in a transaction on Tuesday, May 22nd. The shares were sold at an average price of $33.00, for a total transaction of $108,768.00. The disclosure for this sale can be found here . Insiders have sold a total of 364,493 shares of company stock valued at $11,580,119 in the last 90 days. Insiders own 14.70% of the company's stock. +Several institutional investors have recently made changes to their positions in the company. Schroder Investment Management Group increased its holdings in shares of Aimmune Therapeutics by 50.2% in the 2nd quarter. Schroder Investment Management Group now owns 44,136 shares of the biotechnology company's stock valued at $1,207,000 after acquiring an additional 14,760 shares during the period. California Public Employees Retirement System increased its holdings in shares of Aimmune Therapeutics by 50.3% in the 2nd quarter. California Public Employees Retirement System now owns 58,455 shares of the biotechnology company's stock valued at $1,572,000 after acquiring an additional 19,560 shares during the period. MetLife Investment Advisors LLC increased its holdings in shares of Aimmune Therapeutics by 19.1% in the 2nd quarter. MetLife Investment Advisors LLC now owns 20,346 shares of the biotechnology company's stock valued at $547,000 after acquiring an additional 3,261 shares during the period. Metropolitan Life Insurance Co. NY increased its holdings in shares of Aimmune Therapeutics by 21.1% in the 2nd quarter. Metropolitan Life Insurance Co. NY now owns 14,369 shares of the biotechnology company's stock valued at $386,000 after acquiring an additional 2,501 shares during the period. Finally, Ardsley Advisory Partners acquired a new position in shares of Aimmune Therapeutics in the 2nd quarter valued at $202,000. 80.16% of the stock is currently owned by institutional investors and hedge funds. +About Aimmune Therapeutics +Aimmune Therapeutics, Inc, a clinical-stage biopharmaceutical company, develops and commercializes product candidates for the treatment of peanut and other food allergies. Its lead Characterized Oral Desensitization ImmunoTherapy product candidate is AR101, an investigational biologic for the treatment of patients with peanut allergy \ No newline at end of file diff --git a/input/test/Test5038.txt b/input/test/Test5038.txt new file mode 100644 index 0000000..f342ddd --- /dev/null +++ b/input/test/Test5038.txt @@ -0,0 +1,10 @@ +Tweet +Bowling Portfolio Management LLC boosted its position in Ligand Pharmaceuticals Inc. (NASDAQ:LGND) by 57.8% during the second quarter, Holdings Channel reports. The institutional investor owned 5,047 shares of the biotechnology company's stock after purchasing an additional 1,849 shares during the quarter. Bowling Portfolio Management LLC's holdings in Ligand Pharmaceuticals were worth $1,046,000 as of its most recent SEC filing. +Other institutional investors have also recently made changes to their positions in the company. Rhumbline Advisers increased its holdings in shares of Ligand Pharmaceuticals by 4.3% during the 2nd quarter. Rhumbline Advisers now owns 53,548 shares of the biotechnology company's stock worth $11,094,000 after acquiring an additional 2,215 shares during the last quarter. Navellier & Associates Inc increased its holdings in shares of Ligand Pharmaceuticals by 8.9% during the 2nd quarter. Navellier & Associates Inc now owns 9,849 shares of the biotechnology company's stock worth $2,040,000 after acquiring an additional 808 shares during the last quarter. Zurcher Kantonalbank Zurich Cantonalbank increased its holdings in shares of Ligand Pharmaceuticals by 20.4% during the 2nd quarter. Zurcher Kantonalbank Zurich Cantonalbank now owns 1,326 shares of the biotechnology company's stock worth $275,000 after acquiring an additional 225 shares during the last quarter. Sei Investments Co. increased its holdings in shares of Ligand Pharmaceuticals by 83.4% during the 2nd quarter. Sei Investments Co. now owns 25,061 shares of the biotechnology company's stock worth $5,193,000 after acquiring an additional 11,395 shares during the last quarter. Finally, Commonwealth of Pennsylvania Public School Empls Retrmt SYS acquired a new position in shares of Ligand Pharmaceuticals during the 2nd quarter worth approximately $934,000. Get Ligand Pharmaceuticals alerts: +A number of research analysts recently weighed in on the company. Stephens reissued a "buy" rating and set a $248.00 target price on shares of Ligand Pharmaceuticals in a report on Wednesday, August 8th. Roth Capital reissued a "neutral" rating on shares of Ligand Pharmaceuticals in a report on Wednesday, August 8th. They noted that the move was a valuation call. Craig Hallum boosted their target price on Ligand Pharmaceuticals from $230.00 to $260.00 and gave the stock a "buy" rating in a report on Tuesday, August 7th. HC Wainwright reissued a "buy" rating and set a $249.00 target price on shares of Ligand Pharmaceuticals in a report on Tuesday, August 7th. Finally, BidaskClub upgraded Ligand Pharmaceuticals from a "buy" rating to a "strong-buy" rating in a research note on Thursday, June 28th. One investment analyst has rated the stock with a sell rating, two have issued a hold rating, five have assigned a buy rating and one has given a strong buy rating to the company. The stock currently has a consensus rating of "Buy" and a consensus target price of $200.67. In related news, Director John L. Lamattina sold 4,000 shares of the business's stock in a transaction on Monday, June 4th. The stock was sold at an average price of $194.51, for a total value of $778,040.00. Following the completion of the sale, the director now directly owns 24,956 shares in the company, valued at approximately $4,854,191.56. The transaction was disclosed in a filing with the Securities & Exchange Commission, which is accessible through the SEC website . Also, Director John W. Kozarich sold 2,500 shares of the business's stock in a transaction on Monday, July 2nd. The shares were sold at an average price of $207.48, for a total value of $518,700.00. Following the completion of the sale, the director now owns 28,642 shares of the company's stock, valued at $5,942,642.16. The disclosure for this sale can be found here . Insiders own 7.80% of the company's stock. +LGND opened at $239.66 on Friday. The firm has a market capitalization of $5.12 billion, a P/E ratio of 93.25, a PEG ratio of 1.69 and a beta of 0.91. Ligand Pharmaceuticals Inc. has a 1 year low of $123.11 and a 1 year high of $255.38. The company has a quick ratio of 2.32, a current ratio of 2.34 and a debt-to-equity ratio of 0.96. +Ligand Pharmaceuticals (NASDAQ:LGND) last released its quarterly earnings results on Monday, August 6th. The biotechnology company reported $2.59 earnings per share (EPS) for the quarter, beating the Thomson Reuters' consensus estimate of $2.34 by $0.25. The business had revenue of $90.00 million during the quarter, compared to the consensus estimate of $82.20 million. Ligand Pharmaceuticals had a return on equity of 25.95% and a net margin of 52.10%. The firm's quarterly revenue was up 221.4% on a year-over-year basis. During the same period in the previous year, the company posted $0.67 EPS. research analysts expect that Ligand Pharmaceuticals Inc. will post 5.74 EPS for the current fiscal year. +About Ligand Pharmaceuticals +Ligand Pharmaceuticals Incorporated, a biopharmaceutical company, focuses on developing and acquiring technologies that help pharmaceutical companies to discover and develop medicines worldwide. Its commercial programs include Promacta, an oral medicine that increases the number of platelets in the blood; Kyprolis and Evomela, which are used to treat multiple myeloma; Baxdela, a captisol-enabled delafloxacin-IV for the treatment of acute bacterial skin and skin structure infections; Nexterone, a captisol-enabled formulation of amiodarone; Noxafil-IV, a captisol-enabled formulation of posaconazole for IV use; Carnexiv, which is indicated as replacement therapy for oral carbamazepine formulations; bazedoxifene for the treatment of postmenopausal osteoporosis; commercial pericardial repair and CanGaroo envelope extracellular matrix products; Exemptia for autoimmune diseases; Vivitra for breast cancer; and Bryxta for non-small cell lung cancer. +Read More: What does EPS mean? +Want to see what other hedge funds are holding LGND? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Ligand Pharmaceuticals Inc. (NASDAQ:LGND). Receive News & Ratings for Ligand Pharmaceuticals Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Ligand Pharmaceuticals and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test5039.txt b/input/test/Test5039.txt new file mode 100644 index 0000000..2b20554 --- /dev/null +++ b/input/test/Test5039.txt @@ -0,0 +1 @@ +• Others. There are 15 Chapters to deeply display the global Embedded Non-Volatile Memory market. Chapter 1, to describe Embedded Non-Volatile Memory Introduction, product scope, market overview, market opportunities, market risk, market driving force; Chapter 2, to analyze the top manufacturers of Embedded Non-Volatile Memory, with sales, revenue, and price of Embedded Non-Volatile Memory, in 2016 and 2017; Chapter 3, to display the competitive situation among the top manufacturers, with sales, revenue and market share in 2016 and 2017; Chapter 4, to show the global market by regions, with sales, revenue and market share of Embedded Non-Volatile Memory, for each region, from 2013 to 2018; Chapter 5, 6, 7, 8 and 9, to analyze the market by countries, by type, by application and by manufacturers, with sales, revenue and market share by key countries in these regions; Chapter 10 and 11, to show the market by type and application, with sales market share and growth rate by type, application, from 2013 to 2018; Chapter 12, Embedded Non-Volatile Memory market forecast, by regions, type and application, with sales and revenue, from 2018 to 2023; Chapter 13, 14 and 15, to describe Embedded Non-Volatile Memory sales channel, distributors, traders, dealers, Research Findings and Conclusion, appendix and data source. About Us Orian Research is one of the most comprehensive collections of market intelligence reports on the World Wide Web. Our reports repository boasts of over 5 + industry and country research reports from over 100 top publishers. We continuously update our repository so as to provide our clients easy access to the world's most complete and current database of expert insights on global industries, companies, and products. We also specialize in custom research in situations where our syndicate research offerings do not meet the specific requirements of our esteemed clients. Contact Us: Vice President – Global Sales & Partner Relations Orian Research Consultants US: +1 (832) 380-8827 | UK: +44 0161-818-8027 Email: Follow Us on LinkedIn: www.linkedin.com/company-beta/13281002/ This release was published on openPR. News-ID: 1185566 • Views: 36 Permanent link to this press release: Please set a link in the press area of your homepage to this press release on openPR. openPR disclaims liability for any content contained in this release. (0) You can edit or delete your press release here: More Releases from Orian Researc \ No newline at end of file diff --git a/input/test/Test504.txt b/input/test/Test504.txt new file mode 100644 index 0000000..2a9312d --- /dev/null +++ b/input/test/Test504.txt @@ -0,0 +1,9 @@ +Tweet +Aperio Group LLC boosted its stake in Darling Ingredients Inc (NYSE:DAR) by 3.7% during the second quarter, HoldingsChannel.com reports. The fund owned 198,440 shares of the company's stock after purchasing an additional 7,158 shares during the quarter. Aperio Group LLC's holdings in Darling Ingredients were worth $3,945,000 at the end of the most recent reporting period. +A number of other institutional investors also recently added to or reduced their stakes in DAR. Vigilant Capital Management LLC acquired a new stake in Darling Ingredients in the 2nd quarter valued at $104,000. United Capital Financial Advisers LLC acquired a new stake in Darling Ingredients in the 1st quarter valued at $173,000. Cubist Systematic Strategies LLC grew its stake in Darling Ingredients by 85.0% in the 1st quarter. Cubist Systematic Strategies LLC now owns 11,125 shares of the company's stock valued at $192,000 after acquiring an additional 5,112 shares during the period. Vivaldi Capital Management LLC purchased a new position in Darling Ingredients in the 1st quarter valued at $199,000. Finally, Atria Investments LLC purchased a new position in Darling Ingredients in the 1st quarter valued at $202,000. 99.46% of the stock is currently owned by hedge funds and other institutional investors. Get Darling Ingredients alerts: +Shares of DAR stock opened at $19.59 on Friday. The company has a debt-to-equity ratio of 0.72, a quick ratio of 1.13 and a current ratio of 1.90. The firm has a market capitalization of $3.30 billion, a price-to-earnings ratio of 81.63 and a beta of 1.37. Darling Ingredients Inc has a fifty-two week low of $15.56 and a fifty-two week high of $20.96. Darling Ingredients (NYSE:DAR) last announced its quarterly earnings data on Wednesday, August 8th. The company reported $0.11 earnings per share for the quarter, meeting analysts' consensus estimates of $0.11. The company had revenue of $846.65 million for the quarter, compared to analyst estimates of $868.36 million. Darling Ingredients had a return on equity of 6.01% and a net margin of 4.99%. The firm's revenue for the quarter was down 5.4% on a year-over-year basis. During the same quarter last year, the firm posted $0.05 EPS. sell-side analysts expect that Darling Ingredients Inc will post 1.1 EPS for the current year. +A number of brokerages have weighed in on DAR. Zacks Investment Research lowered Darling Ingredients from a "hold" rating to a "sell" rating in a report on Monday. JPMorgan Chase & Co. raised their price objective on Darling Ingredients from $19.00 to $21.00 and gave the company a "neutral" rating in a report on Friday, August 10th. Finally, BMO Capital Markets raised their price objective on Darling Ingredients from $20.00 to $22.00 and gave the company a "market perform" rating in a report on Friday, August 10th. One investment analyst has rated the stock with a sell rating, three have assigned a hold rating and four have given a buy rating to the company. The company presently has a consensus rating of "Hold" and an average price target of $20.71. +Darling Ingredients Company Profile +Darling Ingredients Inc develops, produces, and sells natural ingredients from edible and inedible bio-nutrients. The company operates through three segments: Feed Ingredients, Food Ingredients, and Fuel Ingredients. It offers a range of ingredients and customized specialty solutions for customers in the pharmaceutical, food, pet food, feed, industrial, fuel, bioenergy, and fertilizer industries. +Recommended Story: Leveraged Buyout (LBO) Explained +Want to see what other hedge funds are holding DAR? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Darling Ingredients Inc (NYSE:DAR). Receive News & Ratings for Darling Ingredients Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Darling Ingredients and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test5040.txt b/input/test/Test5040.txt new file mode 100644 index 0000000..889d584 --- /dev/null +++ b/input/test/Test5040.txt @@ -0,0 +1,13 @@ +11:31 Follow @@mbdyson Lost receipts and unclaimed costs mean UK employees are likely missing out on £962 million in expense reimbursement, according to new research. +A study by Barclaycard for the 50 th anniversary of the launch of the first corporate credit card shows the average value of unclaimed expenses totalled £123 per person among those that have failed to submit their expenses. +Despite the growing popularity of corporate cards, 48 per cent of employees still use their own money to cover business costs. +The news comes after Conferma estimated UK employees are essentially 'lending' their companies £321 million through expenses. +Almost six in ten of those polled by Barclaycard have failed to file their expenses, with 37 per cent saying the value is 'too low to be worth the hassle' and 33 per cent saying they simply lost the receipt needed for the claim. +Barclaycard's research found a raft of interesting changes in expense behaviour in the last 50 years. +Rather worryingly, less than one in five (16 per cent) of respondents have access to a corporate card. It's understandable, then, that 49 per cent of employees are frustrate by having to pay for business expenses out of their own pocket and waiting for reimbursement. +As a result, 37 per cent of Barclaycard respondents experienced cash flow problems and one in ten had missed a payment on a personal credit card while waiting for their company to pay them back. +However, respondents said they were happy to claim for even the smallest expense, with £7.36 being the average lowest claim. Nearly half said they believe any spending during the working day, including coffee, can be considered a business expense and should be claimed. One in six also said they even claim for items costing under a pound. +Despite this, UK employees gave a long list of chores they'd rather do over filling out a manual expense claim, including taking care of the weekly shop, taking the bins out and cleaning the house, among others. +Annie Shaw, personal finance expert, said: "It's now 50 years since a credit card in the name of a business, rather than a consumer, came on to the market – so it's eye-opening that, after all this time, only one in five UK workers who incur expenses have access to one. With some resorting to paying out of their own pocket to cover company costs, it's clear action needs to be taken to prevent employees footing the bill. However, the responsibility also lies with the individual and there are several simple steps everyone can take to make sure they claim back any business costs they've paid for. +"It may sound simple, but my main advice for those who submit expenses is to make sure it's done on time. It's also important to hang on to receipts – making use of email receipts where possible for ease – and trying to make regular time in the working week to go through the process. There are also several ways businesses can make it easier for workers to complete their expenses, including providing corporate credit cards and encouraging them to submit claims on time." +barclaycard.co.u \ No newline at end of file diff --git a/input/test/Test5041.txt b/input/test/Test5041.txt new file mode 100644 index 0000000..a55ebf3 --- /dev/null +++ b/input/test/Test5041.txt @@ -0,0 +1,8 @@ +EU okays 144 million euro Danish renewable energy schemes Reuters Staff +1 Min Read +BRUSSELS (Reuters) - EU state aid regulators approved on Friday three Danish renewable energy schemes, worth a total 144 million euros ($164 million), as part of the Scandinavian country's goal of loosening its dependence on fossil fuels by 2050. +The three projects will support electricity production from wind and solar this year and next. Danish aid will be granted for 20 years. +One is a 112-million-euro scheme which involves onshore and offshore wind turbines and solar installations. A second, worth 27 million euros, is for onshore wind test and demonstration projects. +The third project, with a 5-million-euro budget, is a transitional measure for onshore wind. +The European Commission said the Danish aid was in line with the bloc's state aid and environmental objectives. +Reporting by Foo Yun Che \ No newline at end of file diff --git a/input/test/Test5042.txt b/input/test/Test5042.txt new file mode 100644 index 0000000..9ee21bd --- /dev/null +++ b/input/test/Test5042.txt @@ -0,0 +1,8 @@ +Tweet +FTB Advisors Inc. boosted its holdings in Toyota Motor Corp (NYSE:TM) by 168,650.0% in the second quarter, HoldingsChannel reports. The institutional investor owned 3,375 shares of the company's stock after purchasing an additional 3,373 shares during the quarter. FTB Advisors Inc.'s holdings in Toyota Motor were worth $435,000 at the end of the most recent reporting period. +A number of other hedge funds have also modified their holdings of TM. IHT Wealth Management LLC increased its stake in Toyota Motor by 110.6% in the 1st quarter. IHT Wealth Management LLC now owns 857 shares of the company's stock worth $108,000 after buying an additional 450 shares in the last quarter. Kiley Juergens Wealth Management LLC purchased a new stake in Toyota Motor in the 2nd quarter worth $125,000. Cornerstone Wealth Management LLC purchased a new stake in Toyota Motor in the 2nd quarter worth $128,000. Rainier Group Investment Advisory LLC purchased a new stake in Toyota Motor in the 1st quarter worth $130,000. Finally, Quantbot Technologies LP purchased a new stake in Toyota Motor in the 1st quarter worth $135,000. Institutional investors and hedge funds own 0.71% of the company's stock. Get Toyota Motor alerts: +A number of equities research analysts have issued reports on TM shares. Goldman Sachs Group upgraded Toyota Motor from a "neutral" rating to a "buy" rating in a research note on Friday, June 1st. Zacks Investment Research upgraded Toyota Motor from a "hold" rating to a "buy" rating and set a $142.00 price target for the company in a research note on Thursday, May 31st. ValuEngine lowered Toyota Motor from a "buy" rating to a "hold" rating in a research note on Saturday, May 26th. Finally, Daiwa Capital Markets upgraded Toyota Motor from a "neutral" rating to an "outperform" rating in a research note on Friday, June 1st. One equities research analyst has rated the stock with a sell rating, four have issued a hold rating and four have given a buy rating to the stock. The stock presently has an average rating of "Hold" and an average price target of $139.50. TM opened at $122.76 on Friday. Toyota Motor Corp has a 52 week low of $111.29 and a 52 week high of $140.99. The stock has a market cap of $182.51 billion, a price-to-earnings ratio of 8.16, a P/E/G ratio of 1.45 and a beta of 0.74. The company has a quick ratio of 0.87, a current ratio of 1.01 and a debt-to-equity ratio of 0.53. +About Toyota Motor +Toyota Motor Corporation designs, manufactures, assembles, and sells passenger vehicles, minivans and commercial vehicles, and related parts and accessories. It operates through Automotive, Financial Services, and All Other segments. The company offers hybrid cars under the Prius, Alphard, Vellfire, Sienta, RX-HV, Auris, Prius PHV, C-HR, LC, Camry, JPN TAXI, Avalon, Corolla HB, Crown, and Century names; fuel cell vehicles under the MIRAI and SORA names; and conventional engine vehicles, including subcompact and compact cars under the Corolla, Yaris, Vitz, Aygo, Prius C, Aqua, Passo, Roomy, Tank, Etios, Vios, AGYA, Rush, and Yaris iA names. +Featured Article: What is the NASDAQ? +Want to see what other hedge funds are holding TM? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Toyota Motor Corp (NYSE:TM). Receive News & Ratings for Toyota Motor Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Toyota Motor and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test5043.txt b/input/test/Test5043.txt new file mode 100644 index 0000000..c904eec --- /dev/null +++ b/input/test/Test5043.txt @@ -0,0 +1,12 @@ + Francis Steltz on Aug 17th, 2018 // No Comments +Engineers Gate Manager LP purchased a new stake in shares of Evertec Inc (NYSE:EVTC) in the second quarter, according to its most recent disclosure with the Securities and Exchange Commission. The firm purchased 51,226 shares of the business services provider's stock, valued at approximately $1,119,000. Engineers Gate Manager LP owned approximately 0.07% of Evertec at the end of the most recent reporting period. +A number of other hedge funds have also added to or reduced their stakes in EVTC. BlackRock Inc. increased its stake in shares of Evertec by 99.6% in the 1st quarter. BlackRock Inc. now owns 7,779,713 shares of the business services provider's stock valued at $127,198,000 after buying an additional 3,881,373 shares during the period. Pzena Investment Management LLC acquired a new stake in shares of Evertec in the 1st quarter valued at $25,681,000. Millennium Management LLC increased its stake in shares of Evertec by 22.0% in the 1st quarter. Millennium Management LLC now owns 1,306,064 shares of the business services provider's stock valued at $21,354,000 after buying an additional 235,335 shares during the period. Copper Rock Capital Partners LLC acquired a new stake in shares of Evertec in the 2nd quarter valued at $21,616,000. Finally, Robeco Institutional Asset Management B.V. increased its stake in shares of Evertec by 3.5% in the 2nd quarter. Robeco Institutional Asset Management B.V. now owns 869,706 shares of the business services provider's stock valued at $19,004,000 after buying an additional 29,195 shares during the period. 83.76% of the stock is owned by hedge funds and other institutional investors. Get Evertec alerts: +Shares of Evertec stock opened at $24.00 on Friday. The company has a quick ratio of 1.63, a current ratio of 1.63 and a debt-to-equity ratio of 2.77. Evertec Inc has a 12 month low of $12.60 and a 12 month high of $25.10. The firm has a market cap of $1.77 billion, a P/E ratio of 16.26 and a beta of 1.19. +Evertec (NYSE:EVTC) last announced its quarterly earnings data on Tuesday, July 31st. The business services provider reported $0.42 EPS for the quarter, topping analysts' consensus estimates of $0.40 by $0.02. Evertec had a return on equity of 64.95% and a net margin of 12.91%. The business had revenue of $113.35 million during the quarter, compared to analysts' expectations of $111.77 million. During the same period in the previous year, the firm earned $0.44 earnings per share. The firm's quarterly revenue was up 9.5% compared to the same quarter last year. equities research analysts anticipate that Evertec Inc will post 1.58 earnings per share for the current fiscal year. +The business also recently disclosed a quarterly dividend, which will be paid on Friday, September 7th. Investors of record on Monday, August 6th will be paid a dividend of $0.05 per share. The ex-dividend date of this dividend is Friday, August 3rd. This represents a $0.20 dividend on an annualized basis and a dividend yield of 0.83%. Evertec's dividend payout ratio (DPR) is presently 13.61%. +In related news, COO Philip E. Steurer sold 10,000 shares of Evertec stock in a transaction on Friday, August 10th. The stock was sold at an average price of $24.39, for a total transaction of $243,900.00. Following the completion of the sale, the chief operating officer now directly owns 123,930 shares of the company's stock, valued at $3,022,652.70. The sale was disclosed in a legal filing with the SEC, which can be accessed through the SEC website . Also, EVP Guillermo Rospigliosi acquired 2,870 shares of the firm's stock in a transaction that occurred on Saturday, August 11th. The shares were bought at an average cost of $17.41 per share, with a total value of $49,966.70. Following the completion of the purchase, the executive vice president now owns 51,687 shares of the company's stock, valued at $899,870.67. The disclosure for this purchase can be found here . 0.76% of the stock is owned by insiders. +EVTC has been the subject of several research reports. Morgan Stanley lifted their target price on Evertec from $19.00 to $23.00 and gave the company a "$22.95" rating in a research note on Thursday, July 19th. TheStreet raised Evertec from a "c+" rating to a "b" rating in a research note on Thursday, May 10th. ValuEngine raised Evertec from a "hold" rating to a "buy" rating in a research note on Monday, July 2nd. Deutsche Bank lifted their target price on Evertec from $20.00 to $25.00 and gave the company a "hold" rating in a research note on Wednesday, August 1st. Finally, Zacks Investment Research cut Evertec from a "buy" rating to a "hold" rating in a research note on Monday, June 25th. One analyst has rated the stock with a sell rating, six have issued a hold rating, three have issued a buy rating and one has given a strong buy rating to the company's stock. Evertec currently has an average rating of "Hold" and an average price target of $21.33. +Evertec Profile +EVERTEC, Inc and its subsidiaries engage in transaction processing business serving financial institutions, merchants, corporations, and government agencies in Latin America and the Caribbean. The company operates through four segments: Payment Services – Puerto Rico & Caribbean, Payment Services – Latin America, Merchant Acquiring, and Business Solutions. +Featured Article: Outstanding Shares, Buying and Selling Stocks +Want to see what other hedge funds are holding EVTC? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Evertec Inc (NYSE:EVTC). Receive News & Ratings for Evertec Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Evertec and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test5044.txt b/input/test/Test5044.txt new file mode 100644 index 0000000..a685790 --- /dev/null +++ b/input/test/Test5044.txt @@ -0,0 +1 @@ +IDC adds mobile apps section on website 12:44 CET | News Moldova-based operator IDC, working in the Republic of Transnistria, has launched a special section of its website focused on mobile applications from the operator. The section includes links for download of the applications, as well as descriptions \ No newline at end of file diff --git a/input/test/Test5045.txt b/input/test/Test5045.txt new file mode 100644 index 0000000..da43c5b --- /dev/null +++ b/input/test/Test5045.txt @@ -0,0 +1,30 @@ +By David Lazarus Aug 17, 2018 | 3:00 AM CVS is offering video access to medical professionals for $59 a visit. It's a smart use of technology to make healthcare more accessible and affordable. (TNS) Video healthcare, or "telehealth," is taking a big step toward the mainstream as pharmacy giant CVS Health rolls out internet access to its MinuteClinic treatment facilities in California and a handful of other states. +This is a big deal, representing a smart use of technology to make healthcare more accessible, especially for relatively minor medical issues — which can turn into major concerns if not addressed early. Advertisement +It's also the latest example of the private sector stepping up and reforming the U.S. healthcare system as political leaders remain unwilling or unable to make bold moves in protecting the well-being of Americans. +"Technology like this has been around for years, but it's largely been on the fringes, mostly for specialty medicine," said Stuart Altman, a professor of national health policy at Brandeis University. "The fact that a CVS MinuteClinic would start using it shows a real coming-of-age." +The question in my mind is why for-profit companies have to be on the forefront of healthcare innovation. Why isn't this something that Medicare, Medicaid and Veterans Affairs are out front on, reducing costs, improving service and stretching taxpayer dollars? +I'll get back to that. +First, props to CVS for recognizing a need and coming up with a solution. +The basic idea is that as an alternative to visiting a MinuteClinic in a CVS drugstore, where wait times can run hours, people would be able to access a nurse practitioner or physician's assistant on their mobile device via the CVS Pharmacy app. +"A video visit can be used to care for patients ages two years and up who are seeking treatment for a minor illness, minor injury or a skin condition," CVS says. +"Each patient will complete a health questionnaire, then be matched to a board-certified healthcare provider licensed in their state, who will review the completed questionnaire with the patient's medical history and proceed with the video-enabled visit." +Obviously this isn't preferable for more complex health problems. But for modest issues or simple questions, this can be a highly effective way of meeting the needs of millions of people while taking pressure off other facets of the healthcare system. Column By David Lazarus Aug 07, 2018 | 3:00 AM +Accessing MinuteClinic online costs $59, payable by credit or debit card. Insurance can't be used, but a CVS spokeswoman told me the company is "actively working to seek insurance coverage for this service in the future." +Altman, a former federal health official, said affordable telehealth should be very attractive to people with no health insurance, or with skimpy coverage. +"Previously, your baby might be crying and perhaps you wouldn't do anything, or you'd go to the ER," he said. "Now you'll be able to speak with a professional who can answer your questions." +That's a potential game changer. Trips to the emergency room, especially by the uninsured, represent the absolute costliest way of delivering treatment — a cost shared by all policyholders. Any reduction in ER visits represents big savings. +Just as important, affordable and accessible preventive care is the way little medical problems are kept from becoming big ones. Services like CVS' thus can make the overall healthcare system more efficient. Advertisement +"For people with chronic conditions like diabetes, little things can snowball out of control very quickly," said Chad Meyerhoefer, a healthcare economist at Lehigh University. "This is great for something like that." +He said telehealth "has a lot of potential to help the Medicare population" by allowing seniors to manage the various issues that can arise with the aging process from the comfort of home. +Yet what are the chances Medicare — let alone Medicaid or the VA — will adopt or support something as smart and cutting-edge as this? Pretty much zilch, I'd say. +If for no other reason, conservative politicians would fight such a move as an expansion of the healthcare bureaucracy and another step down the slippery slope of government-run, socialized medicine. +"Private-sector initiatives like this are an important part of the U.S. healthcare landscape, and offer the opportunity to test out new and innovative ideas in a wide variety of settings," said Laurence Baker, a professor of health research and policy at Stanford University. +Politicians and public health officials leave it to businesses to fix our healthcare problems, but then they seldom act on the ideas. Or if they do, they don't follow through. +For example, many companies offer so-called wellness programs to keep employees healthy. The Affordable Care Act included such programs as essential benefits. +The Trump administration, however, is pushing skimpier health plans that, among other things, don't include wellness and preventive medicine. +Many businesses try to lower insurance costs by banding together and creating a larger risk pool. This is precisely the idea behind the single-payer healthcare systems of most other developed countries, which result in much lower medical costs and much better health outcomes. +Yet the United States won't even consider a similar Medicare-for-all program. Instead, the country remains wedded to its fractured, inefficient, for-profit approach to healthcare. +And even though companies like CVS deserve respect for moving in the right direction, let's not forget that their motivation is anything but altruistic. It's to make a buck. +CVS is expanding its horizons as Amazon slowly but steadily moves into the online pharmacy business, threatening to dominate the landscape just as it has done in every industry it's entered. MinuteClinic video visits are good for patients, but they're also good for shareholders. +The missed opportunity here is building on CVS' innovation and applying it throughout the healthcare system. Our laissez faire lawmakers would rather reel from healthcare crisis to crisis. +That's not just foolish. It's sick. California Inc. Newslette \ No newline at end of file diff --git a/input/test/Test5046.txt b/input/test/Test5046.txt new file mode 100644 index 0000000..1d60811 --- /dev/null +++ b/input/test/Test5046.txt @@ -0,0 +1,32 @@ +Zane Lowe marches ahead to a new beat while bringing positive vibes to Apple Music's Beats 1 By Eve Barlow Aug 17, 2018 | 3:30 AM Zane Lowe, radio DJ on Apple Music, is in the studio at Apple Inc. in Culver City, Calif. (Gary Coronado / Los Angeles Times) It's 9 a.m. on a Wednesday, and Zane Lowe, in a glass-encased studio in Culver City, has the energy of a firework. He has two desks, which he uses like turntables. His mic hangs over his head like an MC at a rap battle. +To his left are a pair of vinyl decks. He scratches on top of a record he's playing out live on the air. A DJ who became a household name in his native Britain, in America Zane Lowe works instead in the service of Apple Music, hosting a program on the streaming service's Beats 1 station. Advertisement +Lowe in 2015 was hired by the tech giant to bring some brand-name recognition — and a gregarious personality — to the world of streaming music, a bold shift at the time away from logarithm-based programming. In the new music retail landscape, Lowe was part of Apple's plan to take on market leader Spotify, and was hyped as a key differentiator in a competitive space in which each outlet offers nearly identical catalogs and pricing structures. +Yet talk to people outside Beats 1 and three years after Lowe joined the company, the question remains: Does anyone listen? +Beats 1 streams in "more than 100 countries." Lowe drops this fact in often. It's a tidbit, however, that illustrates reach rather than actual customers. But it's not without validity, as Beats 1 is reshaping broadcasting — it's radio defined by the music distributor in service of converting listeners to subscribers and ultimately selling artists. +He's not an instantly recognizable name in America, even if his reputation in the U.K eclipses him. But as a broadcaster and a DJ, he may quite possibly be the world's biggest music devotee — or at least one of music's loudest cheerleaders. +It's not enough to effuse on air, he talks up every song while off it. French sensation Christine And the Queens? "What a Jam & Lewis vibe, man!" Americana troubadour Kacey Musgraves? "A solid voice! Like water from a tap." British indie band Wolf Alice? "They're ready for arenas, right?" He turns to go back on air. "Just talking to my mate here and we're saying Wolf Alice should go into arenas next." (Gary Coronado / Los Angeles Times) You won't believe how much time I've spent apologizing for enthusiasm. Zane Lowe Share quote & link +His views are positive, or extremely positive. "I piss people off when I say this, but Frank Ocean's the ... greatest, man," Lowe says with a gasp as he expresses a completely non-controversial opinion. He explains his role as one rooted in fandom. Don't make him apologize for enthusiasm. "You won't believe how much time I've spent apologizing for enthusiasm," he says. +This serves a purpose: it makes Lowe a relatively safe go-to stop on an artist's promotional campaign, a handy trait when your radio station is part of a modern music store. Nicki Minaj, then gearing up for the release of her album "Queen," unveiled her return on Lowe's show, where she appeared this spring to showcase two new songs. Thus, Lowe appears to view his role less as a cultural tastemaker like the disc jockeys of yore and more as a partner to labels and artists. +Lowe skipped around nervously before Minaj's entourage invaded. "Can I curse?" Minaj said to Lowe. "If you don't ask me that you can. Within reason." When Lowe pushed her on former flame Meek Mill, Minaj placed her headphones over her ears, refusing eye contact. "She did that?" he said later. "I didn't even notice." +The Twitter hashtag "#NickiDay" trended globally. The show allowed Minaj to reveal everything she intended. "I'm not thinking: 'I'm gonna insert myself into this and have a great experience,'" he said. "Which is a shame, to some degree." +Beats 1 is a streaming service inside Apple Music's store. It's not separate in the building, and the goal is to ensure that it's not separate in listener's minds. +Lowe theorizes about consumers. "People buy things or they buy into things," he says. "I'm working out what motivates the buy-in. We consume every day. But consumption is different from knowing way more than what a song sounds like." +What is 'buying in' for Beats 1? Lowe chuckles. "Right! Where do I fit in this chaos?" he says, relishing uncertainty. +On March 5, 2015, Lowe presented his last BBC Radio 1 show. At 41 years old, he left London — his home since 1997 — with his wife and two sons for L.A. He was BBC schooled for 12 years and became the face of new music in Britain. His departure was an enormous statement. The BBC was institutionalized, Beats 1 is ground zero. +Was the move motivated by a desire to figure out broadcasting's future? Advertisement +"It's a good question," he says. +Lowe questioned whether his trajectory at the BBC was forward-facing. "To have that conversation is to face harsh realities," he says. Alarm bells rang as he watched artists having direct conversations with fans via social media. "They didn't need to go through me. The obvious question was: where are the artists going?" +Since his days reporting in his native New Zealand through to years as an MTV presenter, Lowe always followed the artists. "I'm just a fan," he says. "If my ego ever got me feeling like my career wasn't growing fast enough I'd go: 'Hang on. Are you breaking away from your relationship with the artist?'" +Being secondary to them has served him. At Radio 1 he promoted their upcoming releases. In the streaming age, pre-promoting makes less sense. If artists distribute records and fans listen instantly, there's no place for tastemakers with 'exclusive' plays. "That raised a lot of 'what if's. It raised a lot of 'what's." +The ego takes a battering when you no longer dictate to listeners. Beats 1 isn't a curator's environment. It's not really radio. At Radio 1 he was the guy with the record, so you had to listen to his show. Now there's no automatically obvious value assumed to him. Right now people are making playlists, adding songs to the service. You're not waiting for someone to make a decision for you. You distribute music yourself. Zane Lowe Share quote & link +"When I got here I was trying to take a kickass radio show and put it into streaming." The pace at which music moves through Apple, however, floored him. Beats 1 had more in common with Twitter than radio. He grabs his iPhone. "This thing is alive! Right now people are making playlists, adding songs to the service. You're not waiting for someone to make a decision for you. You distribute music yourself." +Measuring Beats 1 is tricky. +Last year, head of content Larry Jackson said, "Beats 1 is the biggest radio station in the world." Is it? Lowe sidesteps because to him the question is premature. He recalls advice given to him by Jimmy Iovine, the co-founder of Interscope Records who in '00s and '10s with Dr. Dre leapt into the multibillion-dollar headphone and speaker business with Beats. They sold Beats to Apple for $3.2 billion in 2014, and Iovine has since shaped Apple Music. "Jimmy said to me at the beginning: be the thing that moves the needle." For Lowe, that meant getting cozy with artists. Before when Lowe encouraged fans to buy artists' records, whether or not they did wouldn't affect his livelihood. "This directly affects my business. By that very nature we are in business together." Advertisement +They've even become the broadcaster. Alongside three other DJs – Julie Adenuga, Ebro Darden and Matt Wilkinson – the remaining broadcast slots belong to the likes of Dr Dre, Elton John, Charli XCX, Pharrell, St Vincent and, more recently, Minaj. +This raises a question: Are broadcasters redundant? "My hope is that we're all the same. Everyone's a 'fan'. Asking where we fit in the conversation is healthy. I still ask myself." +Beats 1 isn't the only streaming service. Apple Music has about 50 million subscribers to Spotify's 75 million. Lowe insists he doesn't look at Spotify when considering Beats 1. "We're the only voice in streaming," he says. "That's not cockiness. It's fact." +Other services, however, are starting to mirror the Beats 1 mode of radio-style programming. In June, Spotify announced the hiring of Dawn Ostroff as its new chief content officer. Formerly of Conde Nast Entertainment and the CW network, she'll oversee production of shows, radio stations, podcasts and episodic programming. YouTube Music's Lyor Cohen has also indicated a desire to move into Beats 1-style programming. +"This is a controversial statement: I don't ever want us to be the only streaming service on the block," Lowe says. "There is no league with one team. Sometimes you win, sometimes you don't. But you're still in the game. Not to sound too holistic but I'm glad I'm in the game." +Earlier Lowe said that at Radio 1 he "kept the blinkers on." +His focus is to be a part of the future of radio, even if starts to look less and less like radio. +"This is my favorite era of broadcasting," he asserts. "I got into music because of what it looked like, what it made me feel, what it felt like when I met the people. It's that obsession for me. I wanna bring that obsession in." Entertainment Newslette \ No newline at end of file diff --git a/input/test/Test5047.txt b/input/test/Test5047.txt new file mode 100644 index 0000000..11a4706 --- /dev/null +++ b/input/test/Test5047.txt @@ -0,0 +1,17 @@ +Plane skids off rainy Manila runway, rips off engine, wheel Jim Gomez, The Associated Press Friday Aug 17, 2018 at 6:00 AM +MANILA, Philippines (AP) " A plane from China landing on a rain-soaked Manila runway in poor visibility veered off in a muddy field with one engine and a wheel ripped off but no serious injuries among the 165 people aboard who scrambled out through an emergency slide, officials said Friday. +Only four passengers sustained scratches and all the rest including eight crew aboard Xiamen Air Flight 8667 were safe and taken to an airport terminal, where they were given blankets and food before going to a hotel, airport general manager Ed Monreal told a news conference. +The Boeing 737-800 from China's coastal city of Xiamen at first failed to land apparently due to poor visibility that may have hindered the pilots' view of the runway, Director-General of the Civil Aviation Authority of the Philippines Jim Sydiongco told reporters. The plane circled before landing on its second attempt near midnight but lost contact with the airport tower, Sydiongco said. +The aircraft appeared to have "bounced" in a hard landing then veered off the runway and rolled toward a rain-soaked grassy area with its lights off, Eric Apolonio, spokesman of the civil aviation agency said, citing an initial report about the incident. +A Chinese passenger, Wang Xun Qun, who was traveling with her daughter, said in halting English that they embraced each other and were "very scared" before the aircraft landed in a rainstorm. She motioned with her finger how their plane circled for about an hour before the pilots attempted to land. +"Half lucky," the 15-year-old daughter said when asked to describe their experience. "Scary, scary." +Monreal expressed relief a disaster had been avoided. "With God's blessing, all passengers and the crew were able to evacuate safely and no injuries except for about four who had some superficial scratches," he said. +Investigators retrieved the plane's flight recorder and will get the cockpit voice recorder once the aircraft has been lifted to determine the cause of the accident, Sydiongco said. +Ninoy Aquino International Airport, Manila's main international gateway, will be closed most of Friday while emergency crews remove excess fuel then try to lift the aircraft, its belly resting on the muddy ground, away from the main runway, which was being cleared of debris, officials said. A smaller runway for domestic flights remained open. +TV footage showed the plane slightly tilting to the left, its left badly damaged wing touching the ground and its landing wheels not readily visible as emergency personnel, many in orange overalls, examined and surrounded the aircraft. One of the detached engines and landing wheels lay a few meters (yards) away. +A Xiamen Air representative, Lin Hua Gun, said the airline will send another plane to Manila to resume the flight. The Civil Aviation of China said it was sending a team to assist in the investigation. +Several international and domestic flights have been canceled or diverted due to the closure of the airport, which lies in a densely populated residential and commercial section of metropolitan Manila. Airline officials initially said the airport could be opened by noon but later extended it to four more hours. +Hundreds of stranded passengers jammed one of three airport terminals due to flight cancellations and diversions. Dozens of international flights were cancelled or either returned or were diverted elsewhere in the region, officials said. +Torrential monsoon rains enhanced by a tropical storm flooded many low-lying areas of Manila and northern provinces last weekend, displacing thousands of residents and forcing officials to shut schools and government offices. The weather has improved with sporadic downpours. +___ +Associated Press journalists Bullit Marquez and Joeal Calupitan contributed to this report \ No newline at end of file diff --git a/input/test/Test5048.txt b/input/test/Test5048.txt new file mode 100644 index 0000000..b0395a8 --- /dev/null +++ b/input/test/Test5048.txt @@ -0,0 +1,15 @@ +Toyota to increase production capacity in China by 20 percent: source Friday, August 17, 2018 2:32 a.m. CDT FILE PHOTO: An employee checks on newly produced cars at a Toyota factory in Tianjin, China March 23, 2012. REUTERS/Stringer +By Norihiko Shirouzu +BEIJING (Reuters) - Japan's Toyota Motor Corp <7203.T> will build additional capacity at its auto plant in China's Guangzhou, a company source said, in addition to beefing up production at a factory in Tianjin city by 120,000 vehicles a year. +A person close to the company said Toyota will build capacity at the production hub in the south China city of Guangzhou to also produce an additional 120,000 vehicles a year, an increase of 24 percent over current capacity. +All together, between the eastern port city of Tianjin and Guangzhou, Toyota will boost its overall manufacturing capacity by 240,000 vehicles a year, or by about 20 percent. +Toyota's production capacity in China is 1.16 million vehicles a year. +Reuters reported earlier this week that Toyota plans to build additional capacity in Tianjin to produce 10,000 all-electric battery cars and 110,000 plug-in hybrid electric cars a year. +China has said it would remove foreign ownership caps for companies making fully electric and plug-in hybrid vehicles in 2018, for makers of commercial vehicles in 2020, and the wider car market by 2022. Beijing also has been pushing automakers to produce and sell more electric vehicles through purchase subsidies and production quotas for such green cars. +Toyota's planned additional capacity in Guangzhou is also for electrified vehicles, said the company source, who declined to be named because he is not authorized to speak on the matter. +The source did not say how much the additional capacity would cost. The Tianjin expansion is likely to cost $257 million, according to a government website. +The planned capacity expansions in Guangzhou and Tianjin are part of a medium-term strategy of the Japanese automaker that aims to increase sales in China to two million vehicles per year, a jump of over 50 percent, by the early 2020s, according to four company insiders with knowledge of the matter. +The plans signal Toyota's willingness to start adding significant manufacturing capacity in China with the possibility of one or two new assembly plants in the world's biggest auto market, the sources said. +Car imports could also increase, they said. +In addition to boosting manufacturing capacity, Toyota also plans to significantly expand its sales networks and focus more on electric car technologies as part of the strategy, the sources said, declining to be identified as they are not authorized to speak to the media. +(Reporting by Norihiko Shirouzu; Editing by Raju Gopalakrishnan) More From Busines \ No newline at end of file diff --git a/input/test/Test5049.txt b/input/test/Test5049.txt new file mode 100644 index 0000000..4c49c04 --- /dev/null +++ b/input/test/Test5049.txt @@ -0,0 +1,22 @@ +By Bettina Boxall Aug 17, 2018 | 4:00 AM Surfers leave the water next to Scripps Pier, where researchers this month logged the highest sea surface temperatures ever recorded in 102 years of taking measurements at the La Jolla pier. (Gregory Bull / AP) California suffered through its hottest July on record, while August has pushed sea-surface temperatures off the San Diego coast to all-time highs. +Are these punishing summer heat waves the consequences of global warming or the result of familiar weather patterns? Advertisement +The answer, scientists say, is both. +Climate change is amplifying natural variations in the weather. So when California roasts under a stubborn high-pressure system, the thermometer climbs higher than it would in the past. +"What we're seeing now is the atmosphere doing what it has always done. But it's doing it in a warmer world, so the heat waves occurring today are hotter," said Park Williams,an associate research professor at Columbia University's Lamont-Doherty Earth Observatory. "We can expect that to continue." +Though a weak to moderate El Niño, marked by warming ocean temperatures, may develop this fall and winter, scientists say it's not at play now. MORE: Many parts of Southern California broke heat records for July » +Art Miller, a research oceanographer at Scripps Institution of Oceanography, pointed to the high-pressure system as the immediate cause of the record-shattering sea surface temperatures recorded this month off Scripps Pier, where researchers have been taking daily temperature measurements since 1916. +On Aug. 1, a thermometer plunged into a bucket of sea water hit 78.6 degrees, breaking a 1931 record. On Aug. 9, the water temperature was 79.5 degrees. +The massive high-pressure dome hanging around the West shut down the northerly winds that typically cause an upwelling of colder, deeper sea water off the Southern California coast, Miller said. +The layer of warm water is relatively thin, 30 to 60 feet deep, and peters out along the Central Coast. North of Santa Barbara, surface waters are actually cooler than normal. +Underlying the regional conditions is the past century's roughly 1.8-degree increase in global ocean temperatures. +"This is the type of activity we expect to occur when you run together natural variations in the system with a long-term trend" of warming, Miller said, referring to the record-busting at Scripps Pier. "I'm not surprised." +Global warming is expressed "in fits and spurts," Williams said. From 1999 to 2014, the planet's oceans stored much of the extra warmth generated by heat-trapping greenhouse gases. Global air temperatures were relatively stable. Then in 2015-16, strong El Niño conditions unleashed that extra heat. +The planet is feeling the effects. +"We're in one of those hot clusters of years," Williams said. +It could be followed by a period of stable temperatures that in turn is trailed by another period of rapid warming. Advertisement +"In a few years we'll be used to the type of heat waves we're seeing this year" only to be shocked when continued climate change makes them even hotter, Williams predicted. A surfer gets a tube ride in Newport Beach in early July, where temperatures topped out at 103 degrees on July 6. (Allen J. Schaben / Los Angeles Times) +On July 6, all-time temperature records were set at UCLA (111), Burbank and Santa Ana (114), and Van Nuys (117). Chino hit 120 degrees. Scorching temperatures in Northern California helped fuel raging wildfires, including the Mendocino Complex, which has seared its way into the record books as the largest wildfire in the state's modern history. +"This is not all about climate change. But climate change is having an influence and exacerbating the conditions," said Kevin Trenberth, a senior scientist at the National Center for Atmospheric Research. +Some climate scientists have suggested that global warming is promoting atmospheric changes that favor the formation of the kind of persistent high-pressure system that has driven up temperatures this summer. +But Williams said climate change models have yet to confirm that. Researchers have also failed to detect a global trend of more prolonged ridging patterns, he added. +"I personally don't think the current ridge is a function of climate change," Williams said. "The atmosphere has a mind of its own. \ No newline at end of file diff --git a/input/test/Test505.txt b/input/test/Test505.txt new file mode 100644 index 0000000..a2965d3 --- /dev/null +++ b/input/test/Test505.txt @@ -0,0 +1 @@ +Press release from: Market Research Future Veterinary Vaccines Market The Worldwide Veterinary Vaccines Market Premium Research Reports Avail to Market Research Future. Informed by Past and Estimated Future Revenue of the Middle East and Africa's Veterinary Vaccines Market Segments and Sub-Segments.Veterinary Vaccines Market- Key PlayersSome of the key players in this market are Zoetis Inc., Boehringer Ingelheim GmbH, Merck Animal Health, MSD Animal Health, Elanco Animal Health, Bayer AG, Indian Immunologicals Limited and others.Premium Sample Report Available @ www.marketresearchfuture.com/sample_request/2687 Veterinary Vaccines Market - ScenarioA vaccine is a biological preparation containing a weakened or killed microbial agent, its toxins or its surface proteins, which provides active acquired immunity against a disease. The aim of vaccination is to stimulate and train the body immunity to recognize and destroy the microbial threat in later encounters.Vaccines are considered the most effective method of preventing infectious diseases and is largely responsible for the growth of the dairy and meat industry worldwide. The latest trends in the vaccine market include growing emphasis on technology and the rise of recombinant DNA vaccines. The bovine vaccines market segment is the largest due to the organized dairy and beef industry along with better buying power of the industry.Taking all factors into consideration, till the end of forecasted period we expect the Middle East and Africa veterinary vaccines market to reach around $ 550.84 million in 2022, growing at a compound annual growth rate of 7.1 % whose worth was $ 365 million in 2015.Veterinary Vaccines Market - SegmentsMiddle East and Africa veterinary vaccines market has been segmented on the basis of technology which comprises of attenuated, inactivated, toxoid, conjugate, subunit and recombinant DNA. On the basis of disease indication the market is segmented into foot & mouth disease, parvovirus, distemper, reproductive & respiratory syndrome and others.On the basis of composition the market is segmented into mono vaccine and combination vaccines. On the basis of animal type; market is again segmented into poultry, bovine, porcine, companion and other.Veterinary Vaccines Market - Study ObjectivesTo provide detail analysis of Middle East and Africa's market structure along with its forecast growth for the next 6 years with respect to various segments and sub-segments of the market.To analyze the market based on various analyses which includes price analysis, supply chain analysis, Porters Five Force analysis etc.To provide country level analysis of the market for segments which includes by product technology, by disease indication material, by composition, by animal type and other sub segments.To track and analyze competitive developments such as joint ventures, strategic alliances, mergers and acquisitions, new product developments along with research and developments globally.Get Prime Discount @ www.marketresearchfuture.com/check-discount/2687 Veterinary Vaccines Market - Regional AnalysisUAE is the largest market for veterinary vaccines in the entire Middle East and Africa veterinary vaccines market closely followed by Egypt. Africa's market especially the sub Saharan regions is the fastest growing market with a huge unmet medical needs.MAJOR TABLE OF CONTENTS \ No newline at end of file diff --git a/input/test/Test5050.txt b/input/test/Test5050.txt new file mode 100644 index 0000000..25e23f7 --- /dev/null +++ b/input/test/Test5050.txt @@ -0,0 +1,19 @@ +MIAMI TWP. — The decision to become part of a state program tracking government spending online will pay dividends for Miami Twp., according to the Ohio treasurer's office. +"This means that people are going to get better decision-making on how their leaders (provide) more efficient government," treasurer's office Senior Public Affairs Liaison Lauren Bowen said of trustees' adoption of the program this week. +"For instance, instead of going to a conference in Hawaii, public employees are going to a conference in Cincinnati," she said. "Or perhaps, rather than staying in a Ritz-Carlton, they choose the Holiday Inn." +RELATED: Miami Twp.'s deal to map crime trends will help identify 'hot spots' +Miami Twp. is the sixth such jurisdiction in Montgomery County listed on the Ohio treasurer's website to be part of OhioCheckbook.com, joining Butler, German, Jackson, Jefferson and Perry townships. + Cities in the county that are part of the service include Brookville, Centerville, Clayton, Dayton, Huber Heights, Kettering, Miamisburg and West Carrollton, according to the website. +Miami Twp.'s spending can be accessed at https://miamitownshipmontgomery.ohiocheckbook.com . +The use of the program is a key way the community's nearly 30,000 residents can help assure accountability in local spending, according to Miami Twp. Board of Trustees President John Morris . +RELATED: Miami Twp.'s LexisNexis agreement aims to combat crime +"Transparency in government is the key to building trust with the community," Morris stated. "Taxpayers should be able to monitor how their dollars are being spent, and OhioCheckbook.com makes it easy for them. I am excited that the citizens of Miami Township will now have access to this tool." +Miami Twp.'s online checkbook includes more than 8,000 individual transactions that represent more than $31 million of total spending between 2017 and 2018, according to the state. +Since its launch, OhioCheckbook.com has been the focus of more than 985,000 total searches, according to the state. The website includes the following features: +FOLLOW NICK BLIZZARD ON FACEBOOK +•"Google-style" contextual search capabilities, to allow users to sort by keyword, department, category or vendor; +•Fully dynamic interactive charts to drill down on state spending; +•Functionality to compare state spending year-over-year or among agencies; and, +•Capability to share charts or checks with social media networks, and direct contact for agency fiscal offices. +"It's empowering people – the citizens whose hard-earned money we're entrusted with – to make the right decision by them," Bowen said, "and using their tax dollars wisely." +DOWNLOAD OUR MOBILE APPS FOR LATEST BREAKING NEW \ No newline at end of file diff --git a/input/test/Test5051.txt b/input/test/Test5051.txt new file mode 100644 index 0000000..b6d8be4 --- /dev/null +++ b/input/test/Test5051.txt @@ -0,0 +1 @@ +Children attend free art classes to enrich summer vacation Xinhua | Updated: 2018-08-17 14:38 An art teacher (center, back) teaches children to play African drum at Anci cultural center in the Anci District of Langfang, North China's Hebei province, Aug 16, 2018. Children attend free art classes to enrich their summer vacation. [Photo/Xinhua] MOBILE Copyright 1995 - . All rights reserved. The content (including but not limited to text, photo, multimedia information, etc) published in this site belongs to China Daily Information Co (CDIC). Without written authorization from CDIC, such content shall not be republished or used in any form. Note: Browsers with 1024*768 or higher resolution are suggested for this site. License for publishing multimedia online 0108263 Registration Number: 13034 \ No newline at end of file diff --git a/input/test/Test5052.txt b/input/test/Test5052.txt new file mode 100644 index 0000000..68d133f --- /dev/null +++ b/input/test/Test5052.txt @@ -0,0 +1,10 @@ +Tweet +Engineers Gate Manager LP bought a new stake in shares of Synaptics, Incorporated (NASDAQ:SYNA) in the 2nd quarter, HoldingsChannel reports. The firm bought 19,437 shares of the software maker's stock, valued at approximately $979,000. +Several other hedge funds and other institutional investors also recently made changes to their positions in SYNA. Franklin Resources Inc. purchased a new stake in shares of Synaptics during the first quarter valued at $45,069,000. Fisher Asset Management LLC purchased a new stake in shares of Synaptics during the second quarter valued at $47,293,000. Victory Capital Management Inc. purchased a new stake in shares of Synaptics during the second quarter valued at $29,211,000. Delek Group Ltd. purchased a new stake in shares of Synaptics during the first quarter valued at $13,275,000. Finally, Dimensional Fund Advisors LP lifted its holdings in shares of Synaptics by 16.8% during the first quarter. Dimensional Fund Advisors LP now owns 1,870,956 shares of the software maker's stock valued at $85,559,000 after purchasing an additional 269,298 shares during the last quarter. Get Synaptics alerts: +Several equities research analysts have recently commented on SYNA shares. Cowen set a $60.00 target price on Synaptics and gave the company a "buy" rating in a report on Tuesday, May 8th. ValuEngine downgraded Synaptics from a "hold" rating to a "sell" rating in a report on Thursday, August 2nd. Zacks Investment Research downgraded Synaptics from a "hold" rating to a "sell" rating in a report on Saturday, July 7th. JPMorgan Chase & Co. upped their target price on Synaptics from $52.00 to $55.00 and gave the company a "buy" rating in a report on Friday, August 10th. Finally, Rosenblatt Securities reaffirmed a "hold" rating and set a $48.00 target price on shares of Synaptics in a report on Sunday, May 13th. Five investment analysts have rated the stock with a sell rating, five have issued a hold rating and seven have issued a buy rating to the company. The company has an average rating of "Hold" and a consensus price target of $49.85. Shares of Synaptics stock opened at $44.96 on Friday. The stock has a market capitalization of $1.48 billion, a P/E ratio of 22.71, a price-to-earnings-growth ratio of 1.28 and a beta of 0.85. The company has a debt-to-equity ratio of 0.62, a current ratio of 2.61 and a quick ratio of 2.14. Synaptics, Incorporated has a 1 year low of $33.73 and a 1 year high of $55.25. +Synaptics (NASDAQ:SYNA) last announced its quarterly earnings data on Thursday, August 9th. The software maker reported $1.00 earnings per share (EPS) for the quarter, topping the consensus estimate of $0.91 by $0.09. The firm had revenue of $388.50 million during the quarter, compared to the consensus estimate of $391.75 million. Synaptics had a positive return on equity of 11.07% and a negative net margin of 7.61%. The business's revenue for the quarter was down 8.9% on a year-over-year basis. During the same period in the prior year, the business earned $1.18 EPS. research analysts forecast that Synaptics, Incorporated will post 3.33 earnings per share for the current year. +In related news, Director Francis F. Lee sold 152,416 shares of the stock in a transaction dated Friday, June 8th. The stock was sold at an average price of $45.41, for a total value of $6,921,210.56. Following the completion of the sale, the director now directly owns 110,210 shares of the company's stock, valued at approximately $5,004,636.10. The sale was disclosed in a document filed with the SEC, which can be accessed through this hyperlink . Also, SVP John Mcfarland sold 2,853 shares of the stock in a transaction dated Wednesday, June 20th. The stock was sold at an average price of $55.00, for a total value of $156,915.00. The disclosure for this sale can be found here . Over the last three months, insiders sold 384,035 shares of company stock valued at $19,333,892. Company insiders own 3.70% of the company's stock. +Synaptics Profile +Synaptics Incorporated develops, markets, and sells intuitive human interface solutions for electronic devices and products worldwide. The company offers its human interface products solutions for mobile product applications, including smartphones, tablets, and touchscreen applications, as well as mobile, handheld, wireless, and entertainment devices; notebook applications; and other personal computer (PC) product applications, such as keyboards, mice, and desktop product applications. +Read More: Outstanding Shares, Buying and Selling Stocks +Want to see what other hedge funds are holding SYNA? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Synaptics, Incorporated (NASDAQ:SYNA). Receive News & Ratings for Synaptics Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Synaptics and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test5053.txt b/input/test/Test5053.txt new file mode 100644 index 0000000..1005d05 --- /dev/null +++ b/input/test/Test5053.txt @@ -0,0 +1 @@ +· Southeast Asia· IndiaWorldwide Geospatial Imagery Analytics Market Analysis to 2025 is a specialized and in-depth study of the Geospatial Imagery Analytics industry with a focus on the global market trend. The report aims to provide an overview of global Geospatial Imagery Analytics market with detailed market segmentation by product/application and geography. The global Geospatial Imagery Analytics market is expected to witness high growth during the forecast period. The report provides key statistics on the market status of the Geospatial Imagery Analytics players and offers key trends and opportunities in the market.Also, key Geospatial Imagery Analytics market players influencing the market are profiled in the study along with their SWOT analysis and market strategies. The report also focuses on leading industry players with information such as company profiles, products and services offered, financial information of last 3 years, key development in past five years.Reason to Buy- Highlights key business priorities in order to assist companies to realign their business strategies.- The key findings and recommendations highlight crucial progressive industry trends in the Geospatial Imagery Analytics market, thereby allowing players to develop effective long term strategies.- Develop/modify business expansion plans by using substantial growth offering developed and emerging markets.- Scrutinize in-depth global market trends and outlook coupled with the factors driving the market, as well as those hindering it.- Enhance the decision-making process by understanding the strategies that underpin commercial interest with respect to products, segmentation and industry verticals.Get Avail Discount @ www.qyresearchgroups.com/check-discount/101869 \ No newline at end of file diff --git a/input/test/Test5054.txt b/input/test/Test5054.txt new file mode 100644 index 0000000..a89647f --- /dev/null +++ b/input/test/Test5054.txt @@ -0,0 +1,2 @@ +19:56 19:56 +WASHINGTON — The Defense Department says the Veterans Day military parade ordered up by President Donald Trump won't happen in 2018.Col. Rob Manning, a Pentagon spokesman, said Thursday that the military and the White House "have now agreed to explore opportunities in 2019."The announcement came several hours after The Associated Press reported that the parade would cost about $92 million, according to US officials citing preliminary estimates more than three times the price first suggested by the White House. Military units participate in the inaugural parade from the Capitol to the White House in Washington, Friday, Jan. 20, 2017. A US official says the 2018 Veterans Day military parade ordered up by President Donald Trump would cost about $92 million _ more than three times the maximum initial estimate. (AP) According to the officials, roughly $50 million would cover Pentagon costs for aircraft, equipment, personnel and other support for the November parade in Washington. The remainder would be borne by other agencies and largely involve security costs. The officials spoke on condition of anonymity to discuss early planning estimates that have not yet been finalized or released publicly.Officials said the parade plans had not yet been approved by Defense Secretary Jim Mattis.Mattis himself said late Thursday that he had seen no such estimate and questioned the media reports.The Pentagon chief told reporters traveling with him to Bogota, Colombia, that whoever leaked the number to the press was "probably smoking something that is legal in my state but not in most" — a reference to his home state of Washington, where marijuana use is legal.He added: "I'm not dignifying that number ($92 million) with a reply. I would discount that, and anybody who said (that number), I'll almost guarantee you one thing: They probably said, 'I need to stay anonymous.' No kidding, because you look like an idiot. And No. 2, whoever wrote it needs to get better sources. I'll just leave it at that."The parade's cost has become a politically charged issue, particularly after the Pentagon canceled a major military exercise planned for August with South Korea, in the wake of Trump's summit with North Korean leader Kim Jong Un. Trump said the drills were provocative and that dumping them would save the US "a tremendous amount of money." The Pentagon later said the Korea drills would have cost $14 million.Lt. Col. Jamie Davis, a Pentagon spokesman, said earlier Thursday that Defense Department planning for the parade "continues and final details are still being developed. Any cost estimates are pre-decisional."The parade was expected to include troops from all five armed services — the Army, Navy, Air Force, Marine Corps and Coast Guard — as well as units in period uniforms representing earlier times in the nation's history. It also was expected to involve a number of military aircraft flyovers.A Pentagon planning memo released in March said the parade would feature a "heavy air component," likely including older, vintage aircraft. It also said there would be "wheeled vehicles only, no tanks — consideration must be given to minimize damage to local infrastructure." Big, heavy tanks could tear up streets in the District of Columbia.The memo from Mattis' office provided initial planning guidance to the chairman of the Joint Chiefs of Staff. His staff is planning the parade along a route from the White House to the Capitol and would integrate it with the city's annual veterans' parade. US Northern Command, which oversees US troops in North America, is responsible for the actual execution of the parade.Earlier this year, the White House budget director told Congress that the cost to taxpayers could be $10 million to $30 million. Those estimates were likely based on the cost of previous military parades, such as the one in the nation's capital in 1991 celebrating the end of the first Gulf War, and factored in some additional increase for inflation.One veterans group weighed in Thursday against the parade. "The American Legion appreciates that our President wants to show in a dramatic fashion our nation's support for our troops," National Commander Denise Rohan said. "However, until such time as we can celebrate victory in the War on Terrorism and bring our military home, we think the parade money would be better spent fully funding the Department of Veteran Affairs and giving our troops and their families the best care possible."Trump decided he wanted a military parade in Washington after he attended France's Bastille Day celebration in the center of Paris last year. As the invited guest of French President Emmanuel Macron, Trump watched enthusiastically from a reviewing stand as the French military showcased its tanks and fighter jets, including many US-made planes, along the famed Champs-Elysees.Several months later Trump praised the French parade, saying, "We're going to have to try and top it." (AP \ No newline at end of file diff --git a/input/test/Test5055.txt b/input/test/Test5055.txt new file mode 100644 index 0000000..e2f6e43 --- /dev/null +++ b/input/test/Test5055.txt @@ -0,0 +1,214 @@ +O popular serviço de streaming tem algumas dezenas de categorias escondidas. Segundo os responsáveis, esta divisão está sempre a mudar. Confira aqui alguns dos códigos das categorias escondidas do Netflix. Com a grande quantidade de conteúdos do Netflix, é fácil o utilizador perder-se e não encontrar algo que seja realmente do seu agrado com facilidade. O serviço de streaming tem, no entanto, dezenas de categorias escondidas que permitem recomendações muito mais aproximadas ao gosto de cada um, baseadas no histórico de visualizações. +«Categorizamos os conteúdos em milhares de subgéneros para ajudar a encontrar as combinações corretas entre o conteúdo certo e o utilizador, com base no que já viram no passado», disse Marlee Tart, porta voz da Netflix, ao Mashable . +Esta organização, aparentemente, é alterada com frequência, de forma a manter o sistema de recomendações o mais fiável possível. +Basta aceder ao URL http://www.netflix.com/browse/genre/### , substituindo os ### pelos códigos que encontra mais abaixo, na lista. +Action & Adventure: 1365 +Action Comedies: 43040 +Action Sci-Fi & Fantasy: 1568 +Action Thrillers: 43048 +Adult Animation: 11881 +Adventures: 7442 +African Movies: 3761 +Alien Sci-Fi: 3327 +Animal Tales: 5507 +Anime: 7424 +Anime Action: 2653 +Anime Comedies: 9302 +Anime Dramas: 452 +Anime Fantasy: 11146 +Anime Features: 3063 +Anime Horror: 10695 +Anime Sci-Fi: 2729 +Anime Series: 6721 +Art House Movies: 29764 +Asian Action Movies: 77232 +Australian Movies: 5230 +B-Horror Movies: 8195 +Baseball Movies: 12339 +Basketball Movies: 12762 +Belgian Movies: 262 +Biographical Documentaries: 3652 +Biographical Dramas: 3179 +Boxing Movies: 12443 +British Movies: 10757 +British TV Shows: 52117 +Campy Movies: 1252 +Children & Family Movies: 783 +Chinese Movies: 3960 +Classic Action & Adventure: 46576 +Classic Comedies: 31694 +Classic Dramas: 29809 +Classic Foreign Movies: 32473 +Classic Movies: 31574 +Classic Musicals: 32392 +Classic Romantic Movies: 31273 +Classic Sci-Fi & Fantasy: 47147 +Classic Thrillers: 46588 +Classic TV Shows: 46553 +Classic War Movies: 48744 +Classic Westerns: 47465 +Comedies: 6548 +Comic Book and Superhero Movies: 10118 +Country & Western/Folk: 1105 +Courtroom Dramas: 2748 +Creature Features: 6895 +Crime Action & Adventure: 9584 +Crime Documentaries: 9875 +Crime Dramas: 6889 +Crime Thrillers: 10499 +Crime TV Shows: 26146 +Cult Comedies: 9434 +Cult Horror Movies: 10944 +Cult Movies: 7627 +Cult Sci-Fi & Fantasy: 4734 +Cult TV Shows: 74652 +Dark Comedies: 869 +Deep Sea Horror Movies: 45028 +Disney: 67673 +Disney Musicals: 59433 +Documentaries: 6839 +Dramas: 5763 +Dramas based on Books: 4961 +Dramas based on real life: 3653 +Dutch Movies: 10606 +Eastern European Movies: 5254 +Education for Kids: 10659 +Epics: 52858 +Experimental Movies: 11079 +Faith & Spirituality: 26835 +Faith & Spirituality Movies: 52804 +Family Features: 51056 +Fantasy Movies: 9744 +Film Noir: 7687 +Food & Travel TV: 72436 +Football Movies: 12803 +Foreign Action & Adventure: 11828 +Foreign Comedies: 4426 +Foreign Documentaries: 5161 +Foreign Dramas: 2150 +Foreign Gay & Lesbian Movies: 8243 +Foreign Horror Movies: 8654 +Foreign Movies: 7462 +Foreign Sci-Fi & Fantasy: 6485 +Foreign Thrillers: 10306 +French Movies: 58807 +Gangster Movies: 31851 +Gay & Lesbian Dramas: 500 +German Movies: 58886 +Greek Movies: 61115 +Historical Documentaries: 5349 +Horror Comedy: 89585 +Horror Movies: 8711 +Independent Action & Adventure: 11804 +Independent Comedies: 4195 +Independent Dramas: 384 +Independent Movies: 7077 +Independent Thrillers: 3269 +Indian Movies: 10463 +Irish Movies: 58750 +Italian Movies: 8221 +Japanese Movies: 10398 +Jazz & Easy Listening: 10271 +Kids Faith & Spirituality: 751423 +Kids Music: 52843 +Kids' TV: 27346 +Korean Movies: 5685 +Korean TV Shows: 67879 +Late Night Comedies: 1402 +Latin American Movies: 1613 +Latin Music: 10741 +Martial Arts Movies: 8985 +Martial Arts, Boxing & Wrestling: 6695 +Middle Eastern Movies: 5875 +Military Action & Adventure: 2125 +Military Documentaries: 4006 +Military Dramas: 11 +Military TV Shows: 25804 +Miniseries: 4814 +Mockumentaries: 26 +Monster Movies: 947 +Movies based on children's books: 10056 +Movies for ages 0 to 2: 6796 +Movies for ages 2 to 4: 6218 +Movies for ages 5 to 7: 5455 +Movies for ages 8 to 10: 561 +Movies for ages 11 to 12: 6962 +Music & Concert Documentaries: 90361 +Music: 1701 +Musicals: 13335 +Mysteries: 9994 +New Zealand Movies: 63782 +Period Pieces: 12123 +Political Comedies: 2700 +Political Documentaries: 7018 +Political Dramas: 6616 +Political Thrillers: 10504 +Psychological Thrillers: 5505 +Quirky Romance: 36103 +Reality TV: 9833 +Religious Documentaries: 10005 +Rock & Pop Concerts: 3278 +Romantic Comedies: 5475 +Romantic Dramas: 1255 +Romantic Favorites: 502675 +Romantic Foreign Movies: 7153 +Romantic Independent Movies: 9916 +Romantic Movies: 8883 +Russian: 11567 +Satanic Stories: 6998 +Satires: 4922 +Scandinavian Movies: 9292 +Sci-Fi & Fantasy: 1492 +Sci-Fi Adventure: 6926 +Sci-Fi Dramas: 3916 +Sci-Fi Horror Movies: 1694 +Sci-Fi Thrillers: 11014 +Science & Nature Documentaries: 2595 +Science & Nature TV: 52780 +Screwball Comedies: 9702 +Showbiz Dramas: 5012 +Showbiz Musicals: 13573 +Silent Movies: 53310 +Slapstick Comedies: 10256 +Slasher and Serial Killer Movies: 8646 +Soccer Movies: 12549 +Social & Cultural Documentaries: 3675 +Social Issue Dramas: 3947 +Southeast Asian Movies: 9196 +Spanish Movies: 58741 +Spiritual Documentaries: 2760 +Sports & Fitness: 9327 +Sports Comedies: 5286 +Sports Documentaries: 180 +Sports Dramas: 7243 +Sports Movies: 4370 +Spy Action & Adventure: 10702 +Spy Thrillers: 9147 +Stage Musicals: 55774 +Stand-up Comedy: 11559 +Steamy Romantic Movies: 35800 +Steamy Thrillers: 972 +Supernatural Horror Movies: 42023 +Supernatural Thrillers: 11140 +Tearjerkers: 6384 +Teen Comedies: 3519 +Teen Dramas: 9299 +Teen Screams: 52147 +Teen TV Shows: 60951 +Thrillers: 8933 +Travel & Adventure Documentaries: 1159 +TV Action & Adventure: 10673 +TV Cartoons: 11177 +TV Comedies: 10375 +TV Documentaries: 10105 +TV Dramas: 11714 +TV Horror: 83059 +TV Mysteries: 4366 +TV Sci-Fi & Fantasy: 1372 +TV Shows: 83 +Urban & Dance Concerts: 9472 +Vampire Horror Movies: 75804 +Werewolf Horror Movies: 75930 +Westerns: 7700 +World Music Concerts: 2856 +Zombie Horror Movies: 7540 \ No newline at end of file diff --git a/input/test/Test5056.txt b/input/test/Test5056.txt new file mode 100644 index 0000000..3ac32e3 --- /dev/null +++ b/input/test/Test5056.txt @@ -0,0 +1,7 @@ +Tweet +Cheetah Mobile Inc (NYSE:CMCM) reached a new 52-week low during trading on Wednesday . The company traded as low as $7.38 and last traded at $8.18, with a volume of 37770 shares changing hands. The stock had previously closed at $7.81. +CMCM has been the subject of a number of recent analyst reports. ValuEngine raised Cheetah Mobile from a "hold" rating to a "buy" rating in a report on Wednesday, May 2nd. TheStreet downgraded Cheetah Mobile from a "b-" rating to a "c" rating in a report on Friday, June 29th. Two equities research analysts have rated the stock with a sell rating, four have assigned a hold rating and one has issued a strong buy rating to the company. Cheetah Mobile currently has an average rating of "Hold" and an average target price of $12.25. Get Cheetah Mobile alerts: +The company has a market capitalization of $1.21 billion, a PE ratio of 6.00 and a beta of 3.30. Cheetah Mobile (NYSE:CMCM) last released its quarterly earnings results on Monday, May 21st. The software maker reported $0.07 earnings per share (EPS) for the quarter, missing the consensus estimate of $0.11 by ($0.04). The firm had revenue of $1.15 billion for the quarter, compared to analyst estimates of $1.13 billion. Cheetah Mobile had a return on equity of 33.45% and a net margin of 27.03%. The company's quarterly revenue was down 3.8% compared to the same quarter last year. During the same period last year, the firm earned $0.81 EPS. +Several large investors have recently added to or reduced their stakes in CMCM. BlackRock Inc. raised its stake in shares of Cheetah Mobile by 46.1% during the 4th quarter. BlackRock Inc. now owns 712,575 shares of the software maker's stock worth $8,608,000 after buying an additional 224,853 shares during the last quarter. Millennium Management LLC acquired a new position in shares of Cheetah Mobile during the 2nd quarter worth $2,054,000. Barclays PLC raised its stake in shares of Cheetah Mobile by 139,084.5% during the 1st quarter. Barclays PLC now owns 135,009 shares of the software maker's stock worth $1,805,000 after buying an additional 134,912 shares during the last quarter. GSA Capital Partners LLP acquired a new position in shares of Cheetah Mobile during the 2nd quarter worth $1,097,000. Finally, Wells Fargo & Company MN acquired a new position in shares of Cheetah Mobile during the 1st quarter worth $1,197,000. 5.13% of the stock is owned by institutional investors and hedge funds. +Cheetah Mobile Company Profile ( NYSE:CMCM ) +Cheetah Mobile Inc operates as a mobile Internet company worldwide. The company's utility products include Clean Master, a junk file cleaning, memory boosting, and privacy protection tool for mobile devices; Security Master, an anti-virus and security application for mobile devices; Battery Doctor, a power optimization tool for mobile devices; Cheetah Browser, a Web browser for PCs and mobile devices; CM Browser, a mobile browser to protect users from malicious threats; and CM Launcher, which provides personalized experience in using smart phones \ No newline at end of file diff --git a/input/test/Test5057.txt b/input/test/Test5057.txt new file mode 100644 index 0000000..4354ef7 --- /dev/null +++ b/input/test/Test5057.txt @@ -0,0 +1,2 @@ +Why in Mclean Va the Rate of Emergency Dentistry Is Increasing? By Telegram - Advertisement - The kind of care we need at the sudden traumatic dental problem cannot be handled by an individual. it is obvious that nobody wants to be in the emergency stage, however, for this case, it is important to have a trustworthy Mclean VA's emergency dentistry location such as Cai dentistry . Whereas, according to the research the rate of dental emergencies is increasing in Mclean VA. The study was based on numerous hospitals of United States of America and they have reported a relative increase in the dental emergency department. The calculation was done by comparing the number of visits to the dental department and the per capita dental visits. The oral health education is necessary for every child and likewise for every adult individual. The people are getting dependent on the technologies such as they get timely cleaning, X-rays, and exams for their teeth, which are temporary and as a result, the problem gets severe and leads to a dental emergency . According to the study, based on National emergency department samples, 41.8% of the diagnoses were of emergency. The number of visits has grown during the last two decades, the per capita rate of emergency dental visits have almost doubled as compared to the population growth. The increase in emergency patients has coincided with the decrease in the availability of the facilities to provide effective treatments. The hospitals have got into pressure to provide better care to the patients and competition is also increasing. With the growing technological changes, the medical sciences got the highest position. They have minimized the anxiety to visit the dentist. Within the last two decades, the patients can now experience no pain while having the treatment in Mclean VA. Around 45% of the dentists in the US have shifted towards digital technology whereas; in other countries, almost 100% of the dentists are treating emergencies with digital radiography. The updated technology has helped the dentists to treat patients faster, easier, and at affordable rates. Through acquiring cutting-edge technology every dental care center is thriving to capture the market. Similarly, in Mclean VA, emergency dentistry services quality has been enhanced daily along with adopting the technology, to get one step ahead of others. The patients are inclined towards those dental care centers which provide better and unique facilities. According to an estimate around 25+ medical facilities are being adopted within 6 months. Besides these, the rate of emergency dentistry in Mclean VA is also increasing due to the ignorance of oral health. On every mild dental pain visit get an immediate trip to Mclean VA emergency dentistry otherwise, the problem will get severe and you will have to face an extensive treatment in the future. Do not bear pain or try to get pain killers ; it will only provide temporary pain relief. Keep maintaining your smile by relying on the tooth brush and floss from the childhood. In addition, also consider the preventive measures dental care centers offers you to maintain your oral health such as mouth guard to protect your teeth while playing, dental sealants, fluoride treatment, teeth whitening , cleaning and oral appliances. The oral health when ignored can lead to a lot of gum diseases, and so on to dangerous diseases in the future. This is another cause of the increase rate of emergencies in Mclean VA. According to the survey conducted by a university, a single toothache becomes so severe that hospital emergency rooms have become intensive care centers. A dentist said I was terrified to see the number of patients in Mclean VA for emergency dentistry services; the rate was so quick and violent. Most of them do not have dental insurance and couldn't afford the extensive services. An analysis of the federal data done by the American Dental Association shows that the number of emergency visits has doubled from 1.1 million to 2.2 million within a decade, in the USA. This makes an average of one emergency visit in every 15 seconds. A lot of dentists said the problem persists despite doing the health reforms. Also, Dr. Jeffery Hackman said usually, the reason for visiting emergency dentistry is due to cavity hurt, and they have noticed a significant rise in the number of patients during the recent previous years. Moreover, they also provide affordable care Act health plans alike Cai dentistry. The plans for children and adult vary by state. Whereas, it is in the law, that the dentists have to treat the patients in an emergency, even If they do not have money to pay for services. Getting back, the results of the research also shows the same stats as mentioned above, 1.1 – 2.1 million increases. They also observed that the appearance of patients in Mclean VA for emergency dentistry have leveled off during 2008 and increased afterward. They have analyzed different factors that contribute to the increase in emergency patients. Some of the factors include reliance on the technological methods and avoiding toothbrush and flossing every day. A medical analyst reported that nearly half of the US medical care are referred to emergency departments. He said the stats show that the focus of the population on their health is minimal. He found out that around 130 million emergency department visits were incurred in 2013, while during the previous year, the emergency patient visit was 101 million. During the research, they accounted for certain groups involved in increasing the rate of emergency dentistry in Mclean VA and its connected states. The groups were African-America, medicare-Medicaid beneficiaries and residents of south and west. The use of updated resources for nonemergency patients and less utilization of the resources for emergency patients creates a difference in treatment, thus sometimes, result in the increased risk of emergency in the patient again and again. Some of the experts have argued that covering the deficiencies in and out patient resources without implementing planned prevention strategies. The strategies contribute to the development of the better emergency department and improve the effectiveness of the treatments which reduces the risk of the patient, visiting the emergency room again and again. Summing up, the whole scenario of emergency dentistry situations in Mclean VA, the major reason is not affording the services and hence ignoring the pain and treating it with pain killer or ignoring due to anxiety or busy routine. +Author Bio: Emily Joshua is a professional writer and part time blogger. Area she focusses on is Medical, her blogs and articles helps people choose between different alternatives and treatments \ No newline at end of file diff --git a/input/test/Test5058.txt b/input/test/Test5058.txt new file mode 100644 index 0000000..6e8573b --- /dev/null +++ b/input/test/Test5058.txt @@ -0,0 +1 @@ +…Get Sample Copy of this Report @ www.qyresearchgroups.com/request-sample/1052275 The report on "Global NVOCC Aggregator Market" is a professional report which provides thorough knowledge along with complete information pertaining to the NVOCC Aggregator industry a propos classifications, definitions, applications, industry chain summary, industry policies in addition to plans, product specifications, manufacturing processes, cost structures, etc. The potential of this industry segment has been rigorously investigated in conjunction with primary market challenges. The present market condition and future prospects of the segment has also been examined. Moreover, key strategies in the market that includes product developments, partnerships, mergers and acquisitions, etc., are discussed. Besides, upstream raw materials and equipment and downstream demand analysis is also conducted.Market segment by Type, the product can be split into• Cloud baseMarket segment by Application, split into• Retail industryCheck Discount @ www.qyresearchgroups.com/check-discount/1052275 Report Includes:- The report cloaks the market analysis and projection of "NVOCC Aggregator Market" on a regional as well as global level. The report constitutes qualitative and quantitative valuation by industry analysts, first-hand data, assistance from industry experts along with their most recent verbatim and each industry manufacturers via the market value chain.The research experts have additionally assessed the in general sales and revenue generation of this particular market. In addition, this report also delivers widespread analysis of root market trends, several governing elements and macro-economic indicators, coupled with market improvements as per every segment. The study objectives of this report are:To analyze global NVOCC Aggregator status, future forecast, growth opportunity, key market and key players.To present the NVOCC Aggregator development in United States, Europe and China.To strategically profile the key players and comprehensively analyze their development plan and strategies.To define, describe and forecast the market by product type, market and key regions.BUY NOW @ www.qyresearchgroups.com/checkout/1052275 About Us:QY Research Groups is a company that simplifies how analysts and decision makers get industry data for their business. Our unique colossal technology has been developed to offer refined search capabilities designed to exploit the long tail of free market research whilst eliminating irrelevant results. QY Research Groups is the collection of market intelligence products and services on the Web. We offer reports and update our collection daily to provide you with instant online access to the world's most complete and current database of expert insights on global industries, companies, products, and trends.Contact us \ No newline at end of file diff --git a/input/test/Test5059.txt b/input/test/Test5059.txt new file mode 100644 index 0000000..4d996c9 --- /dev/null +++ b/input/test/Test5059.txt @@ -0,0 +1,8 @@ +Tweet +Assurant, Inc. (NYSE:AIZ) COO Gene Mergelmeyer sold 14,144 shares of the firm's stock in a transaction on Tuesday, August 14th. The shares were sold at an average price of $109.41, for a total transaction of $1,547,495.04. The sale was disclosed in a filing with the SEC, which is accessible through the SEC website . +Shares of AIZ stock opened at $106.05 on Friday. The firm has a market cap of $5.60 billion, a PE ratio of 26.65 and a beta of 0.53. Assurant, Inc. has a one year low of $84.34 and a one year high of $111.43. The company has a debt-to-equity ratio of 0.38, a quick ratio of 0.49 and a current ratio of 0.49. Get Assurant alerts: +Assurant (NYSE:AIZ) last announced its quarterly earnings data on Tuesday, August 7th. The financial services provider reported $2.11 EPS for the quarter, beating the Thomson Reuters' consensus estimate of $1.76 by $0.35. The firm had revenue of $1.83 billion for the quarter, compared to the consensus estimate of $1.77 billion. Assurant had a net margin of 6.37% and a return on equity of 5.62%. During the same period last year, the firm earned $1.63 EPS. equities analysts forecast that Assurant, Inc. will post 7.73 EPS for the current fiscal year. The company also recently disclosed a quarterly dividend, which will be paid on Tuesday, September 18th. Stockholders of record on Monday, August 27th will be given a dividend of $0.56 per share. The ex-dividend date of this dividend is Friday, August 24th. This represents a $2.24 annualized dividend and a dividend yield of 2.11%. Assurant's payout ratio is 56.28%. +Several brokerages have recently commented on AIZ. Keefe, Bruyette & Woods restated a "buy" rating and set a $125.00 price objective on shares of Assurant in a research report on Wednesday, August 8th. SunTrust Banks raised their price objective on shares of Assurant to $129.00 and gave the company an "outperform" rating in a research report on Wednesday, July 11th. They noted that the move was a valuation call. Morgan Stanley began coverage on shares of Assurant in a research report on Tuesday, July 10th. They set an "overweight" rating and a $125.00 price objective on the stock. UBS Group raised their price objective on shares of Assurant from $115.00 to $118.00 and gave the company a "buy" rating in a research report on Thursday, June 21st. Finally, ValuEngine upgraded shares of Assurant from a "sell" rating to a "hold" rating in a research report on Thursday, June 21st. One analyst has rated the stock with a sell rating, one has given a hold rating and four have given a buy rating to the company. The stock currently has an average rating of "Buy" and a consensus price target of $124.25. +Hedge funds have recently made changes to their positions in the company. ING Groep NV increased its holdings in Assurant by 11,916.0% in the 2nd quarter. ING Groep NV now owns 644,178 shares of the financial services provider's stock valued at $66,666,000 after acquiring an additional 638,817 shares during the last quarter. Bank of New York Mellon Corp increased its holdings in Assurant by 56.9% in the 2nd quarter. Bank of New York Mellon Corp now owns 1,611,053 shares of the financial services provider's stock valued at $166,729,000 after acquiring an additional 584,393 shares during the last quarter. American Century Companies Inc. increased its holdings in Assurant by 3,691.2% in the 1st quarter. American Century Companies Inc. now owns 293,060 shares of the financial services provider's stock valued at $26,789,000 after acquiring an additional 285,330 shares during the last quarter. Massachusetts Financial Services Co. MA increased its holdings in Assurant by 63.3% in the 1st quarter. Massachusetts Financial Services Co. MA now owns 725,316 shares of the financial services provider's stock valued at $66,301,000 after acquiring an additional 281,234 shares during the last quarter. Finally, Schwab Charles Investment Management Inc. increased its holdings in Assurant by 47.3% in the 1st quarter. Schwab Charles Investment Management Inc. now owns 435,125 shares of the financial services provider's stock valued at $39,775,000 after acquiring an additional 139,712 shares during the last quarter. Hedge funds and other institutional investors own 93.44% of the company's stock. +Assurant Company Profile +Assurant, Inc, through its subsidiaries, provides risk management solutions for housing and lifestyle markets in North America, Latin America, Europe, and the Asia Pacific. The company operates through three segments: Global Housing, Global Lifestyle, and Global Preneed. Its Global Housing segment provides lender-placed homeowners, manufactured housing, and flood insurance; renters insurance and related products; and mortgage solutions comprising property inspection and preservation, valuation and title, and other property risk management services \ No newline at end of file diff --git a/input/test/Test506.txt b/input/test/Test506.txt new file mode 100644 index 0000000..1df0be2 --- /dev/null +++ b/input/test/Test506.txt @@ -0,0 +1,16 @@ +LONDON Information Services Group ( ISG ) (Nasdaq : III ), a leading global technology research and advisory firm, today announced it is expanding its ISG Provider Lens™ research coverage to the UK, with a report evaluating providers offering infrastructure, data center and private cloud services in this market. +The ISG Provider Lens Infrastructure and Data Center/Private Cloud Quadrant Report evaluates 45 providers serving the UK market across five quadrants: Managed Services and Transformation – Midmarket; Managed Services and Transformation – Large Accounts; Managed Hosting – Midmarket; Managed Hosting – Large Accounts, and Colocation. +The ISG research found enterprise demand in the UK for managed services and transformation offerings has increased dramatically in the last year, with many providers achieving double-digit growth. Much of that growth can be attributed to the rise in digital services, and the corresponding use of hybrid models, in which on-premises, private and public cloud are united and operating on a single, integrated platform. +The business itself, rather than IT, is the big consumer of managed services. Business leaders expect flexible, scalable services that can be deployed in the shortest amount of time possible. Numerous providers are specializing in and are prepared to meet these requirements, with many also offering backup, network, and software-defined data center (SDDC) services, ISG has found. Security also is a major consideration for enterprise buyers, even more so following the enactment of the EU's General Data Protection Regulation (GDPR) in May. +Managed hosting is a mature market in the UK, one that is increasingly being expanded to include cloud-based solutions and applications support, ISG found. Combining traditional and cloud services results in faster provisioning of additional services, more self-service options and flexible billing models, such as usage-based pricing. With the UK's upcoming withdrawal from the EU, providers in this space, like those in managed services, must ensure that GDPR and other EU compliance requirements are strictly adhered to. +ISG also has found that interest in colocation services has risen sharply in recent years and should continue to grow. Colocation providers, particularly those servicing the financial center in London , are responding to the increased demand by expanding their infrastructure facilities and adding new services, such as staff augmentation. Connectivity services also are being enhanced to create faster links to internet exchange nodes and hyperscale public cloud providers. ISG noted that colocation providers are offering their facilities to cloud service providers, in addition to enterprises wishing to relocate their on-premises infrastructure. +"The managed services market in the UK has increased significantly, fueled by the dramatic growth in cloud-based services," said Barry Matthews , partner and head of ISG UK and Ireland . "Large enterprises will continue to outsource more of their mission-critical IT, and the explosion of digital services will only increase this demand. Midmarket buyers, too, are more open to cloud solutions. Providers are responding by expanding their offerings to include hybrid infrastructure hosting, hyperscale solutions, data security, storage, networking and software environment support." +In its report, ISG named BT, Fujitsu and T-Systems as leaders in the Managed Services and Transformation – Midmarket quadrant; Atos, BT, Capgemini, Computacenter, DXC Technology, HCL, IBM and TCS as leaders in the Managed Services and Transformation – Large Accounts quadrant; Atos Canopy, BT, Claranet, Fujitsu, Rackspace and T-Systems as leaders in the Managed Hosting – Midmarket quadrant; Atos Canopy, BT, Capgemini, DXC Technology and IBM as leaders in the Managed Hosting – Large Accounts quadrant, and BT, Digital Realty, Equinix, Global Switch, Interxion and Telehouse as leaders in the Colocation quadrant. BT was the only provider to be named a leader across all five quadrants. +The ISG Provider Lens Infrastructure and Data Center/Private Cloud Quadrant Report for the UK is available to ISG Insights™ subscribers or for immediate, one-time purchase on this webpage . +About ISG Provider Lens™ Quadrant Research +The ISG Provider Lens™ Quadrant research series is the only service provider evaluation of its kind to combine empirical, data-driven research and market analysis with the real-world experience and observations of ISG's global advisory team. Enterprises will find a wealth of detailed data and market analysis to help guide their selection of appropriate sourcing partners, while ISG advisors use the reports to validate their own market knowledge and make recommendations to ISG's enterprise clients. The research currently covers providers serving the U.S., Germany , Australia , Brazil and the UK, with additional markets to be added in the future. For more information about ISG Provider Lens research, please visit this webpage . +The series is a complement to the ISG Provider Lens Archetype reports, which offer a first-of-its-kind evaluation of providers from the perspective of specific buyer types. Click here for more information about the previously published ISG Provider Lens Archetype report on Data Center Outsourcing. +About ISG +ISG (Information Services Group) (Nasdaq : III ) is a leading global technology research and advisory firm. A trusted business partner to more than 700 clients, including 75 of the top 100 enterprises in the world, ISG is committed to helping corporations, public sector organizations, and service and technology providers achieve operational excellence and faster growth. The firm specializes in digital transformation services, including automation, cloud and data analytics; sourcing advisory; managed governance and risk services; network carrier services; technology strategy and operations design; change management; market intelligence and technology research and analysis. Founded in 2006, and based in Stamford, Conn. , ISG employs more than 1,300 professionals operating in more than 20 countries—a global team known for its innovative thinking, market influence, deep industry and technology expertise, and world-class research and analytical capabilities based on the industry's most comprehensive marketplace data. For more information, visit www.isg-one.com . +SOURCE Information Services Group, Inc. +Related Links http://www.isg-one.co \ No newline at end of file diff --git a/input/test/Test5060.txt b/input/test/Test5060.txt new file mode 100644 index 0000000..70467c3 --- /dev/null +++ b/input/test/Test5060.txt @@ -0,0 +1 @@ +Vodafone Germany to run first 5G verifications in September 12:55 CET | News Vodafone Germany said it will begin verification of its first 5G devices and complete set-up for 5G tests in September at its innovation lab in Dusseldorf. The company will then test the new functionalities and features of 5G with real 5G antennae, it said \ No newline at end of file diff --git a/input/test/Test5061.txt b/input/test/Test5061.txt new file mode 100644 index 0000000..299e8ca --- /dev/null +++ b/input/test/Test5061.txt @@ -0,0 +1,16 @@ +Pangea Accelerator, an Oslo-based investment platform and accelerator programme, its recently launched accelerator in Nairobi, Kenya. +Applications to the Pangea Accelerator Programme opened last week Friday (5 January) and will close on 19 February. +A total of 40 startups will be selected to join the accelerator, which Pangea Accelerator co-founder and investor manager Chisom Udeze said is expected to kick off on 2 March. +The accelerator was founded last year by Udeze a Nigerian, together with Dede Koesah (Ghana/Togo), Gilbert Kofi Adarkwah (Ghana), and Jonas Tesfu (Eritrea), with the aim of supporting impact-driven African early-stage startups operating in fintech, agribusiness, greentech, edutech, and healthtech, among other sectors. +Applications are open to startups from any African country. To qualify applicants must either be at the pre-revenue stage or already generating a revenue. In addition, the startups must also have the potential to create jobs in their respective communities. +Udeze advised interested applicants to submit "structured applications" which clearly define the startup's innovative approach, scalability, team skillset and competence as well as capacity to see projects through. +"We want a comprehensive application that shows they understand the problems they are solving and the direct and indirect impacts their solution brings," she said. +In all, 40 startups will be selected to join Pangea's zero-equity accelerator programme The milestone-based programme will run for three months and will focus on making participating startups investment ready as well as on validation and scaling. +Towards the end of the programme, the accelerator — which has its own investment programme — will provide the top 10 startups with up to $50 000 in funding. +The investor manager said that Pangea Accelerator "believes in smart money", explaining that the investors contribute more than funds, but their skills, networks and industry expertise as well. +She said the selected startups do not have to give up equity to participate in the accelerator's all-expenses paid programme. +"At Pangea, we believe the startups should be in control of their business and how much equity they decide to give away. Our role is primarily, to connect them to relevant investors and capital," she added. +The accelerator's founders who are from Ghana, Togo, Nigeria and Eritrea, visited Rwanda, Uganda and Kenya before finally choosing to launch the accelerator in Kenya because of the country's "well developed startup ecosystem". +Pangea's Nairobi accelerator programme will be run in collaboration with Strathmore University and Kenyan startup and research hub @iLabAfrica . +Learn more and apply here . +Featured image: Pangea Accelerator (Supplied \ No newline at end of file diff --git a/input/test/Test5062.txt b/input/test/Test5062.txt new file mode 100644 index 0000000..68ca7ca --- /dev/null +++ b/input/test/Test5062.txt @@ -0,0 +1,29 @@ +Fri 17 Aug 2018, 03:41 PM Share on social media Share via Facebook +Women in League Round sparked tonnes of positive feedback across social media in recent weeks, as did the support that our players have shown in getting behind some great causes. +Don't miss out on baby love, golf and plenty more by staying up to date with all the off-field action here on the NRL.com social recap. +#womeninleague +Big League knows what last round is all about. THIS WEEK in our special #WomenInLeague Round edition: Dragons Women's NRL stars share their stories, Isaiah Papali'i and mum Lorina make history, Belinda Sleeman, Big Sam's 300th NRL game + Philllip Sami, Vossy, Hindy, scores, stats and MORE! Digital: https://t.co/jUUHe14eU5 pic.twitter.com/j6ZZQyBQBo — Big League (@bigleaguemag) August 8, 2018 +In New South Wales, the Mounties were crowned premiers of the Harvey Norman NSW Women's competition after downing the South Sydney Rabbitohs 12-10 at ANZ Stadium. A post shared by MountiesRLFC (@mountiesrlfc) on Aug 10, 2018 at 1:56am PDT +Up in Queensland, the Burleigh Bears have claimed their fourth straight title in the South-East Division after defeating West Brisbane Panthers 14-0 at Cbus Stadium. A post shared by Burleigh Bears Rugby League (@burleighbears) on Aug 10, 2018 at 10:09pm PDT +And some of our very own NRL.com women kept you up to date with everything rugby league. A special shout out to the https://t.co/CWHDB16q3T team in #WomenInLeague round! #OurWay pic.twitter.com/p6bMdvinhE — Women's Rugby League (@WRugbyLeague) August 12, 2018 +#NRLW #OurWay +Only three weeks until the Holden Women's Premiership is underway. A post shared by Women's Rugby League (@wrugbyleague) on Aug 16, 2018 at 5:55pm PDT +St George Illawarra Dragons Sam Bremner and Talesha Quinn with Sydney Roosters Maddie Studdon and Shontelle Stowers at the Inaugural Holden Women's Premiership launch — Sammy Bremner (@SammyBremner) August 16, 2018 +The Roosters have started to put in the hard yards. A post shared by Shontelle Stowers (@shonnystowers) on Aug 15, 2018 at 6:43pm PDT +How good do those jerseys look! A post shared by Sockbae (@chelsealenarduzzi) on Aug 14, 2018 at 11:53am PDT +And the New Zealand Warriors came away with a 32-4 victory in their trial match against Auckland at Mt Smart Stadium. A post shared by Vodafone Warriors (@nzwarriors) on Aug 10, 2018 at 4:30pm PDT +Supporting amazing causes +Team FightMND - The Burgess brothers raised around $100k for research to find a cure for Motor Neuron Disease #City2Surf. A post shared by Sam Burgess (@samburgess8) on Aug 12, 2018 at 4:47pm PDT +Panthers skipper James Maloney and his two little legends have thrown their support behind, The Kids' Cancer Project. Our skipper @jim_jim86 and his sons Kade and Ethan have gone the shave to support The Kids' Cancer Project ��� — Penrith Panthers (@PenrithPanthers) August 15, 2018 +On the baby front +Congratulations to the Dragons prop Paul Vaughan and his beautiful wife Elle who will be expecting Baby V in January. A post shared by Paul Vaughan (@vaughanyvaughan) on Jul 23, 2018 at 3:34pm PDT +Parramatta second-rower Marata Niukore and girlfriend Nikki welcome their first son Kayden in the world. A post shared by @ marata_n on Jul 27, 2018 at 12:38am PDT +Panthers duo Jarone Lui and Dylan Edwards are happily on daddy duties. A post shared by Jarome Luai (@jaromeluai_) on Jul 26, 2018 at 3:55pm PDT A post shared by Dylan Edwards (@_dylan.edwards) on Jul 6, 2018 at 11:57pm PDT +Off-field hobbies +The Roosters traded football for some golf clubs #HappyGilmore. A post shared by Victor Radley (@victor_radley) on Aug 7, 2018 at 1:41am PDT A post shared by James Tedesco (@jamestedesco) on Aug 16, 2018 at 1:26am PDT +The Panthers boys hit the cinemas. Thanks to @bigjstevens for the preview screening of his new film #ChasingComets - in theatres August 23! #pantherpride pic.twitter.com/aiVida9Vuy — Penrith Panthers (@PenrithPanthers) August 7, 2018 +While the Sharks head to Holey Moley Golf in Newtown. A post shared by Cronulla Sharks FC (@cronullasharks) on Aug 8, 2018 at 2:55am PDT +Milestones shout outs +Panthers prop Viliame Kikau congratulated teammate Trent Merrin on reaching 200 NRL matches. Congrats mana @TrentMerrin on 200 nrl games Massive milestone and blessed to be a part of it Awesome effort from the boys to steal that W away! @penrithpanthers fans unreal �� #HowMekeTooooMeke pic.twitter.com/SLZtyxjpxm — Viliame Kikau (@BillKikau1) August 11, 2018 +And Warriors fullback Roger Tuivasa-Sheck gave a nice shout out to hooker Issac Luke on hitting his 250th first-grade match last Friday. A post shared by Roger Tuivasa-Sheck �� (@tuivasasheck) on Aug 10, 2018 at 4:11pm PDT +In round 23, Eels prop Peni Terepo is set to reach his 100th NRL match, while Dragons forward Jack De Belin will notch his 150th NRL game and Cowboys veteran Matt Scott will make 250th first-grade appearance. Relate \ No newline at end of file diff --git a/input/test/Test5063.txt b/input/test/Test5063.txt new file mode 100644 index 0000000..9a35cdf --- /dev/null +++ b/input/test/Test5063.txt @@ -0,0 +1,6 @@ +| 17th August 2018 " This niche area has been woefully underserved in recent years, so it will really plug a gap" +TBMC is piloting a new buy-to-let refurbishment product with Precise Mortgages. +The product includes initial bridging finance up to 75% LTV with rates from 0.49% per month, followed by a guaranteed exit onto a buy-to-let mortgage up to 80% LTV with rates from 2.89%. +Jane Simpson, managing director at TBMC, said: "Launching a new refurbishment product with Precise Mortgages is fantastic news for the buy-to-let mortgage market as this niche area has been woefully underserved in recent years, so it will really plug a gap. +"The product offers an excellent opportunity for buy-to-let investors, especially those who are looking to carry out works to meet minimum EPC ratings; purchase at auction and carry out light refurbishments before letting; make improvements to maximise rental yields; or purchase properties under valuation. +"We are expecting this to generate a lot of interest over the coming months and it should provide additional revenues for intermediaries in the buy-to-let market. \ No newline at end of file diff --git a/input/test/Test5064.txt b/input/test/Test5064.txt new file mode 100644 index 0000000..31c801d --- /dev/null +++ b/input/test/Test5064.txt @@ -0,0 +1,20 @@ +Church president: Use 'Latter-day Saints' not 'Mormon' Brady Mccombs, The Associated Press Friday Aug 17, 2018 at 6:00 AM +SALT LAKE CITY (AP) " The faith has the famous Mormon Tabernacle Choir, recently made a documentary about its members called "Meet the Mormons" and uses "Mormon" in its official website addresses. +But on Thursday Mormon church President Russell M. Nelson said he wants people to stop using "Mormon," or "LDS" as substitutes for the full name of the religion: The Church of Jesus Christ of Latter-day Saints. +Nelson said in a statement that the "Lord has impressed upon my mind the importance of the name he has revealed for his church." +The full name was given by revelation from God to founder Joseph Smith in 1838, according to the faith's beliefs. +The faith's presidents are considered prophets who lead the church through revelations from God. The 93-year-old Nelson ascended to church president in January when the previous president died. +An updated style guide posted by the faith suggests using "the Church," Church of Jesus Christ" or "restored Church of Jesus Christ" when a shortened reference is needed. For church members, it requests using "Latter-day Saints" or "members of The Church of Jesus Christ of Latter-day Saints." +The term "Mormonism" should no longer be used either to refer to the faith's doctrine, culture and lifestyle, the styled guide said. +The church says it will update websites and materials in the coming months to reflect the guidance. +The terms "Mormon," ''Mormonism" and "LDS" have been frequently used for decades by the religion and by both members and non-members to refer to the Utah-based faith that counts 16 million members worldwide. +The church has always requested use of the full name, but accepted the use of Mormon and LDS as short-hand. +The church ran a series of ads starting in 2010 under the theme, "I'm a Mormon" to dispel stereotypes by telling the stories of individual Mormons. The campaign included TV ads, billboards and ads on buses. One video posted in 2011 featured Brandon Flowers, the lead singer of the popular rock song, The Killers. It ends with: "My name is Brandon Flowers. I'm a father, I'm a husband and I'm a Mormon." +In 2014, the faith followed up by making a documentary called "Meet the Mormons" that told the stories of six church members living around the world, including Navy football coach Ken Niumatalolo. +It will be an "extremely difficult change" since the terms are engrained among members, journalists, academics and observers, said Patrick Mason, a professor of religion at Claremont Graduate University in California who is the chair of Mormon Studies at the college. He recently published a book titled, "What is Mormonism?" +Mason said he expects church members will do their best to conform but predicted outsiders will continue to use Mormon and Mormonsim "both out of habit and ease, since the formal name of the church is so long." +Mason said Nelson has long insisted on using the full and proper name during his three decades on the Quorum of the Twelve Apostles, a governing body that sits below the church president and helps make church policy. Nelson became president when the previous president, Thomas S. Monson, died because he was the longest-tenured member of the panel. +The decision sparked buzz on social media in Utah, with people pointing out that the news release was being disseminated from a Twitter account with "Mormon" in the name " @MormonNewsroom " and being posted on a website also featuring the word: mormonnewsroom.org. +Rebranding a business or large institution is a difficult task that usually costs millions of dollars and often takes generations to take hold, said David Margulies, president of a Dallas public relations firm. +The term "Mormon" is engrained in American culture and has a lot of good equity that the faith would be losing by shifting away from using it, he said. He predicts confusion among people who won't realize the full name is the same religion as Mormons, and said there's a "very slim" chance the name change will catch on. +"It's a recognized, large religion. Mitt Romney is a Mormon," Margulies said. "It's well established so if you're going to change it you need a reason for changing it that makes sense. . . . Changing the name sounds like you're covering something up. \ No newline at end of file diff --git a/input/test/Test5065.txt b/input/test/Test5065.txt new file mode 100644 index 0000000..fe69f3c --- /dev/null +++ b/input/test/Test5065.txt @@ -0,0 +1 @@ +Angry Birds maker Rovio's games get sales boost (Adds comments, detail) HELSINKI, Aug 17 (Reuters) - Rovio Entertainment, the maker of the "Angry Birds" mobile game series and movie, on Friday reported an increase in second-quarter sales at its games business, providing a positive sign for investors after a profit warning in February. The Finnish company, which listed on the stock market in Helsinki last September, reported lower second-quarter earnings due to declining revenue from its 2016 Hollywood movie, but the number of active players for its games rose more than analysts had expected. Second-quarter adjusted operating profit fell to 6 million euros ($7 million), down from 16 million euros a year earlier and slightly above the average market forecast according to Thomson Reuters data. Total sales fell 17 percent to 72 million euros but sales at the games business rose 6 percent to 65 million euros. Rovio's shares rose 3.3 percent on the day by 0714 GMT. The stock is trading around 50 percent below its initial public offering price. The company's recent troubles have stemmed from tough competition and increased marketing costs, as well as high dependency on the Angry Birds brand that was first launched as a mobile game in 2009. Rovio reiterated the full-year outlook that had disappointed investors in February, when it said that sales could fall this year after a 55 percent increase in 2017. OP Bank analyst Hannu Rauhala said it seemed that the allocation of user acquisition investments had been successful. "Those investments have resulted in growth both in revenue and the number of active players," said Rauhala, who has a "buy" rating on the stock. Rovio expects a movie sequel to boost business next year and the company has also stepped up investments in its spin-off company Hatch, which is building a Netflix-style streaming service for mobile games. Rovio's current top title "Angry Birds 2" generates almost half of the company's game income. "It would be desirable to see other mainstays to emerge in its game business, meaning new successful games," OP's Rauhala said. ($1 = 0.8788 euros) (Reporting by Jussi Rosendahl and Anne Kauranen; Editing by Kim Coghill and Jane Merriman) First Published: 2018-08-17 07:46:45 Updated 2018-08-17 10:00:3 \ No newline at end of file diff --git a/input/test/Test5066.txt b/input/test/Test5066.txt new file mode 100644 index 0000000..f47e90f --- /dev/null +++ b/input/test/Test5066.txt @@ -0,0 +1 @@ +Written by Petteri Pyyny ( Google+ ) @ 17 Aug 2018 5:15 Google has just lost a court case in Finland. The Supreme Administrative Court of Finland decided today that the search engine giant has to remove search results from its index that include the personal details of a convicted murderer. The case was brought against Google by the Finnish Data Protection Ombudsmand , the government entity that enforces privacy regulation in Finland. The Ombudsman's office asked Google to remove the results back in 2016, but the search giant refused, citing public interest and freedom of speech. At the core of the dispute is a murder case that happened in 2012. The man in question was found guilty of murder but was also deemed to be mentally unstable. He was jailed for 10 years but was released last year. In today's decision, The Supreme Administrative Court decided that the ability for anyone to find details of this person's medical history and illness on Google was detrimental to his life, extending beyond the prison time he served for his crimes. Google now has to remove all search results listed on the court case from its index. Obviously, the information itself will stay in the Internet, but Google won't show links to those pages anymore \ No newline at end of file diff --git a/input/test/Test5067.txt b/input/test/Test5067.txt new file mode 100644 index 0000000..75c73de --- /dev/null +++ b/input/test/Test5067.txt @@ -0,0 +1,115 @@ +Conclusion What Are Google Shopping Ads And Why Are They So Powerful? +If you've ever performed a search in Google, then chances are you've seen Google Shopping Ads in the wild without even realizing it. +For example, when I type in the keywords "linen cocktail napkin" into Google, this is what shows up in the search results. +Now the reason why Google Shopping ads are so effective is because of 3 factors . Search Intent – When someone types in a product based keyword in Google, there is a much higher probability that the visitor is looking to buy. Product Photography – Because a is shown to the visitor, he or she knows exactly what the product looks like before they click on the link. Price Clearly Marked – Because the price is clearly shown, the visitor already knows how much your product costs before they click on the ad. +Whenever customers click on your ad, they already have most of the information they need to make a buying decision . +As a result, there is clear purchase intent which is why Google Shopping converts so well. And the best part is that you only pay Google when someone actually clicks on your ad . Step 1: Getting Started +One of the negative aspects of Google Shopping is that it requires a little bit of setup before you can run your first ad. +In addition to signing up for a Google Adwords account, you also need to setup your product feed over at the Google Merchant Center . +A product feed is information that Google uses to display your products for Shopping ads. In other words, a feed is where you submit your product data to the Google Merchant Center. +A feed can be generated in 3 ways Tab Delimited CSV File – A simple excel file that lists your products for sale Google Sheets – Same as the above except with Google Sheets Content API – Your shopping cart will transmit your products electronically to Google +If you are on Shopify or BigCommerce , the Google feed can be automatically created and is already built into the platform. But in general, any modern shopping cart will have a Google Shopping feed plugin that you can use. Step 2: Make Sure Your Feed Is Optimized +One thing that you'll notice about Google Shopping ads is that you can't directly bid on specific keywords for your products. +In fact, this is the one major difference between Google Shopping Ads and regular Google Adwords ads. +As a result, you have to rely on Google to "magically" determine which search terms apply to which products. And the main information that Google uses to decide comes from your product feed. +Now most people simply submit their product feed to Google without looking at it, but it's in your best interests to spend a few minutes on optimization . +After all if your feed is poor, then no ads will be shown to visitors because Google has no idea who to show your products to. +Here are some guidelines for a good strong feed Use Strong Titles – Make sure you do the proper keyword research on your products. Use a tool like Long Tail Pro to find keywords that visitors are using to search for your products. Don't forget to include your brand and try not to exceed the 150 char limit. Use Strong Descriptions – Make sure that you incorporate any secondary keywords into your product description. Use Structured Markup – Structured markup is a way to help Google crawl your site properly. In other words, instead of having Google parse your site and make educated guesses, you can simply spell out to Google the relevant information about your products directly on your website. Choose An Accurate Google Product Category – Google provides a list of valid categories that you must specify for your products. If you don't select a valid category, then your ads may not show. Leverage The Product Type Field – Use the product_type attribute to include your own product categorization system in your product data. Unlike the Google Product Category attribute, you get to select the values. Make sure you include all relevant keywords here including competitors. Step 3: Run Your First Google Shopping Ad +Once you have your feed setup, you are ready to run your first ad! +But before you get too excited, there are a few things that you need to know about how Google Shopping Ads work . +First off, Google ads is a learning platform which means that you will initially need to bid a slightly higher amount to provide Google with the conversion data that it needs. +In other words, it's in your best interests to set your CPCs at the upper range the beginning. +Here's a quick and dirty way to set your starting bids. +Take your avg profit per purchase and multiply it by your average conversion rate. +For make $50 profit per purchase and your average conversion rate is 2%. Then you should set your starting bid at $1. +Usually in the beginning, you must be prepared to lose some money in order to calibrate Google's algorithm . +For my store, my keywords and products are relatively inexpensive so I usually set my initial cost per click bid at $1 and let it ride for all products. +Once your campaigns are up and running, allow them to run at least a week. +Note: Your initial bid highly depends on your products and can be higher or lower depending on the level of competition. If you don't see any impressions or traffic in the first 48 hours, then chances are you are bidding too low. Step 4: Adjust Your Bids Accordingly +Once you have some impressions, clicks and hopefully some sales, it's time to start analyzing your data . +Now optimizing your Google Shopping campaigns is both an art form and a science . And while it's ok to follow general guidelines, often times you'll need to make some decisions based on your instincts. +For example, some people will say that you shouldn't make any changes until you have 100 clicks. Others will make immediate adjustments once they have as few as 10 clicks. +Ultimately, it's up to your gut feel whether you have enough data to take action. +Because we are the leader in the handkerchief space, I feel pretty confident making changes with as few as 20 clicks for certain products. +In any case, I'll outline a set of guidelines below but feel free to adjust them as you see fit. +First off, you need to use the Adwords campaign manager to filter out your products that are doing well . +In my case, I like to choose products that are getting at least a 4X return on ad spend with at least 2 conversions or more. +For these winning products, I'll usually up the bid to increase the number of impressions to these products. +Similarly, I'll reduce the bids on products that are receiving a low ROAS (<2.5X) or products with "sufficient" clicks but no conversions. Step 5: Add Negative Keywords +Once you are getting some impressions and clicks, you also need to look at your Google Shopping campaigns to see if there are any search keywords that are totally irrelevant to your products. +To find your negative keywords, simply click on the keywords tab and select "search terms" . +Then look for keywords that you know for sure will not result in a sale . For example, we don't sell battenburg lace shams in our shop but Google is showing ads for this keyword term. +As a result, I've added this keyword to my negatives list . +In the very beginning, you should monitor your negatives like a hawk but as your campaigns mature, you can probably get away with looking at your search terms once per month. Step 6: Bid Higher On Your High Converting Search Terms +Remember when I said that you can't bid on specific keywords for your Google Shopping campaigns? Well that statement is only partially true . +With a little bit of trickery, you can indirectly bid higher on your highest converting keywords . +Similar to the way you found your negative search terms, you also want to perform the same exercise on your highest performing keywords as well. +Under the search terms page, use a filter to find keywords that are getting a ROAS of > 4X with more than 2 conversions . +Once you have your best performing keywords, follow these directions . +First, you need to make an exact duplicate of your main Google Shopping campaign. +This is accomplished by selecting your campaign and doing a copy and paste . +Once you have created a duplicate campaign, you need to go under settings and change the priority of the duplicate campaign to "medium" +What did we just do? +Basically, we created an identical shopping campaign to our main campaign with a lower priority . As a result, any search query that doesn't fall under our main campaign will trickle down to our medium priority campaign . +Once both campaigns are setup, you need to go under your main high priority Shopping campaign and add your best keywords to the negative keyword list . +You heard that correctly. +You do not want your best keywords to fall under your main Shopping campaign. Instead you want those keywords to trickle down and be served by your newly created "medium priority" campaign. +Finally, you want to adjust the bids higher in your duplicate medium priority campaign . This way, you can bid higher on your highest converting keywords in Google Shopping! +In case you are a little lost, here's a quick summary of the process. We created an identical clone to our existing Google Shopping campaign with a medium priority We then made our best keywords negative on our main campaign so those keywords trickle down to our medium campaign. We set our bids higher on our medium campaign so that our best keywords get the most exposure on Google Step 7: Further Optimize Your Ads With RLSA +If you've followed steps 1-6 above, you are already more knowledgeable than 90% of advertisers out there! +These next set of optimizations were ones that I learned from my good friend Brett Curry from OMG Commerce . +In fact, Brett took over my entire Google Shopping account last year to show me the power of some of these advanced concepts . +The first thing that Brett did was apply RLSA to my Google Shopping ads. +RLSA stands for remarketing lists for search ads which is a feature that allows you to tailor your search campaigns based on whether a user has previously visited your store. +Now this step doesn't have to be overly complicated but the general idea is that you want to bid higher for folks who have already visited your site . +Why? It's because people who have already visited your site are much more likely to convert . +In the example above, I am increasing my bid 250% for all people who have visited my site. As a result, I'm pretty much guaranteed to get the top search result for existing customers. +Even though I'm bidding so high, I still get a 6X return on ad spend because the conversion rate is so good for warm traffic. +To create an audience for RLSA , simply go under the "Tools" menu and select "Audience Manager" +In the audience manager, you can create custom audiences based on Website Visitors – Create audiences based on specific pages that a customer has visited Customer List – Upload a list of visitor emails to create a custom audience Similar Audiences – Create what is essentially the equivalent of a lookalike audience in Facebook. Google will find people that are similar to your existing customers. +Here's an excerpt from my list of custom audiences. +Just as an example, I have an audience called "Viewed Napkin". And for everyone who's viewed a napkin product in our store, we've boosted the bids on all of our napkin products. +Adjusting your bids using RLSA is a very powerful way to improve conversions. Step 8: Use Location Based Targeting +If your products are selling well in specific geographical locations, then it's in your best interests to increase your bids in your high converting areas and reduce your bids in your poorly converting regions. +For example if I sell Washington Capitals jerseys, I wouldn't want to show ads for these products to people living in California. +Even if your products have broad appeal, it's worth looking at the location based breakdown of your sales and adjust your bids accordingly. +In the example above, I've increased my bid for residents in Colorado by 25% because people in Colorado are more likely to convert based on my prior sales data. +Conversely, people in Adams County, Pennsylvania don't convert as well so I've reduced the bid by 25% . +Location based bidding is a great way to fine tune your ads! Step 9: Schedule Your Ads Appropriately +The bulk of ecommerce sales occur during regular business hours . And if you look at the transaction data for your shop, you'll notice that most people rarely buy anything after 10PM . +As a result, it's in your best interests to only show your ads during peak sales periods during the day. +In the example above, I don't make many sales on Friday from midnight to 2AM so I've reduced the bids by 30% during that period. +Conversely I get a large number of orders on Mondays between 4AM -1PM so I've upped those bids by 20% . +Take a look at when your conversion rate is the highest during the day and adjust your bids accordingly for maximum profit! Step 10: Adjust Your Bid Based On Device Type +For most ecommerce stores, customers like to browse on their smartphones but make their purchases from the comforts of a desktop or tablet. +For my store, my mobile conversion rate is lower than my desktop conversion rate so I bid slightly less for mobile visitors on Google. +Now this strategy may or may not be a wise move because customers often require multiple touchpoints before buying from your store. +But in our case, almost all of our customers purchase on the same day as discovering our products. As a result, we lower our mobile bids to increase our ROAS. Step 11: Create A Top Products Campaign +Once your campaigns have been running for a while, you should start to see certain products convert better than others with a high ROAS. +The next step is to move these high converting products SKU by SKU to their own separate campaign and increase your bids on these products. +Now you're probably asking yourself, why bother grouping together your top products instead up just upping your bids in your main campaign? +Grouping all of your top products allows Google to further optimize your campaigns and increase the visibility of your ads to a wider audience. +Remember, Google uses a learning algorithm and the better your campaigns convert and the higher your quality score , the more often Google will show your ads at lower bids. +In addition, grouping your top products together allows you to perform the next optimization which is incredibly powerful. Step 12: Use Google's Target ROAS Feature To Put Your Campaigns On Autopilot +Once Google has enough conversion data from your campaigns, you can literally put your top performing ad campaigns on autopilot . +This feature is called "Target ROAS" and it allows Google to take over all of your bids on your campaign to achieve your desired return on ad spend. +To turn on Target ROAS bidding, go to your settings page, choose Target ROAS and select your desired return on ad spend . +Now there are a few things about Target ROAS that you should be aware of. +First off, you shouldn't turn Target ROAS on unless you can consistently achieve at least 15 conversions in a 30 day period . After all, you need some traction in your campaign before you start. +In addition, because Target ROAS is a campaign wide feature, you should enable this feature on your best, most consistent campaigns . This is one of the reasons why we created a "top products" campaign back in step 11. +Finally, you should not set your Target ROAS too high, otherwise Google will not be able to achieve it and just give up. +If your campaign follows all of the criteria above, Google actually does a pretty good job of achieving your target return . And the best part is that it's set it and forget it. +Here's a snapshot of one of my Target ROAS campaigns. +As you can see, Google has done a pretty good job of maintaining my return on ad spend without lifting a finger . +On one campaign, I requested a 6X ROAS and Google got me a 7X ROAS . On the other campaign, I requested a 7X ROAS and I got a 6.39X ROAS . +Not bad! Step 13: Create A Low Bid Campaign For Brand Terms +This final campaign can actually be created and run from the start. And the idea behind this campaign is to create a very low bid set of Shopping ads to cover any low hanging fruit . +For example, if anyone types in your brand name , this low bid campaign should display your product ads at a very low cost. +By bidding 3-5 cents per click , you are ensuring that your products are showing up over your competitors for your own branded terms. +In general, this campaign will not be a high volume campaign, but it's usually highly profitable . And you'll probably make a few sales here and there for extremely long tail keyword terms as well. Conclusion +As you can tell from the 13 steps above, running Google Shopping ads profitably is more than just launching a generic campaign and watching the money pour in. +You have to be proactive , monitor your data and take appropriate action. +Almost everyone who has complained to me that "Google Shopping ads don't work" usually have not done the proper due diligence with their campaigns. +If you want to learn more about how to start a profitable online store, then consider signing up for my free 6 day mini course . +Note: I don't do consulting nor do I run Google Shopping campaigns for other people. However, my friend Brett Curry offers a Google Shopping campaign management service. +I trust Brett and if you need help running your campaigns, he can be found at OMGCommerce.com free and you'll receive weekly ecommerce tips and strategies! Note: This post above may contain affiliate links, which means that I may receive a commission if you make a purchase when clicking a link. Please consult our privacy policy for more information. Similar Post \ No newline at end of file diff --git a/input/test/Test5068.txt b/input/test/Test5068.txt new file mode 100644 index 0000000..dbef486 --- /dev/null +++ b/input/test/Test5068.txt @@ -0,0 +1,6 @@ +WhatsApp has announced that from 12 November 2018, WhatsApp backups will no longer count towards Google Drive storage limits. +"Furthermore, WhatsApp backups that haven't been updated in more than one year will be automatically removed from Google Drive storage. To avoid the loss of any backups, we recommend you manually back up your WhatsApp data before 12 November 2018," said WhatsApp. +"You can back up your chats and media to Google Drive, so if you change Android phones or get a new one, your chats and media are transferable," it added. +The announcement follows the recent launch of WhatsApp group calling, which we tested in the office. +Read the test overview here . +Now read: Teen pleads guilty to hacking Apple Google Drive WhatsAp \ No newline at end of file diff --git a/input/test/Test5069.txt b/input/test/Test5069.txt new file mode 100644 index 0000000..0a4f82e --- /dev/null +++ b/input/test/Test5069.txt @@ -0,0 +1 @@ +An army of troll-fighters is tackling fake news ahead of midterms Illustration: Rebecca Zisser/Axios A surge of nefarious activity online has created new businesses, research disciplines and newsroom beats focused on studying and combating internet propaganda. Why it matters: Americans were mostly caught flat-footed by the sophistication of state-sponsored and fringe misinformation attacks leading up to the 2016 election. Now, a variety of groups — from academics to journalists — are mobilizing to try to stay ahead of it. Read more toggle Show less Go deeper 740 Words The big picture: Every expert Axios has spoken to about fighting misinformation agrees that no one institution has enough visibility to piece together a full picture of the underlying campaigns perpetuated by bad actors. The only way to stay on top of the threat is to increase the attention and resources being spent on learning about online fake news across a variety of sectors. Non-profits: One leader in the field is the Digital Forensic Research Lab within The Atlantic Council, which has been given access to data from platforms, including Facebook , to help study the campaigns. The Lab has roughly a dozen people in different time zones studying behaviors and patterns of bad actors and fake news. Ben Nimmo, information defense fellow at the Lab, says tracking misinformation campaigns is like "building a jigsaw puzzle with all of the little bits and pieces you find, using as much evidence as you can to piece information together." Other non-profits, like The Knight Foundation, are running programs that grant funds to those that have new ideas about how to spur news literacy and combat fake news. The Data & Science Research Institute, led by founder and president Danah Boyd, is also working to combat fake news through the study and analysis of data-driven automated technologies, including social media platforms. For-profits: Businesses have also begun to fight misinformation and vet content online. Storyful, a social media intelligence company bought by News Corp in 2013, aims to find and address misinformation campaigns in real time. Their clients, ranging from media companies to platforms, rely on them to weed through existing threats and quickly identify new ones. " While we do have proprietary tools that allow us to monitor a range of platforms at once, we really rely on a symbiotic effort between journalists and technology to help identify patterns in misinformation. Storyful was established as a combo of technology and journalism." — Padraic Ryan, senior journalist, Storyful News and advertising industry: The advertising industry has been particularly vigilant about weeding out fake news and misinformation because brands are more wary of placing ads next to untrustworthy content. Groups like Sleeping Giants, which calls out brands that advertise on propagandist websites, have caused thousands of advertisers to flee from websites like Breitbart and Infowars. Longtime journalists Steven Brill and Gordon Crovitz launched NewsGuard earlier this year, which will hire dozens of journalists as analysts to review news websites ahead of the midterm elections. Some advertising fraud companies, like White Ops, are using fraud detection tools to help identify behaviors of bad actors using fake news to make money. Journalists: Prior to the 2016 election, most journalists covered media through the lens of well-known institutions, like cable news. After the election, dozens of newsrooms assigned journalists to beats covering misinformation and fake news. CNN, Buzzfeed News, The Daily Beast and others have been particularly aggressive. "Prior to the very end of 2016, this was a niche area with a relatively small group of people who cared about it ... There was only a very small group of nerds who knew each other and were doing this work in some element of isolation." — Craig Silverman, BuzzFeed News media editor who focuses on fake news and information Academics: More universities and are creating programs to study misinformation and online propaganda. For example, Jonathan Albright, the director of the Digital Forensics Initiative at the Tow Center for Digital Journalism, has done extensive research on how the spread of misinformation through ad technology and social media affects elections. Other universities, like Stanford, Vanderbilt and Harvard, are also ramping up research efforts into fake news and misinformation. Big tech: The tech companies, whose cloud and social media technologies are often being used to host and spread misinformation, are pouring resources into the fight. HP , Google , and others are spending millions into initiatives to fight fake news. Facebook, Google, Twitter and others are implementing programs to fight fake news on their own platforms, and are hiring tens of thousands of contractors to help moderate fake news. But many critics argue they still aren't doing enough, given the enormous revenue they make off of automated content. The bottom line: Even though the global threat of misinformation is getting bigger as bad actors becomes more sophisticated, there's a much higher level of awareness and attention towards the issue than ever before \ No newline at end of file diff --git a/input/test/Test507.txt b/input/test/Test507.txt new file mode 100644 index 0000000..7b5b6de --- /dev/null +++ b/input/test/Test507.txt @@ -0,0 +1 @@ +Melbourne Event Planner - Alive Events Agency Description: Alive Events Agency, founded by Antony Hampel , is an event management company based in Australia that creates extraordinary events in Sydney, Melbourne, and Australia wide. Alive Event Agency can speak to audiences of thousands or an intimate few. No matter what scale, Alive Events Agency, produces unique and authentic live brand communications for consumers and trade, with outstanding results. View Bio of Antony Hampel: Antony Hampel Award Shows Producer Antony Hampel Managing Director Alive Events Agency Antony Hampel - Event Producer Alive Events Agency produces extraordinary product launches , brand activation , experiential marketing , event launches, event activation, road shows, exhibitions, award shows, public events, concerts, fashion events, media stunts, red carpet events, creative conferencing, event management , and many more. . Contact Alive if you are looking for any of the following \ No newline at end of file diff --git a/input/test/Test5070.txt b/input/test/Test5070.txt new file mode 100644 index 0000000..d5c782c --- /dev/null +++ b/input/test/Test5070.txt @@ -0,0 +1 @@ +Press release from: Orian Research Mobile Phone Insurance Market Mobile Phone Insurance is defined as an insurance product that covers certain insured events arising in relation to mobile phones. This report is focused on insurance products that exclusively have their primary focus to provide coverage against some kind of damage (loss, theft, physical damage, etc.) of mobile phones. Based on sales channels, in an effort to boost the uptake of mobile phone insurance, wireless carriers and insurance providers have extensively enhanced their insurance offerings with the addition of location tracking, data protection/recovery features and integrated technical support.Get Sample copy @ – www.orianresearch.com/request-sample/605416 Scope of the Report: This report studies the Mobile Phone Insurance market status and outlook of Global and major regions, from angles of players, countries, product types and end industries; this report analyzes the top players in global market, and splits the Mobile Phone Insurance market by product type and applications/end industries.Based on regions, North America and Europe are relatively mature markets which are navigating the market. In 2018, total North America Mobile Phone Insurance Market Size is estimated to be 10625 Million USD, growing at a CAGR of 10.43% from 2013 to 2018. Total Europe Mobile Phone Insurance Market Size is estimated to be 6795 Million USD, growing at a CAGR of 11.72% from 2013 to 2018. APAC is expected to be the fastest growing market, especially for the rapid growing China and India market.Complete report on Mobile Phone Insurance Market report spread across 135 pages, profiling 11 companies and supported with tables and figures. Inquire more @ www.orianresearch.com/enquiry-before-buying/605416 Development policies and plans are discussed as well as manufacturing processes and cost structures are also analyzed. This report also states import/export consumption, supply and demand Figures, cost, price, revenue and gross margins. The report focuses on global major leading Mobile Phone Insurance Industry players providing information such as company profiles, product picture and specification, capacity, production, price, cost, revenue and contact information. Upstream raw materials and equipment and downstream demand analysis is also carried out. The Mobile Phone Insurance industry development trends and marketing channels are Analysis of Mobile Phone Insurance Industry Key Manufacturers: • AI \ No newline at end of file diff --git a/input/test/Test5071.txt b/input/test/Test5071.txt new file mode 100644 index 0000000..0ead67d --- /dev/null +++ b/input/test/Test5071.txt @@ -0,0 +1,21 @@ +Musk's SpaceX could help fund take-private deal for Tesla: NYT Friday, August 17, 2018 1:05 a.m. EDT FILE PHOTO: Elon Musk, founder, CEO and lead designer at SpaceX and co-founder of Tesla, speaks at the International Space Station Research +(Reuters) - Elon Musk's rocket company, SpaceX, could help fund a bid to take electric car company Tesla Inc private, the New York Times reported on Thursday, quoting people familiar with the matter. +Musk startled Wall Street last week when he said in a tweet he was considering taking the auto company private for $420 per share and that funding was "secured." He has since said he is searching for funds for the effort. +Musk said on Monday that the manager of Saudi Arabia's sovereign wealth fund had voiced support for the company going private several times, including as recently as two weeks ago, but also said that talks continue with the fund and other investors. +The New York Times report said another possibility under consideration is that SpaceX would help bankroll the Tesla privatization and would take an ownership stake in the carmaker, according to people familiar with the matter. +Musk is the CEO and controlling shareholder of the rocket company. +Tesla and SpaceX did not respond when Reuters requested comment on the matter. +In a wide-ranging and emotional interview with the New York Times published late on Thursday, Musk, Tesla's chief executive, described the difficulties over the last year for him as the company has tried to overcome manufacturing issues with the Model 3 sedan. https://nyti.ms/2vOkgeM +"This past year has been the most difficult and painful year of my career," he said. "It was excruciating." +The loss-making company has been trying to hit production targets, but the tweet by Musk opened up a slew of new problems including government scrutiny and lawsuits. +The New York Times report said efforts are underway to find a No. 2 executive to help take some of the pressure off Musk, people briefed on the search said. +Musk has no plans to relinquish his dual role as chairman and chief executive officer, he said in the interview. +Musk said he wrote the tweet regarding taking Tesla private as he drove himself on the way to the airport in his Tesla Model S. He told the New York Times that no one reviewed the tweet before he posted it. +He said that he wanted to offer a roughly 20 percent premium over where the stock had been recently trading, which would have been about $419. He decided to round up to $420 - a number that has become code for marijuana in counterculture lore, the report said. +"It seemed like better karma at $420 than at $419," he said in the interview. "But I was not on weed, to be clear. Weed is not helpful for productivity. There's a reason for the word 'stoned.' You just sit there like a stone on weed," he said. +Some board members recently told Musk to lay off Twitter and rather focus on operations at his companies, according to people familiar with the matter, the newspaper report said. +During the interview, Musk emotionally described the intensity of running his businesses. He told the newspaper that he works 120 hours a week, sometimes at the expense of not celebrating his own birthday or spending only a few hours at his brother's wedding. +"There were times when I didn't leave the factory for three or four days — days when I didn't go outside," he said during the interview. "This has really come at the expense of seeing my kids. And seeing friends." +To help sleep, Musk sometimes takes Ambien, which concerns some board members, since he has a tendency to conduct late-night Twitter sessions, according to a person familiar with the board the New York Times reported. +"It is often a choice of no sleep or Ambien," he said. +(Reporting by Rama Venkat Raman in Bengaluru and Brendan O'Brien in Milwaukee; Editing by Gopakumar Warrier, Bernard Orr) More From Busines \ No newline at end of file diff --git a/input/test/Test5072.txt b/input/test/Test5072.txt new file mode 100644 index 0000000..ebc080c --- /dev/null +++ b/input/test/Test5072.txt @@ -0,0 +1,13 @@ +Aug 17, 2018 at 11:00 GMT 9 mins ago +Just days after a report claimed that Google was collecting location data even when location services were turned off, the company has admitted doing it. Google has given the following response which is vague and doesn't address the issue completely. +There are a number of different ways that Google may use location to improve people's experience, including Location History, Web and App Activity, and through device-level Location Services. We provide clear descriptions of these tools, and robust controls so people can turn them on or off, and delete their histories at any time. +– Google +Google has recently changed one of the online help pages to make this clear and in doing so has confirmed that they're accessing data even when location services are turned off. +You can turn off Location History at the account level at any time [but] this setting does not affect other location services on your device, like Google Location Services and Find My Device. Some location data may be saved as part of your activity on other services, like Search and Maps. When you turn off Location History for your Google Account, it's off for all devices associated with that Google Account. +In comparison, below is the description from the same page as on 5th August. +You can turn off Location History at any time. With Location History off, the places you go are no longer stored. When you turn off Location History for your Google Account, it's off for all devices associated with that GoogleAccount. +Google has given the following response for the change of language on the page. +We have been updating the explanatory language about Location History to make it more consistent and clear across our platforms and help centers. +– Google +From the response, it is safe to say that Google was collecting data before the report went public. The good thing, however, is that the company has made a change in their policies and is no longer collecting location data (that we know off). +Via: Thurrott Some links in the article may not be viewable as you are using an AdBlocker. Please add us to your whitelist to enable the website to function properly. Relate \ No newline at end of file diff --git a/input/test/Test5073.txt b/input/test/Test5073.txt new file mode 100644 index 0000000..93320bb --- /dev/null +++ b/input/test/Test5073.txt @@ -0,0 +1,23 @@ +August 17, 2018 by Low Voltage (LV) and Medium Voltage (MV) Switchgear Market will be valued at US$ 56.23 bn by 2024 +The global low voltage (LV) and medium voltage (MV) switchgear market depicts the presence of a highly competitive and dynamic vendor landscape, finds Research Report Insights on the basis of a newly published report. The intense competition has made most players in the market to take part in mergers and acquisitions in the form of prime strategies to induce growth in their organizations. With the entry of new players on a regular basis, the level of competition is expected to dramatically increase during the forthcoming years. +Report For Report Sample with Table of Contents@https://www.researchreportinsights.com/report/sample/110114904/Low-Voltage-(LV)-and-Medium-Voltage-(MV)-Switchgear-Market +Many businesses working in the global low voltage (LV) and medium voltage (MV) switchgear market are focusing on mergers and acquisitions as key strategies, in order to gain extensive revenue. Enhancing product portfolio, bringing about geographical expansion, and increasing capacity of low voltage (LV) and medium voltage (MV) switchgear production are other important strategies that are implemented by most organizations operating in the market. ABB Ltd., GE Co. Mitsubishi Electric Corp., Crompton Greaves Ltd., Siemens AG, Powell Industries Inc., Bharat Heavy Electricals Ltd., Hyosung Corp., Eaton Corp., OJSC Power Machines, and Schneider Electric SE, are key companies operating in the global low voltage (LV) and medium voltage (MV) switchgear market. +In 2015, this market had registered revenue worth US$56.23 bn, which is further expected to record a valuation of US$98.90 bn by the end of 2024. This growth is projected to occur at a strong CAGR of 6.8% between 2016 and 2024, which is the forecast period covered in the report. +Request For Report Discount@https://www.researchreportinsights.com/report/discount/110114904/Low-Voltage-(LV)-and-Medium-Voltage-(MV)-Switchgear-Market +Rapid Industrialization and Urbanization Boosting Market's Growth +The global low voltage (LV) and medium voltage (MV) switchgear market is being driven mainly due to a rise in demand for enhanced protection in electricity distribution systems. The demand for switchgear is also expected to increase owing to rapid industrialization and infrastructural development taking place all over the globe. With rural development and urbanization mushrooming rapidly, the construction of electricity transmission lines and distribution networks is highly necessary. Low voltage (LV) and medium voltage (MV) switchgear play a crucial role in setting up these networks, consequently driving the associated market. +High Costs of Manufacturing Equipment Restrains Market's Expansion +However, high costs required for manufacturing low voltage (LV) and medium voltage (MV) switchgear devices makes it substantially expensive for companies having less disposable income to work in this market. This causes them to settle on alternatives, consequently hindering the global low voltage (LV) and medium voltage (MV) switchgear market's growth. Lack of raw materials in several remote and underdeveloped regions needed to produce the switchgear is also restraining the market from a regional perspective. Nevertheless, some organizations are expected to introduce cost effective solutions, which may considerably reduce effects of restraints affecting the global low voltage (LV) and medium voltage (MV) switchgear market in the near future. +Report Analysis@https://www.researchreportinsights.com/report/rd/110114904/Low-Voltage-(LV)-and-Medium-Voltage-(MV)-Switchgear-Market +This review is based on a new report published by Research Report Insights titled, "Low Voltage (LV) and Medium Voltage (MV) Switchgear Market (Product Standards – IEC (International Electro technical Commission) standards, ANSI (American National Standards Institute) standards; Application – Power plants, Oil & Gas and Petrochemical Industry, Pulp and paper industry, Utilities sector; Voltage Range – Less than 1kV, 1kV – 5kV, 6kV – 15kV, 16kV – 27kV, 28kV – 38kV; Components – Circuit Breaker, Relays; Insulation type – Air Insulated Switchgear, Gas Insulated Switchgear) – Global Industry Analysis, Size, Share, Growth, Trends and Forecast 2016 – 2024." +The low voltage (LV) and medium voltage (MV) switchgear market has been segmented as follows: +LV and MV switchgear market, by Product Standards: +·IEC (International Electro technical Commission) standards +·ANSI (American National Standards Institute) standards +·Other (JIS, NEMA and GOST) standards +LV and MV switchgear market, by Application: +·Power plants +·Oil & Gas and Petrochemical Industry +·Pulp and paper industry +LV and MV switchgear market, by Voltages: +·Less than 1k \ No newline at end of file diff --git a/input/test/Test5074.txt b/input/test/Test5074.txt new file mode 100644 index 0000000..c79b026 --- /dev/null +++ b/input/test/Test5074.txt @@ -0,0 +1,3 @@ +The Hill's Morning Report: Dems have a majority in the Senate (this week) By Jonathan Easley and Alexis Simendinger Aug 17, 2018, 6:51 am 16 pts +Welcome to Politomix -- the political news wire where left, right and center mix. +Politomix aggregates the day's political news on the web and your mobile device \ No newline at end of file diff --git a/input/test/Test5075.txt b/input/test/Test5075.txt new file mode 100644 index 0000000..0ead67d --- /dev/null +++ b/input/test/Test5075.txt @@ -0,0 +1,21 @@ +Musk's SpaceX could help fund take-private deal for Tesla: NYT Friday, August 17, 2018 1:05 a.m. EDT FILE PHOTO: Elon Musk, founder, CEO and lead designer at SpaceX and co-founder of Tesla, speaks at the International Space Station Research +(Reuters) - Elon Musk's rocket company, SpaceX, could help fund a bid to take electric car company Tesla Inc private, the New York Times reported on Thursday, quoting people familiar with the matter. +Musk startled Wall Street last week when he said in a tweet he was considering taking the auto company private for $420 per share and that funding was "secured." He has since said he is searching for funds for the effort. +Musk said on Monday that the manager of Saudi Arabia's sovereign wealth fund had voiced support for the company going private several times, including as recently as two weeks ago, but also said that talks continue with the fund and other investors. +The New York Times report said another possibility under consideration is that SpaceX would help bankroll the Tesla privatization and would take an ownership stake in the carmaker, according to people familiar with the matter. +Musk is the CEO and controlling shareholder of the rocket company. +Tesla and SpaceX did not respond when Reuters requested comment on the matter. +In a wide-ranging and emotional interview with the New York Times published late on Thursday, Musk, Tesla's chief executive, described the difficulties over the last year for him as the company has tried to overcome manufacturing issues with the Model 3 sedan. https://nyti.ms/2vOkgeM +"This past year has been the most difficult and painful year of my career," he said. "It was excruciating." +The loss-making company has been trying to hit production targets, but the tweet by Musk opened up a slew of new problems including government scrutiny and lawsuits. +The New York Times report said efforts are underway to find a No. 2 executive to help take some of the pressure off Musk, people briefed on the search said. +Musk has no plans to relinquish his dual role as chairman and chief executive officer, he said in the interview. +Musk said he wrote the tweet regarding taking Tesla private as he drove himself on the way to the airport in his Tesla Model S. He told the New York Times that no one reviewed the tweet before he posted it. +He said that he wanted to offer a roughly 20 percent premium over where the stock had been recently trading, which would have been about $419. He decided to round up to $420 - a number that has become code for marijuana in counterculture lore, the report said. +"It seemed like better karma at $420 than at $419," he said in the interview. "But I was not on weed, to be clear. Weed is not helpful for productivity. There's a reason for the word 'stoned.' You just sit there like a stone on weed," he said. +Some board members recently told Musk to lay off Twitter and rather focus on operations at his companies, according to people familiar with the matter, the newspaper report said. +During the interview, Musk emotionally described the intensity of running his businesses. He told the newspaper that he works 120 hours a week, sometimes at the expense of not celebrating his own birthday or spending only a few hours at his brother's wedding. +"There were times when I didn't leave the factory for three or four days — days when I didn't go outside," he said during the interview. "This has really come at the expense of seeing my kids. And seeing friends." +To help sleep, Musk sometimes takes Ambien, which concerns some board members, since he has a tendency to conduct late-night Twitter sessions, according to a person familiar with the board the New York Times reported. +"It is often a choice of no sleep or Ambien," he said. +(Reporting by Rama Venkat Raman in Bengaluru and Brendan O'Brien in Milwaukee; Editing by Gopakumar Warrier, Bernard Orr) More From Busines \ No newline at end of file diff --git a/input/test/Test5076.txt b/input/test/Test5076.txt new file mode 100644 index 0000000..b4827ca --- /dev/null +++ b/input/test/Test5076.txt @@ -0,0 +1,14 @@ +London mayor Khan consults disaster planners over no-deal Brexit Reuters Staff +3 Min Read +LONDON (Reuters) - London's mayor Sadiq Khan said on Friday he had asked the organisation that deals with militant attacks and disasters in the British capital to assess the impact of a "no-deal" Brexit on access to medicines and food and on law and order. +FILE PHOTO: Sadiq Khan, Mayor of London, looks at the #LondonUnited memorial at City Hall, marking the anniversaries of the four terror attacks in London in 2017 in London, Britain March 22, 2018. REUTERS/Simon Dawson Khan said he would consult the London Resilience Forum, which plans responses to disasters such as the Grenfell Tower Fire, about the implications for Britain of crashing out of the European Union without a deal, saying that such a "catastrophic" outcome looked more likely than ever. +Britain is due to leave the EU in March 2019, and with time running out to secure agreement on future ties, both British and European politicians are warning of the increased chances of a "no-deal" Brexit. +"Even ministers now admit that crashing out of the EU with no deal is now more likely than ever," Khan said in a statement. "We are now left with no choice but to plan for a no-deal scenario." +Foreign Secretary Jeremy Hunt told ITV News in an interview on Thursday that leaving the EU in a "messy, ugly divorce" would be a mistake that Britain would "regret for generations", although he tweeted on Friday to clarify that he believed Britain would "survive and prosper without a deal". +Denmark's finance minister Kristian Jensen told BBC radio he believed the odds that there would be no deal in Brexit negotiations were 50/50, echoing comments by Latvia's foreign minister earlier in the week. +Khan criticised the lack of engagement by the government with companies over preparations for a no-deal scenario. The government will start sending out advice to firms about such a scenario in August and September, a British official said. +Prime Minister Theresa May has repeatedly said that nothing is agreed until everything is agreed in Brexit talks, so a no-deal Brexit would jeopardise an accord reached, in principle, for a transition phase that would extend close ties to the bloc until December 2020. +Khan said he would consult businesses over their contingency plans, with agreement over the "settled status" of European employees dependent on successful talks with the EU over the future relationship with the bloc. +"I am calling on Theresa May to do the only sensible and humane thing and extend the offer of settled status to EU citizens currently living in the UK now, regardless of the outcome of the negotiations," Khan said. +Reporting by Alistair Smout, additional reporting by Andrew MacAskill; Editing by Gareth Jones +Our Standards: The Thomson Reuters Trust Principles \ No newline at end of file diff --git a/input/test/Test5077.txt b/input/test/Test5077.txt new file mode 100644 index 0000000..79fa0db --- /dev/null +++ b/input/test/Test5077.txt @@ -0,0 +1,9 @@ +#HighTrends 5 tips About How To Self Improve Mental Health +You will to a few anti-virus software, maybe keep a fan on the griddle so simply over the temperature. You will clean the screen regularly publicize sure tend not to fill its memory with clutter. +This a great optional sign. Good Nootropic may possibly you increase brain Cognigenx Clarity Review power, but only if you choose them successfully. You need produce sure how the ingredient list is okay. It should be sugar free and include ingredients like gingko, green tea, rhodiola rosea, vitamin B, omega 3 and similar substances. Your everyday diet doesn't always an individual to plenty of brain boosting ingredients, so taking these questions pill is not such wrong idea. +One thing both groups agree on is which both contain omega 3 fatty acids, and the particular important for your body's development and growth. However, they each contain different fatty acids. +Supplementing perform with an exact focus on your brain is absolutely nothing new, however when you are pondering which products can help when i have the solution for someone. +Supplement their nutrition with high-quality wholefood supplements. These should include a multivitamin and, if the growing system swallow pills, an omega-3 pill as well, which happens to be called the "Brain Pill". Young Living offers great supplements and the kids love their berry and orange creme flavored chewables. My 9 year old son takes one omega-3 pill day by day. +Smart Drug Avoid Negative Thinking, Chronic Worry or Anger. Our brain and the entire body respond every and every thought surely has. These thoughts are either helping us or they are hurting folks. Negative, worried or angry thoughts release their own set of chemicals help to make us feel sick and erode the functioning of biochemistry changes .. +Research together with web marketing reveals tend to be many more than 10 million websites of which approximately 60% are commercial. Yet, less than 10% of these follow the very best steps to produce the web work for them. +Change this diet. Food is very important when controling ADHD. Relating to some studies, foods that are heavily processed and those that are too rich in preservatives are foods that could worsen a tremendous of children suffering from Cognigenx Clarity Review ADHD. People who are together with caffeine and sugar are not useful. It will be best to have a complete proper diet that contains vegetables and fruits. Chicken and turkey will additionally be better than pork and beef. Brown products will be better than white products. Organic olive oil will far superior than regular vegetable fuel. Eating healthy will make the child recover faster because the nutrients may well the body respond and function better \ No newline at end of file diff --git a/input/test/Test5078.txt b/input/test/Test5078.txt new file mode 100644 index 0000000..48aea9f --- /dev/null +++ b/input/test/Test5078.txt @@ -0,0 +1,5 @@ +Google workers protest against secret China search engine 'Dragonfly' Menu Google workers protest against secret China search engine 'Dragonfly' More than a thousand Google employees have signed a letter protesting against the company's secretive plan to build a search engine that would comply with Chinese censorship. +The letter calls on executives to review ethics and transparency at the company. +The letter's contents were confirmed by a Google employee who helped organise it but who requested anonymity. +The letter says employees lack the information required "to make ethically informed decisions about our work" and complains that most employees only found out about the project — nicknamed Dragonfly — through media reports. +The letter is similar to one thousands of employees had signed to protest against Project Maven, a US military contract that Google decided in June not to renew \ No newline at end of file diff --git a/input/test/Test5079.txt b/input/test/Test5079.txt new file mode 100644 index 0000000..518de70 --- /dev/null +++ b/input/test/Test5079.txt @@ -0,0 +1,12 @@ +Tweet +Wall Street analysts expect TerraForm Power Inc (NASDAQ:TERP) to report $251.03 million in sales for the current quarter, Zacks reports. Two analysts have issued estimates for TerraForm Power's earnings, with the lowest sales estimate coming in at $215.00 million and the highest estimate coming in at $287.05 million. TerraForm Power posted sales of $153.43 million in the same quarter last year, which would indicate a positive year over year growth rate of 63.6%. The business is scheduled to report its next quarterly earnings report on Thursday, November 8th. +According to Zacks, analysts expect that TerraForm Power will report full year sales of $766.21 million for the current fiscal year, with estimates ranging from $728.00 million to $804.41 million. For the next financial year, analysts anticipate that the business will report sales of $937.03 million per share, with estimates ranging from $852.00 million to $1.02 billion. Zacks Investment Research's sales averages are an average based on a survey of research firms that cover TerraForm Power. Get TerraForm Power alerts: +TerraForm Power (NASDAQ:TERP) last posted its quarterly earnings results on Monday, August 13th. The solar energy provider reported ($0.13) earnings per share (EPS) for the quarter, meeting the Thomson Reuters' consensus estimate of ($0.13). The business had revenue of $179.89 million for the quarter, compared to analyst estimates of $162.69 million. TerraForm Power had a negative return on equity of 0.11% and a negative net margin of 8.33%. The business's revenue was up 5.6% compared to the same quarter last year. During the same period in the prior year, the company posted $0.08 EPS. Several equities research analysts have weighed in on the company. BidaskClub lowered TerraForm Power from a "sell" rating to a "strong sell" rating in a research report on Wednesday, July 25th. Zacks Investment Research raised TerraForm Power from a "hold" rating to a "strong-buy" rating and set a $13.00 target price on the stock in a research report on Tuesday, May 8th. JPMorgan Chase & Co. raised TerraForm Power from a "neutral" rating to an "overweight" rating and set a $13.00 target price on the stock in a research report on Thursday, May 3rd. ValuEngine lowered TerraForm Power from a "hold" rating to a "sell" rating in a research report on Thursday, May 17th. Finally, UBS Group raised TerraForm Power from a "market perform" rating to an "outperform" rating in a research report on Wednesday. Four equities research analysts have rated the stock with a sell rating, one has given a hold rating, five have assigned a buy rating and one has assigned a strong buy rating to the company. The company has a consensus rating of "Hold" and an average target price of $13.44. +In related news, major shareholder Brookfield Asset Management In bought 60,975,609 shares of the company's stock in a transaction on Monday, June 11th. The shares were purchased at an average cost of $10.66 per share, with a total value of $649,999,991.94. The acquisition was disclosed in a document filed with the Securities & Exchange Commission, which is available through the SEC website . 0.01% of the stock is owned by company insiders. +Several large investors have recently added to or reduced their stakes in the company. Jane Street Group LLC bought a new position in shares of TerraForm Power in the second quarter worth $121,000. California Public Employees Retirement System grew its stake in shares of TerraForm Power by 8.3% in the second quarter. California Public Employees Retirement System now owns 67,204 shares of the solar energy provider's stock worth $786,000 after purchasing an additional 5,130 shares in the last quarter. Millennium Management LLC bought a new position in shares of TerraForm Power in the second quarter worth $7,634,000. Her Majesty the Queen in Right of the Province of Alberta as represented by Alberta Investment Management Corp bought a new position in shares of TerraForm Power in the second quarter worth $690,000. Finally, Tower Research Capital LLC TRC grew its stake in shares of TerraForm Power by 37,873.2% in the second quarter. Tower Research Capital LLC TRC now owns 21,265 shares of the solar energy provider's stock worth $249,000 after purchasing an additional 21,209 shares in the last quarter. 48.06% of the stock is owned by institutional investors. +TERP stock opened at $11.25 on Friday. The company has a current ratio of 0.64, a quick ratio of 0.64 and a debt-to-equity ratio of 1.41. The company has a market cap of $1.58 billion, a P/E ratio of -9.30 and a beta of 0.90. TerraForm Power has a 12-month low of $9.90 and a 12-month high of $14.20. +The business also recently announced a quarterly dividend, which will be paid on Saturday, September 15th. Shareholders of record on Saturday, September 1st will be given a $0.19 dividend. This represents a $0.76 annualized dividend and a yield of 6.76%. The ex-dividend date of this dividend is Thursday, August 30th. TerraForm Power's dividend payout ratio is presently -62.81%. +About TerraForm Power +TerraForm Power, Inc, together with its subsidiaries, owns and operates clean power generation assets. As of December 31, 2017, its portfolio consisted of solar and wind projects located in the United States, Canada, the United Kingdom, and Chile with a combined nameplate capacity of 2,606.4 megawatts. +Get a free copy of the Zacks research report on TerraForm Power (TERP) +For more information about research offerings from Zacks Investment Research, visit Zacks.com Receive News & Ratings for TerraForm Power Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for TerraForm Power and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test508.txt b/input/test/Test508.txt new file mode 100644 index 0000000..048e4cc --- /dev/null +++ b/input/test/Test508.txt @@ -0,0 +1,8 @@ +Tweet +Everbridge Inc (NASDAQ:EVBG) was up 0.2% on Wednesday . The company traded as high as $54.53 and last traded at $54.29. Approximately 58,380 shares were traded during trading, a decline of 82% from the average daily volume of 325,190 shares. The stock had previously closed at $54.20. +A number of equities research analysts have weighed in on EVBG shares. Needham & Company LLC lifted their target price on Everbridge to $60.00 in a research report on Friday, June 15th. Canaccord Genuity lifted their target price on Everbridge from $46.00 to $52.00 and gave the company a "buy" rating in a research report on Thursday, June 7th. Bank of America lifted their target price on Everbridge to $38.00 and gave the company a "buy" rating in a research report on Tuesday, May 8th. Stifel Nicolaus lifted their target price on Everbridge from $38.00 to $45.00 and gave the company a "buy" rating in a research report on Tuesday, May 8th. Finally, BidaskClub raised Everbridge from a "hold" rating to a "buy" rating in a research report on Friday, May 4th. Two research analysts have rated the stock with a hold rating and ten have issued a buy rating to the company's stock. Everbridge presently has a consensus rating of "Buy" and an average target price of $50.56. Get Everbridge alerts: +The firm has a market cap of $1.51 billion, a PE ratio of -96.46 and a beta of 0.67. The company has a debt-to-equity ratio of 1.74, a current ratio of 1.50 and a quick ratio of 1.50. Everbridge (NASDAQ:EVBG) last announced its quarterly earnings results on Monday, August 6th. The technology company reported ($0.18) earnings per share (EPS) for the quarter, beating the Zacks' consensus estimate of ($0.22) by $0.04. Everbridge had a negative return on equity of 64.53% and a negative net margin of 31.96%. The business had revenue of $35.80 million for the quarter, compared to the consensus estimate of $34.18 million. During the same period last year, the business posted ($0.05) EPS. The business's revenue was up 43.2% compared to the same quarter last year. analysts expect that Everbridge Inc will post -1.55 EPS for the current year. +In other news, SVP Imad Mouline sold 1,974 shares of Everbridge stock in a transaction on Friday, June 1st. The stock was sold at an average price of $46.11, for a total value of $91,021.14. The sale was disclosed in a filing with the SEC, which is available through this link . Also, President Robert W. Hughes sold 5,784 shares of Everbridge stock in a transaction on Monday, June 11th. The shares were sold at an average price of $47.70, for a total value of $275,896.80. The disclosure for this sale can be found here . Insiders sold a total of 671,544 shares of company stock worth $33,602,720 over the last quarter. Company insiders own 11.20% of the company's stock. +Several large investors have recently made changes to their positions in EVBG. Zurcher Kantonalbank Zurich Cantonalbank increased its holdings in shares of Everbridge by 197.2% in the 2nd quarter. Zurcher Kantonalbank Zurich Cantonalbank now owns 4,170 shares of the technology company's stock valued at $198,000 after acquiring an additional 2,767 shares during the period. Oppenheimer Asset Management Inc. purchased a new position in Everbridge during the 2nd quarter worth $238,000. Teacher Retirement System of Texas purchased a new position in Everbridge during the 2nd quarter worth $244,000. MetLife Investment Advisors LLC purchased a new position in Everbridge during the 4th quarter worth $248,000. Finally, Needham Investment Management LLC purchased a new position in Everbridge during the 1st quarter worth $256,000. Institutional investors and hedge funds own 90.12% of the company's stock. +About Everbridge ( NASDAQ:EVBG ) +Everbridge, Inc operates as a software company in the United States, Sweden, England, and China. The company offers Critical Event Management, a SaaS-based platform with various software applications that address tasks an organization has to perform to manage a critical event, including Mass Notification, which enables enterprises and governmental entities to send notifications to individuals or groups to keep them informed before, during, and after natural or man-made disasters, and other emergencies; Safety Connection that enables organizations to send notifications based on last known location of an individual; Incident Management, which enables organizations to automate workflows and make their communications relevant; and IT Alerting that enables IT professionals to alert and communicate with members of their teams during an IT incident or outage \ No newline at end of file diff --git a/input/test/Test5080.txt b/input/test/Test5080.txt new file mode 100644 index 0000000..000d2df --- /dev/null +++ b/input/test/Test5080.txt @@ -0,0 +1,24 @@ +Ver comentarios +Before flying into outer space he was a restoring mechanic for Jaguars from the 50s, he was one of the guys that cured in 2009 the Hubble´s telescope myopia, and it was a mission in which he accumulated almost twenty-one hours of EVA (space walk powered by a flying backpack, like George Clooney's in the film "Gravity"). +We're talking not to the fastest pilot in the world, but the fastest in the known galaxy. As we communicate with him, he flies over our heads at about 28,000 kilometres per hour suspended at an altitude of four hundred thousand meters from the Earth´s surface. +Hi, Drew. We all know that you are a Formula 1 fan, how did you start to love this sport? +Hi! I have always been interested in racing of all types. With respect to open wheel racing, and ultimately F1, I think it all started the year I was born. Way back in 1958, Purdue University in West Lafayette, Indiana, began an annual contest called the Grand Prix. This was an event that challenged students to compete with one another in a kart race held in the spring on campus. In 1963, my father participated in the race, and in 1965, the year I was born, my uncle won the race. Vida y muerte en Zandvoort +That race-winning go kart remained in our family up until a few years ago when we loaned it back to the Purdue Grand Prix Alumni Association. I grew up with that go kart. It had a 90 cc McCulloch kart racing engine on the back and it really moved. As a kid, we would wrap the tires with studded chains and drive the kart on the ice in the winter in Michigan when others were out on ice boats. It was a blast and that is what really got me hooked. There was nothing like drifting a screaming kart on the ice at 50 mph on a clear, crisp day. My father started my brother and I racing motocross at the age of 10. At 13 I was racing BMX, and when I hit my 20s I was racing Enduro karts in the Midwest for about 7 years. I never won the Purdue Grand Prix like my father and uncle, but I did enjoy competing for 3 years. IndyCars and F1 were just a part of my life growing up. And when you grow up in Detroit, Michigan it is difficult to stray too far from motorsports. +Have you seen a race live? Which one was it, where? Can you remember any special detail that you remember on it? +I believe that the first F1 race I saw live was the Canadian Grand Prix in Montreal in 1994. I remember thinking how amazing it was that there was a North American race that was so easy to attend and not far from my home at the time in Kingston, Ontario. I have seen a handful of races since then in Montreal. More recently I was at the first race held in Austin at the American Grand Prix in 2012 and last year we were able to attend the race at Silverstone. +Do you follow the whole F1 season from ISS? How do you do it technically? I guess that Ground Control sends you signal… can you explain a little bit about this, the trip the TV signal follows? Is there any delay? Can you see really a race from so high using any optical device? +I have watched every F1 race this season from the International Space Station. Mission Control in Houston sends up a video feed from the TV channel and we see it live. Occasionally we lose the signal from the satellite but typically for no more than 15 minutes. If I am lucky, I can watch an entire race without interruption. On race day, if our orbital path matches with the race location, I can take a photo of the track. Because we are so far away and I only have a 1600 mm lens to work with, it is difficult to see the actual cars on the track, but on a good day with clear skies and a steady hand, I can see them. In many of my pictures it is possible to see vehicles on near-by roads, though I cannot see any details of those cars. +Your make pictures from above this planet at every race course even during the race weekend. Can you tell us how do you make it? Locating the facilities, cameras used, lenses, and so on. +I'm not going to lie, it has proven to be pretty difficult. My colleagues at NASA have supported me with graphic indications on a computer program of when I can expect to fly over a target with precise timing. When the target time arrives, it is necessary for me to float to the window and point the 1600 mm lens (800 x 2.0 magnifier) at the Earth and start looking for my target. This is not easy from 250 miles away. At nearly 300 miles/minute, there is not much time to get the shot +I can usually just barely catch the shape of the track through the eyepiece and the lens shows an image about 20 track diameters across. In other words, I can fit 20 tracks across the image that I see. So you can imagine that finding a track in the middle of Europe, for example, can be challenging if all you have is the view in the eyepiece. The large landmarks that you can see with the naked eye from space are just gone in the eyepiece. It is not uncommon for me to fly directly overhead a track on a clear day and miss it because I cannot manage to aim the camera at the track in time before the opportunity passes. At nearly 300 miles/minute, there is not much time to get the shot, especially if you have never been there or know anything about how its location looks from 250 miles away. +You have a Bugatti Veyron on your profile at Twitter beside a fighter jet. I´m sure there´s a story behind. Can you tell something about it? +Upon return from my previous space shuttle mission, STS-134, in 2011, my good friend and former editor of Road and Track Magazine, Patrick Hong, arranged the opportunity for me to drive that car. Patrick capitalized on the fact that the Houston Auto Show was a few short weeks away and he knew that Bugatti would have the car in town for the show. He made some arrangements and before I knew it, I was hurtling down Runway 22 at Ellington Field in Houston at 208 mph behind the wheel of the Super Sport with factory test driver Butch Leitzinger in the passenger seat. It was a thrilling experience and a wonderful day to say the least. For the photo shoot, the airport hosts arranged to have the F4 Phantom towed out on the runway for some photos. We all thought that the car and the jet would look good together in a picture. +Can you remember any scene when you really felt emotions on this sport? Probably being a child, on a circuit? +The most memorable moment in my life regarding F1 was a day that many race fans will also remember. It was on May 1, 1994 while watching the San Marino Grand Prix at Imola. I was sitting in our apartment with my wife Indira, in Kingston, Ontario, Canada. On my lap was my 5-day-old son Ari. I felt it was a very special day because it was the first time I would watch an F1 race together with my new son. Sadly, this is the day that Ayrton Senna was killed. I still remember the moment of the crash while watching with my son. That day will always be vividly stuck in my mind. +Are there any other F1 fans onboard? Do you chat about the races results, or with someone down here? +Unfortunately during my time on the space station there were no other racing fans. My Japanese crewmate, Norishige Kanai, did show interest in watching the races with me and I like to think that he learned something about the sport as well. On Earth I do have friends that I like to speak with about the results and how the season is progressing. I think that they enjoy when I share my track pictures with them from space. 124 días y dos noches +Would you like to test a single seater, or even better, a F1 car in the future? +Absolutely! When I was young I always had two dreams in life: I wanted to be an F1 driver and I wanted to be an astronaut. I am very fortunate to have achieved one of my goals in life and I realize now that the other dream to race F1 was really not the right path for me. That said, I still like to go fast and I continue to be passionate about motorsports. Let's go racing! +The 56th mission commander will be able to watch Formula 1 races on the ground when he returns at the end of September after six months in his space apartment. He´ll be on time to meet the 2018 World Champion . Until then, they say that the most impressive thing about space is the silence, just the opposite of the tracks. Drew will come back to them just to listen, something he can't do in space. +(Some questions and answers have been omitted because of NASA's internal legal and policy issues. The appreciations to Drew J. Feustel, Megan Sumner of Johnson Space Center's Public Affairs department, and the National Aeronautics and Space Administration, NASA, are only comparable to the size of our galaxy. To all of them stellar thanks). +Fotos: Flickr Andrew Feuste \ No newline at end of file diff --git a/input/test/Test5081.txt b/input/test/Test5081.txt new file mode 100644 index 0000000..4b6d046 --- /dev/null +++ b/input/test/Test5081.txt @@ -0,0 +1,9 @@ +Tweet +Greenleaf Trust raised its holdings in shares of SAP SE (NYSE:SAP) by 29.5% in the 2nd quarter, according to its most recent 13F filing with the Securities and Exchange Commission. The institutional investor owned 5,241 shares of the software maker's stock after acquiring an additional 1,195 shares during the quarter. Greenleaf Trust's holdings in SAP were worth $606,000 as of its most recent filing with the Securities and Exchange Commission. +Other large investors have also bought and sold shares of the company. Signature Estate & Investment Advisors LLC acquired a new stake in shares of SAP during the 2nd quarter worth about $102,000. Vigilant Capital Management LLC acquired a new stake in shares of SAP during the 2nd quarter worth about $149,000. Icon Wealth Partners LLC boosted its stake in shares of SAP by 35.2% during the 1st quarter. Icon Wealth Partners LLC now owns 1,796 shares of the software maker's stock worth $189,000 after purchasing an additional 468 shares during the last quarter. Summit Trail Advisors LLC boosted its stake in shares of SAP by 11,404.8% during the 1st quarter. Summit Trail Advisors LLC now owns 190,750 shares of the software maker's stock worth $191,000 after purchasing an additional 189,092 shares during the last quarter. Finally, Grove Bank & Trust acquired a new stake in shares of SAP during the 2nd quarter worth about $212,000. Hedge funds and other institutional investors own 4.27% of the company's stock. Get SAP alerts: +SAP opened at $116.08 on Friday. The company has a debt-to-equity ratio of 0.25, a quick ratio of 1.00 and a current ratio of 1.00. SAP SE has a 1 year low of $99.20 and a 1 year high of $122.74. The company has a market capitalization of $138.65 billion, a P/E ratio of 27.06, a P/E/G ratio of 3.51 and a beta of 1.17. SAP (NYSE:SAP) last released its earnings results on Thursday, July 19th. The software maker reported $0.98 earnings per share (EPS) for the quarter, hitting the Thomson Reuters' consensus estimate of $0.98. SAP had a net margin of 17.92% and a return on equity of 18.07%. The business had revenue of $6 billion for the quarter, compared to analysts' expectations of $5.90 billion. During the same period last year, the company earned $0.94 earnings per share. The company's quarterly revenue was up 3.8% on a year-over-year basis. equities research analysts anticipate that SAP SE will post 4.39 EPS for the current year. +Several equities research analysts have issued reports on SAP shares. Jefferies Financial Group started coverage on shares of SAP in a research note on Friday, June 1st. They set a "buy" rating and a $140.00 price target on the stock. Oppenheimer raised their price target on shares of SAP from $125.00 to $130.00 and gave the stock an "outperform" rating in a research note on Wednesday, July 18th. Barclays raised their price target on shares of SAP from $132.00 to $134.00 and gave the stock an "overweight" rating in a research note on Wednesday, April 25th. Zacks Investment Research raised shares of SAP from a "hold" rating to a "strong-buy" rating and set a $126.00 price target on the stock in a research note on Friday, April 27th. Finally, ValuEngine raised shares of SAP from a "hold" rating to a "buy" rating in a research report on Tuesday, May 1st. One investment analyst has rated the stock with a sell rating, five have given a hold rating and twelve have assigned a buy rating to the company. The company currently has an average rating of "Buy" and a consensus price target of $113.70. +SAP Company Profile +SAP SE operates as an enterprise application software, and analytics and business intelligence company worldwide. It offers SAP HANA, which enables businesses to process and analyze live data; SAP Data Hub, a solution that enables businesses to manage data from various sources; SAP Cloud Platform, which enables businesses to connect and integrate applications; SAP BW/4HANA, a data warehouse solution; SAP Leonardo, a system that enables customers to make business sense and opportunity of disruptive technologies; and SAP Analytics Cloud, which leverages the intersection of business intelligence, planning, and predictive analytics. +Further Reading: Should I follow buy, hold and sell recommendations? +Want to see what other hedge funds are holding SAP? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for SAP SE (NYSE:SAP). Receive News & Ratings for SAP Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for SAP and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test5082.txt b/input/test/Test5082.txt new file mode 100644 index 0000000..874f835 --- /dev/null +++ b/input/test/Test5082.txt @@ -0,0 +1,25 @@ +US escalates trade war against Turkey as Ankara moves to attack workers By Alex Lantier 17 August 2018 +As Turkey's currency plunges after initial US trade war measures targeting its aluminum and steel exports to the United States, Washington is pledging more sanctions. Coming as Turkish President Recep Tayyip Erdogan's government moves to attack the workers in response to the collapse of the lira, Washington is signaling that it intends to strangle Turkey's economy and achieve the regime change it failed to carry out in the 2016 attempted coup. +On Wednesday, Washington confirmed that the steel tariffs, nominally imposed in response to the jailing in Turkey of American pastor Andrew Brunson on charges of complicity in the coup, would remain in effect whether or not Brunson is released. "The tariffs that are in place on steel would not be removed with the release of pastor Brunson. The tariffs are specific to national security," said White House spokeswoman Sarah Sanders. +Even after Sanders made clear that Washington's demand for the release of Brunson only serves as a pretext for economic war on Turkey, US Treasury Secretary Steven Mnuchin threatened yesterday to slap new tariffs on Ankara, supposedly to free Brunson. "We have more that we're planning to do if they don't release him," Mnuchin reportedly told a cabinet meeting. +The policy of attacking Turkey, nominally a NATO ally of the United States, enjoys broad support across the US political establishment, well beyond the Trump administration. In an editorial titled "Trump is right to push Turkey, he's just doing it wrong," the Washington Post insisted that the collapse of the lira is due to "none other than Mr. Erdogan himself." While acknowledging that "the use of tariffs as a political weapon is a dangerous breach of political norms," it nonetheless argued for a harder line. +"The decision to get tough with Mr. Erdogan is nevertheless the right one. Analysts who worry about a fracturing of relations with a key NATO ally ought to recognize that Turkey has not been behaving as an ally," the Post wrote, adding: "Mr. Trump evidently believes that he has decisive leverage over Mr. Erdogan, and he is probably right. He should use it not just to free one Christian pastor but also to show an unhinged ruler the costs of playing dictator..." +Washington is sadistically waging trade war on Turkey even as the financial collapse tears apart its economy. Prices of critical staple goods are doubling or tripling as the Turkish lira collapses, but the banks and the Erdogan government are nonetheless announcing measures to further attack workers. +In a conference call with 6,000 global investors yesterday, Turkish Finance Minister Berat Albayrak announced plans to impose 10 to 30 percent budget cuts on all government ministries. +While Erdogan has claimed that he is waging a "national war for independence" against the Trump administration, it is clear that this war mainly targets the workers. Albayrak pledged not to impose capital controls, in a bid to reassure the financial aristocracy that Erdogan will not take any measures threatening its interests. Amid speculation that Turkey may turn to an International Monetary Fund (IMF) bailout, which would be predicated on IMF "structural reforms" and austerity, he said Turkey had made "normal contacts" with the IMF. +Albayrak's pledges failed to satisfy the banks, however. The Financial Times of London, the voice of European finance capital, said that he "stopped short of announcing other plans that strategists have said are critical in more permanently stabilising the economy. Analysts reckon it will take a sharp interest rate increase to stop the surge in inflation that is expected to be worsened by this year's fall in the lira, but President Recep Tayyip Erdogan has long opposed high interest rates." +With interest rates at 17.75 percent and inflation at 16 percent amid the plunge of the lira, the financial press is demanding a surge in interest rates to boost investor profits and slash jobs. +"Turkey needs to hike rates by 5 or 10 percentage points, to something like 25 percent, in order to create a 'real' interest rate on cash above the rate of inflation," Business Insider-Germany wrote. It added, "The downside, of course, is that a reduction of cash in circulation would also trigger an increase in unemployment..." +A decade after the 2008 Wall Street crash, the economic and military conflicts of world capitalism are even more intractable. The danger is mounting of a crash in Turkey that could spread financial instability to currency markets across the world, and inflame the rapidly spreading Middle East war, particularly in neighboring Iraq and Syria and also the US war threats against Iran. The only progressive way forward is the class struggle. +This year has seen mounting social anger and strikes not only in Turkey, but across Europe and the Middle East as well as North America. An essential task that falls to this emerging movement in the working class is to oppose the financial aristocracy's use of trade war and open military intervention to further plunder the Middle East and accelerate their attack on living standards internationally. +None of the bourgeois factions critical of US tariffs against Turkey have a fundamentally different policy. Currently, Erdogan is maneuvering closely with the European imperialists who, while they are enthusiastic about financial attacks on Turkish workers, have increasingly bitter conflicts with US imperialism over how to divide the spoils in the Middle East. In particular, there is deep opposition in Europe to US moves to isolate and set the stage for war with Iran, at the expense of European corporations operating there. +Erdogan spoke on the phone to French President Emmanuel Macron yesterday, after having spoken to Angela Merkel, the Chancellor of Germany, Turkey's most important trading partner in Europe. Macron and Erdogan "underscored the importance of further reinforcing economic and trade relations as well as investment between France and Turkey," Erdogan's office told Paris Match . +German Finance Minister Olaf Scholz also spoke to Albayrak yesterday, after Erdogan and Merkel spoke and agreed to "work to reinforce economic cooperation" between Ankara and Berlin. +In Die Zeit , Günter Seufert of Germany's influential Stiftung für Wissenschaft und Politik (SWP) warned that Erdogan could retaliate against Europe by breaking his reactionary deal with the European Union and allowing Syrian and Iraqi refugees to seek asylum in Europe. "We could open the sluices of the refugee flood so wide that everyone in Europe would fall asleep packed in standing up," he imagined Turkish officials threatening. +He provocatively indicated he does not believe there is a "democratic" alternative to Erdogan's increasingly authoritarian rule because Turks are too mistrustful of imperialism to be democratic: "The hope that a deep economic crisis would automatically weaken Erdogan and lead to the rebirth of democratic relations is not realistic. Broad parts of the population are too deeply cocooned in an outlook that sees the West as conspiring against Turkey." +Washington and Berlin united to back a failed July 2016 coup that nearly led to Erdogan's murder, both fearing that Erdogan was moving too close to Russia. US-European tensions have exploded since Trump's election, however, as he scraps the Iran nuclear treaty and threatens to slap tariffs on European exports to the United States. There are increasing signs that factions in Berlin and Paris are also considering moving closer to Moscow, Tehran or Ankara. +With Russian President Vladimir Putin set to begin an official state visit to Berlin tomorrow, on Monday the Russian Foreign Ministry invited Berlin and Paris to attend talks with Moscow and Ankara on September 9 on the future of the war in Syria. Washington was pointedly not invited. +On Wednesday, US State Department spokeswoman Heather Nauert indicated Washington's preference for the stalled, US-led talks in Geneva: "Nothing is replacing Geneva." +"We see the Geneva process, the UN-led process, as the only viable way forward for a long-term political solution in Syria," she said, adding: "Perhaps that process needs to be goosed again, but I think you'll be hearing in the coming days that we are doubling down our efforts and supporting that process going forward." Fight Google's censorship! +Google is blocking the World Socialist Web Site from search results. +To fight this blacklisting \ No newline at end of file diff --git a/input/test/Test5083.txt b/input/test/Test5083.txt new file mode 100644 index 0000000..03663d9 --- /dev/null +++ b/input/test/Test5083.txt @@ -0,0 +1,10 @@ +Comments +A managing an account court in Karachi on Friday issued non-bailable warrants of capture against PPP co-director and previous president Asif Ali Zardari in the phony financial balances trick case, Radio Pakistan revealed. +While hearing a case identifying with the tax evasion test, the court guided specialists to show Zardari and different suspects previously it by September 4. +Notwithstanding, PPP representative Farhatullah Babar issued an announcement in which he cited Zardari's guidance Farooq H. Naek as saying that no warrants against the previous president have been issued. +The Fede­ral Investigation Agency (FIA) had proclaimed Zardari and his sister Faryal Talpur, alongside 18 different suspects, as absconders in a between time charge sheet recorded for the situation. Talpur had, nonetheless, acquired a safeguard against her capture +The phony records case spins around a 2015 investigation into suspicious exchanges when 29 'benami' accounts were recognized, 16 of them in the Summit Bank, eight in the Sindh Bank and five in the United Bank Limited. +Seven people were discovered associated with suspiciously executing Rs35 billion. Hussain Lawai, previous executive of the Pakistan Stock Exchange and a nearby assistant of Zardari, Omni Group of Companies director Khawaja Anvar Majeed and his sibling Ghani Majeed, and co-denounced Taha Raza – leader of the Summit Bank's corporate unit – have been captured for the situation. +The court expanded the physical remand of Majeed and his sibling until the point when August 24 after they were introduced for the hearing by the FIA. +The FIA prosecutor had looked for a 14-day remand of the suspects for examination, saying they are blamed for washing billions of rupees through phony financial balances. +Farooq H. Naek, the insight speaking to Majeed, restricted the supplication for remand. In the wake of hearing the two sides, the court affirmed seven days in length expansion in the remand. Post Views: 2 \ No newline at end of file diff --git a/input/test/Test5084.txt b/input/test/Test5084.txt new file mode 100644 index 0000000..b42f1db --- /dev/null +++ b/input/test/Test5084.txt @@ -0,0 +1,31 @@ +Last night, a movie theatre in Joburg was robbed of over R2,000 worth of stock. +The robbers took a large popcorn, two cokes, and a packet of chocolate peanuts. +Here are this week's tech deals. +Sparked SP2 Wireless Headphones sold by SparkedProducts on Takealot – R399 +Samsung 75-inch UHD TV from Makro – R22,999 +LG 65-inch 4K OLED TV from Makro – R34,999 +JBL Soundbar from Makro – R7,699 +DStv Explora 2 from Makro – R779 +Nikon D3400 Camera Bundle from Makro – R4,599 +LG Mini Hi-Fi from Makro – R1,999 +Acer Swift 3 Laptop from Makro – R8,999 +ASUS VivoBook Laptop from Makro – R7,999 +Apple 21.5-inch iMac from Makro – R14,999 +Dell 27-inch LED Monitor from Makro – R2,499 +MSI GTX 1070 Ti from Makro – R7,999 +MSI RX 570 from Makro – R4,999 +Seagate 1.5TB Drive from Makro – R899 +Dell Notebook from Matrix Warehouse – R9,999 +Dell 24-inch Monitor from Matrix Warehouse – R1,799 +1TB Drive from Matrix Warehouse – R749 +HP Laptop Bundle from Matrix Warehouse – R7,999 +Acer Laptop from Matrix Warehouse – R3,999 +Acer PC from HiFi Corp – R4,999 +TP-Link 3G Router from HiFi Corp – R299 +Logitech Wireless Mouse from HiFi Corp – R249 +Seagate 1TB Drive from HiFi Corp – R799 +Dell Notebook from Incredible Connection – R16,999 +Epson Projector from Incredible Connection – R5,999 +Corsair Gaming Chair from Rebel Tech – R3,999 +Logitech Keyboard from Evetech – R699 +Bluetooth Speaker from Raru – R1,22 \ No newline at end of file diff --git a/input/test/Test5085.txt b/input/test/Test5085.txt new file mode 100644 index 0000000..f3d14c2 --- /dev/null +++ b/input/test/Test5085.txt @@ -0,0 +1,16 @@ +Red Bulls face road test in Vancouver + 13:49 GMT+10 +There is a logjam at the top of Eastern Conference, and one of those teams, the New York Red Bulls, has a tricky couple matches coming up. +The second-place Red Bulls travel to the Pacific Coast to face the Vancouver Whitecaps on Saturday at BC Place in Vancouver, B.C., before returning to New York to take on third-place New York City FC on Wednesday in the Bronx. +"There's just little room for error, especially against good teams on the road," Red Bulls head coach Chris Armas team's website. "Vancouver has shown that if you're not ready to play, it's a long way to go to get your butt kicked." +Saturday's game is the Red Bulls' second of a three-game road trip that began Aug. 11 with a 1-0 win in Chicago. +Bradley Wright-Phillips provided the game's only goal to become the first player in MLS history with 15 goals in five straight seasons. +The Red Bulls (15-6-2) and NYCFC are even with 47 points -- the Red Bulls have the advantage in wins (15-14) and goal differential (22-17) -- and trail first-place Atlanta United by one point. NYCFC plays at Philadelphia on Saturday; Atlanta is home to take on Columbus on Sunday. +The two New York teams are eight points clear of Columbus, which holds fourth place by nine points over Philadelphia. +The Whitecaps (9-9-6) put an end to the Portland Timbers' 15-game unbeaten streak with a 2-1 win on Aug. 11. It was also the Timbers' first home loss of 2018. +"Vancouver is a good team, they're especially good at home and they've always given us problems," Armas said of the Whitecaps, who are 5-2-4 at BC Place this season. "Typically known for stingy defensively, comfortable in a deeper block defensively and that sets up for a counterattack, which they're number one in the league in counterattacks and transitions. It is by design, but they can sit back, be organized, disciplined and catch you going the other way." +While Vancouver's MLS win over Portland brought it within striking distance of the playoff line -- the seventh-place Whitecaps trail Real Salt Lake by two points -- the team is coming off a midweek disappointment. +Toronto FC routed Canadian Championship. The teams played to a 2-2 draw in the first leg of the finals the previous week. +"Going into the tie, we knew it was going to be difficult," Vancouver head coach Carl Robinson said. "Forget about the results in league play sometimes -- on the day, we knew if their big players turned up it was going to be difficult." +The Whitecaps, who have two wins and a draw in their past three MLS matches, now return their focus to league play. +"It's a hard one. Obviously, losing in a final ... it's always hurtful," center back Kendall Waston told the Vancouver Sun. "What we have in front of us is the MLS Cup, so we need to qualify for the playoffs and we're now focused on that. Now we have to reset and try to create the same momentum we had two games before this one. \ No newline at end of file diff --git a/input/test/Test5086.txt b/input/test/Test5086.txt new file mode 100644 index 0000000..0341318 --- /dev/null +++ b/input/test/Test5086.txt @@ -0,0 +1,9 @@ +Unusual but true: Virtual reality helps amputees chinadaily.com.cn | Updated: 2018-08-17 17:00 +In stories this week, we have virtual reality devices that help amputees feel life-like sensations, a food blogger demolishing a 3 kg "sandwich", a rat with a plant growing out of its back and a corny romantic popping the question. +All the interesting, odd anecdotes from around the world are in our news review. +Virtual reality helps amputees Amputees can "feel" life-like sensations through robotic limbs using virtual reality. [Photo/VCG] +Amputees can "feel" life-like sensations through robotic limbs using virtual reality headsets, according to new research. +By combining the senses of sight and touch using the VR headset, scientists were able to convince patients a prosthetic hand belonged to their own body. +Patients wore virtual reality goggles which showed the index finger of the prosthetic limb glowing at the same point researchers administered artificial touch sensations. Amputees can "feel" life-like sensations through robotic limbs using virtual reality. [Photo/VCG] +This unique combination of sight and sensation convinced people the prosthetic was a natural extension of their own body. +The latest findings could revolutionize treatment of maimed members of the armed forces and other people who have lost arms or legs, scientists say \ No newline at end of file diff --git a/input/test/Test5087.txt b/input/test/Test5087.txt new file mode 100644 index 0000000..57c4cfa --- /dev/null +++ b/input/test/Test5087.txt @@ -0,0 +1,33 @@ +Aug 17, 2018 | 3:00 AM | Washington Police stay between opposing groups of protesters outside the Murrieta Border Patrol Detention Center in 2014. (Gina Ferazzi / Los Angeles Times) Clad in military jackets, with bandannas hiding their faces, Eddie Alvarez and other members of the Brown Berets clashed with other protesters in Murrieta in July 2014. +On one side, more than 200 anti-immigration activists waving American flags stopped buses carrying 140 migrant women and children to a nearby Border Patrol center in Riverside County. On the other side, Alvarez and several dozen other counter-protesters rushed out to defend the detainees. Advertisement +"We knew they might not understand English, but they understood the hate," Alvarez recalled recently. +Photos of the heated encounters — and of the Brown Berets, a militant Chicano group formed in the 1970s — circulated widely on the internet. But Alvarez, 21, was surprised to see his image on Aztlán Warriors, one of 32 pages or accounts that Facebook shut down last month, calling them part of a covert operation to stoke racial tensions in the United States. +"They didn't even ask our permission or anything," Alvarez said of the Facebook page. +In a new report, the Digital Forensic Research Lab at the Atlantic Council, a nonpartisan Washington think tank that partnered with Facebook, concludes that the shuttered pages and accounts were run by or linked to Russia's Internet Research Agency, the troll farm in St. Petersburg that U.S. officials say meddled in the U.S. presidential election in 2016. +One of the pages had an administrator from the Russian agency —"the most direct link between the recent accounts and earlier troll farm operations," the report states. Two of the pages, including Aztlán Warriors, were also linked to Twitter accounts believed to have been created by their operatives. +The Russian agency and 13 of its employees were indicted in February on charges brought by special counsel Robert S. Mueller III on allegations that they sought to interfere "with U.S. elections and political processes." U.S. officials have since said that Kremlin-backed groups have continued to spread mayhem in American politics. +The nation's volatile immigration debate has amplified online, researchers warned, and foreign operatives and homegrown trolls are using it as a political wedge ahead of the November elections. The report said the online disinformation campaign was likely to grow more sophisticated, with bad actors tailoring their posts, videos and other content to target communities of color — and to hide who is controlling the message. +"Covert influence campaigns, some steered from abroad, are using disinformation to drive Americans further apart, and weaken the trust in the institutions on which democracy stands," the report warns. +Audiences for the Facebook pages taken down — 290,000 people followed one of them — was highly engaged, often sharing content and participating in discussions, according to the report. +The most popular were Aztlán Warriors, Resisters and Black Elevation, which pretended to promote feminism, progressive causes and the rights of black, indigenous and Latino communities, often copying or repackaging material from other users, websites and internet platforms. +Prior Russian efforts often targeted Black Lives Matter activists opposing police brutality, seeking to sow chaos within the movement and animosity from outsiders. The recent posts used similar tactics and language to exploit tensions over illegal immigration. +The Resisters page listed 27 events from March 2017 to July 2018, including protests against President Trump's travel bans, a march against family separations on the border, and support for "Dreamers," young immigrants without a legal path to citizenship. +Other posts urged people to take over the headquarters of U.S. Immigration and Customs Enforcement and shared activity related to #AbolishICE, a real grass-roots campaign that seeks to deny funding for the federal agency. +Some of the events lured real social activists to unknowingly organize logistics and drew hundreds of people to the streets, according to the digital lab report. Partly as a result, some of the activists slammed Facebook for shutting down pages that built on their legitimate work and only targeting posts on the political left. Advertisement +Other political and grass-roots groups said they were meeting with Facebook to fight disinformation through speech campaigns of their own, and studying covert efforts by the FBI and CIA to infiltrate their movements decades ago. +"Let's be clear: This is not Russian playbook, this is an American playbook," said Malkia A. Cyril, founder of the Center for Media Justice in San Francisco. +But with voters citing immigration as a top concern ahead of the midterm election, researchers expect more extremist online efforts. An entire ecosystem of social media and internet platforms has emerged to amplify nativist fears and white supremacist ideology that have filtered into the mainstream debate. +Not surprisingly, many of the immigration posts, memes and videos cite Trump's harsh rhetoric and hard-line policies — including the travel bans, loss of protections for Dreamers and refugees, and the forced separations of more than 3,000 migrant children from their parents at the southwest border. +"On the pages that Facebook took down, there was only one candidate named so far, and it was a candidate in 2020 — Donald Trump," said Graham Brooke, director of the Digital Forensic Research Lab. "He is a lightning rod; he is a polarizing figure." +During the outcry over family separations, the online campaigns were in full swing as anonymous administrators on suspicious Facebook pages attempted to co-opt efforts of groups opposed to ICE. Groups on the right reacted with #pro-ICE campaigns, often sharing false or misleading stories on immigrants and crime. +"'Abolish ICE' became a flag to march under to change the narrative," said Ben Decker, a research fellow at the Shorenstein Center on Media, Politics and Public Policy at Harvard. "ICE became synonymous with the U.S. military, Blue Lives Matter, and in some of the darker spaces, the debate dovetailed into a lot of nasty xenophobic stuff." One of 32 pages or accounts that Facebook shut down last month, calling them part of a covert operation to stoke racial tensions in the U.S. (Digital Forensic Research Lab) Researchers and national security experts said the suspicious Facebook pages showed that foreign operatives have become more skilled in their understanding of American pluralism and communities. +Aztlán Warriors shared illustrations of Aztec and other indigenous warriors, and calls to defend the rights of Latinos and Native Americans. It had snippets of Mexican American history and quotes from Chicano leaders. A fake event page drew a handful of users to a celebration in June. Advertisement +But the supposed group also promoted divisive content, including drawings of Aztec warriors with rifles and weapons, which researchers said evoked "armed resistance to oppression." +The idea of Aztlán took root in Chicano political discourse in the late 1960s, when a group of Mexican American students claimed the Southwest as the mythical Aztec homeland of a marginalized Chicano community in the U.S. +The myth "shook the ground I was standing on," recalls Enrique Lamadrid, a Spanish professor at University of New Mexico. "Before, we were invisible. Aztlán provided a sense of origins." +But the concept came back in the 1990s, this time as a strategy to shape anti-immigrant polemic on the right as California debated Proposition 187, a ballot initiative intended to bar undocumented immigrants from using nonemergency healthcare, public education and other services. Voters passed the proposed law in 1994 but a federal court later ruled it unconstitutional. +By 2017, white supremacists and nationalists were debating the Aztlán myth in long threads on 4chan and 8chan, some of the most extreme message boards on the internet. +Francisco Lomelí, a UC Santa Barbara professor, said the operatives behind the Aztlán Warriors page on Facebook seemed to cut and paste messages to inflame tensions. He compared it to an online scam. +"It is like when you get one of those letters from someone claiming to be a prince in Nigeria, and the English is kind of broken," Lomelí said. "You think, 'How can anybody fall for that?' But even those phishing scams have grown more sophisticated." +In Southern California, where activists said online efforts by white nationalists to target Chicano groups appear on the rise, Alvarez said he first noticed the photos of himself and the Brown Berets in December. He was frustrated, he recalled, because the page did not fairly represent their group or the protest in Murrietta. +His Brown Berets chapter in San Diego is known for its community toy drives and neighborhood vigils for crime victims. The phony Facebook posts, he said, "create more work for us. \ No newline at end of file diff --git a/input/test/Test5088.txt b/input/test/Test5088.txt new file mode 100644 index 0000000..c014a9f --- /dev/null +++ b/input/test/Test5088.txt @@ -0,0 +1,10 @@ +Tweet +Engineers Gate Manager LP decreased its holdings in Pure Storage Inc (NYSE:PSTG) by 83.7% during the 2nd quarter, according to the company in its most recent filing with the SEC. The institutional investor owned 43,821 shares of the technology company's stock after selling 224,716 shares during the quarter. Engineers Gate Manager LP's holdings in Pure Storage were worth $1,046,000 at the end of the most recent quarter. +A number of other hedge funds and other institutional investors have also made changes to their positions in the stock. D.A. Davidson & CO. lifted its position in Pure Storage by 12.2% in the 2nd quarter. D.A. Davidson & CO. now owns 23,545 shares of the technology company's stock valued at $562,000 after acquiring an additional 2,552 shares in the last quarter. First Mercantile Trust Co. lifted its position in Pure Storage by 37.2% in the 2nd quarter. First Mercantile Trust Co. now owns 13,508 shares of the technology company's stock valued at $323,000 after acquiring an additional 3,662 shares in the last quarter. Swiss National Bank lifted its position in Pure Storage by 2.8% in the 1st quarter. Swiss National Bank now owns 142,800 shares of the technology company's stock valued at $2,849,000 after acquiring an additional 3,900 shares in the last quarter. LPL Financial LLC lifted its position in Pure Storage by 13.4% in the 1st quarter. LPL Financial LLC now owns 42,991 shares of the technology company's stock valued at $858,000 after acquiring an additional 5,089 shares in the last quarter. Finally, Fortis Advisors LLC bought a new position in Pure Storage in the 1st quarter valued at about $118,000. 58.81% of the stock is currently owned by institutional investors and hedge funds. Get Pure Storage alerts: +Pure Storage stock opened at $22.26 on Friday. Pure Storage Inc has a 52 week low of $12.38 and a 52 week high of $25.62. The company has a current ratio of 4.34, a quick ratio of 4.22 and a debt-to-equity ratio of 0.68. The company has a market cap of $5.20 billion, a price-to-earnings ratio of -26.50 and a beta of 1.12. Pure Storage (NYSE:PSTG) last posted its earnings results on Monday, May 21st. The technology company reported ($0.07) EPS for the quarter, topping the Thomson Reuters' consensus estimate of ($0.12) by $0.05. Pure Storage had a negative net margin of 16.38% and a negative return on equity of 35.13%. The firm had revenue of $255.90 million for the quarter, compared to analysts' expectations of $251.06 million. During the same quarter last year, the firm earned ($0.14) EPS. The company's quarterly revenue was up 40.1% compared to the same quarter last year. sell-side analysts expect that Pure Storage Inc will post -0.75 earnings per share for the current fiscal year. +In other news, Director Michael L. Speiser sold 150,000 shares of the firm's stock in a transaction that occurred on Wednesday, May 23rd. The shares were sold at an average price of $22.47, for a total transaction of $3,370,500.00. The sale was disclosed in a document filed with the Securities & Exchange Commission, which is available at this hyperlink . Also, CFO Timothy Riitters sold 9,556 shares of the firm's stock in a transaction that occurred on Wednesday, June 13th. The stock was sold at an average price of $25.21, for a total transaction of $240,906.76. The disclosure for this sale can be found here . In the last three months, insiders have sold 7,300,438 shares of company stock worth $171,163,180. Insiders own 15.30% of the company's stock. +Several equities analysts recently weighed in on PSTG shares. JMP Securities raised their price target on shares of Pure Storage from $23.00 to $26.00 and gave the company an "outperform" rating in a research report on Tuesday, May 22nd. BMO Capital Markets raised their price target on shares of Pure Storage from $25.00 to $29.00 and gave the company an "outperform" rating in a research report on Tuesday, May 22nd. Deutsche Bank raised their price target on shares of Pure Storage from $24.00 to $25.00 and gave the company a "buy" rating in a research report on Tuesday, May 22nd. KeyCorp raised their price target on shares of Pure Storage from $24.00 to $27.00 and gave the company an "overweight" rating in a research report on Tuesday, May 22nd. Finally, Morgan Stanley raised their price target on shares of Pure Storage from $19.00 to $21.00 and gave the company an "equal weight" rating in a research report on Tuesday, May 22nd. One equities research analyst has rated the stock with a sell rating, seven have issued a hold rating and nineteen have issued a buy rating to the stock. The company has a consensus rating of "Buy" and a consensus target price of $23.91. +About Pure Storage +Pure Storage, Inc engages in building a data platform that enables businesses to enhance performance and reduce complexity and costs worldwide. The company delivers its data platform through Purity Operating Environment, an optimized software for solid-state memory that offers enterprise-class storage and protocol services; FlashArray and FlashBlade optimized hardware products for solid-state memory to enhance the performance and density of flash, optimize its advanced software services, and reduce solution cost for customers; Pure1, a cloud-based management and support software; and FlashStack, a converged infrastructure solution. +Further Reading: Do closed-end mutual funds pay dividends? +Want to see what other hedge funds are holding PSTG? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Pure Storage Inc (NYSE:PSTG). Receive News & Ratings for Pure Storage Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Pure Storage and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test5089.txt b/input/test/Test5089.txt new file mode 100644 index 0000000..396ae24 --- /dev/null +++ b/input/test/Test5089.txt @@ -0,0 +1,2 @@ +RSS High Temperature Calcium Silicate Market Size, Share, Growth, Trends and Forecast 2018 – 2025 The market intelligence assessment on the High Temperature Calcium Silicate market blends in the best of both qualitative and quantitative research techniques to explore the High Temperature Calcium Silicate market performance for the forecast period, 2018 - 2025. +New York, NY -- ( SBWIRE ) -- 08/17/2018 -- This report studies the global High Temperature Calcium Silicate market status and forecast, categorizes the global High Temperature Calcium Silicate market size (value & volume) by manufacturers, type, application, and region. This report focuses on the top manufacturers in North America, Europe, Japan, China, India, Southeast Asia and other regions (Central & South America, and Middle East & Africa). The study on High Temperature Calcium Silicate market assesses the key drivers more extensively to help companies and individuals develop or tweak prototypes of a new product or service that is intended for the industry in the coming years. Most importantly, the study tries to understand why customers prefer certain products or services over others. Besides, a great emphasis is laid on the products that are innovated based on the lifestyle of the consumers. Most importantly, the report documents the dramatic shift in the lifestyle that has influenced the past buying habits of the customers. Do inquiry for Free Sample Copy here @ https://www.marketexpertz.com/sample-enquiry-form/16202 The major players covered in this report Morgan Thermal Ceramics, Luyang Energy-Saving Materials Co., Ltd., RHI AG, Mitsubishi Plastics Inc., 3M Company, Isolite Insulating Products Co. Ltd., Etex Group, Dyson Group PLC, Unifrax I LLC, Almatis GmbH Geographically, this report studies the key regions, focuses on product sales, value, market share and growth opportunity in these regions, covering North America, Europe, China, Japan, India, Southeast Asia On the basis of product, this report displays the production, revenue, price, market share and growth rate of each type, primarily split into - (600-1100) \ No newline at end of file diff --git a/input/test/Test509.txt b/input/test/Test509.txt new file mode 100644 index 0000000..8a1d93a --- /dev/null +++ b/input/test/Test509.txt @@ -0,0 +1,19 @@ +Tackling challenges of youth involvement in agribusiness — — – By Post Views: 27 Omole +CHARLES MADUABUEKE writes about problems that deny the participation of young people in agriculture and the need to stimulate their interest in this sector. +Studies have shown that agribusiness is one of the most effective tools for combating poverty, food shortages, hunger and unemployment. More than half of the population of Nigeria is estimated to be young, and, unfortunately, only a few see the future in agriculture, since most young people are not inclined to agriculture. +The agronomist, Dorcas Abimbola Omole, said that "Nigeria's bulk food is produced by aging farmers who are less likely to adopt new technologies needed to sustainably increase agricultural productivity, protect the environment and, ultimately, feed the world's growing population." Some young people who are currently involved in agribusiness say that illiteracy, lack of basic amenities, disorientation of society and the media, among other things, are problems that should be addressed if young people are involved in the sector. +The chain catalyst in YPARD Nigeria, Mr. John Agbula, said that "the young people are not sure whether agribusiness can provide a steady stream of income compared to profitable white-collar jobs, and we tend to blame public disorientation." In the past, he said: it was possible to identify and identify a farmer only through poverty, carrying corn / hoe, a basket of food and sometimes wood at the back of the bicycle. Thus, the mentality of youth in relation to agriculture is formed with the image of agriculture as a "poor and dirty career path." +In addition to this, Samson Ogbole, co-founder of PS Nutraceuticals Int. Ltd, explaining the reasons for young people's inclination to agriculture, said that agriculture was once the basis of the economy. Then came the oil era, and then the banking and telecommunications industry. The latter sectors provided better livelihoods and because of a lack of innovation in agribusiness, interest was lost in this sector. +Access to information, knowledge and education The information available in most quarters incorrectly portrays agriculture as a work for the unfortunate, downtrodden and those who have informal education. Home movies defended this deception by abandoning farmers as poor, thereby preventing young people from embracing agribusiness. +Omole suggested that lack of access to knowledge can impede the development of necessary skills in order to maximize profitability in agribusiness. Consequently, training is required so that young people can respond to the needs of the modern agricultural sector. "We need to improve the access of young rural women to education and include appropriate agricultural skills to increase productivity," she said. +Limited access to land ACCESS to the land is fundamental to the launch of the farm, and it is often difficult for young people to acquire it. Legislation on inheritance and customs in developing countries, the agronomist said, often makes the problem of transferring land to young farmers problematic and, therefore, extremely necessary amendment. Therefore, community, state and national structures should be established through which young people can access land for agricultural purposes. +Bad access to financial services MOST's financial services providers are reluctant to provide credit services to youth due to lack of collateral, financial literacy and, among other reasons, Omole added. "Promoting financial products and opportunities for young people to start funding, organizing mentoring programs and encouraging young people to help address these problems," she said. +Non-inclusive agricultural policy Politicians of the AGRIC, Omole said, often do not take into account the heterogeneity of young people and therefore do not provide them with effective tools and support. She said that the opinion of young people is not heard and not in demand in the process of making political decisions, so their complex needs are not included. She advocated that policymakers require a consistent response to ensure that the main problems facing young people are addressed and that young people should participate in policy development. +Limited availability in the market According to Omole, market availability is becoming more complex due to the growing influence of supermarkets and the stringent conditions of their supply chains, as well as the exorbitant transportation costs for the harvest. The agonist lamented that over-saturation becomes a difficult task for farmers, and without a viable market, young people will not be able to support production. +"The lack of storage and processing facilities are other problems that must also be addressed," she added. Mr. Agbula added: "The high cost of inputs and equipment, the lack of infrastructure, climate change and environmental problems, limited support from the government and other stakeholders also need to be addressed." Agriculture is associated with risks, but Omole said: "Youth-oriented projects and programs can be effective in providing youth with the additional impetus needed to enter the agricultural sector and ultimately address the significant untapped potential of this significant and growing demographic." +Rebranding Agriculture To reduce the high level of unemployment among young people in the country, Agbula invited agribusiness to attract young people to create jobs, saying that young people need to report that cash in cashews and, therefore, a steady income in agriculture. Therefore, he advised: "To attract young people, the first step is re-branding and the attractiveness of agriculture." +Mr. Ogbole said that relevant stakeholders need to play a key role in rethinking the image of agriculture, as young people are now considering agribusiness as primitive, tedious and devoid of modern technologies. It should be that agribusiness is represented as one that shows the promise to give young people the life that they desire.Young people embracing the opportunities that agriculture is experiencing now, say Agbula, and young people like him, are increasingly talking about why agriculture is the golden geese. +Agronomist also said: "There are cases when entrepreneurs successfully cut out a niche for themselves in agribusiness, also helping local farmers to enter the world markets, creating jobs for other people." Omole added that "with the advent of new technologies, mechanization and ICT, agriculture has become a profitable profession for young people because of their desire to integrate technology and innovation in this sector to ensure future growth." +Involving young people in agriculture GLOBALLY, the attitude towards agriculture is changing rapidly, and Nigeria needs to move in this direction. Promoting the participation of young people in agriculture can lead to widespread poverty reduction in rural areas. And to the extent that there are problems, young agents-agents should see barriers in the process of training and should use all means to overcome them. +Indeed, agriculture provides a viable way for young people to succeed, and coordinated efforts to increase youth participation in this sector are now more important, as a growing national population and a decline in agricultural productivity mean that endemic hunger is inevitable. " In order to maintain the food system, we need smart and energetic young people so that they take precedence over the elderly farmers, "Ogbole said. The concept of agriculture, which is a dirty work, must change, and therefore various stakeholders, especially the government, private sector operators and interested stakeholders should highlight the passion for agribusiness among young people. " +Young farmers encourage young people by creating mobile objects for crowdfunding, instructing newcomers on how to grow high-value crops, keeping and raising livestock for commercial purposes, and the importance of scouting and exploiting the value chain is hammered. " Investing in agriculture is not easy but with patience, it is a worthy decision, as well as investment, "Agbula added \ No newline at end of file diff --git a/input/test/Test5090.txt b/input/test/Test5090.txt new file mode 100644 index 0000000..a257eca --- /dev/null +++ b/input/test/Test5090.txt @@ -0,0 +1,6 @@ +By : The Courier Comment: Off +PARIS (AP) — Unions at Air France-KLM voiced concern after the company appointed Benjamin Smith as the new CEO with the support of the French state. +The company said Thursday that Smith, who is 46 and was previously Air Canada's chief operating officer, will fill the role by Sept. 30. +Vincent Salles, unionist at CGT-Air France union, said on France Info radio that unions fear Smith's mission is to implement plans that would "deteriorate working conditions and wages." +The previous CEO, Jean-Marc Janaillac, resigned in May after Air France employees held 13 days of strike over pay and rejected the company's wage proposal, considered too low. +Finance Minister Bruno Le Maire welcomed an "opportunity" for Air France-KLM and expressed his confidence in Smith's ability to "re-establish social dialogue. \ No newline at end of file diff --git a/input/test/Test5091.txt b/input/test/Test5091.txt new file mode 100644 index 0000000..9c6cb5a --- /dev/null +++ b/input/test/Test5091.txt @@ -0,0 +1,6 @@ +Building Energy Management in 2018, Part 2: The Top 20 Vendors +Which companies hold the lion's share of the BEMS market? And which are growing fastest? 1 by Joseph Aamidor August 16, 2018 +This is the second in a GTM Squared series on the companies, technologies, applications and opportunities in the U.S. building energy management system market. +The analysis, from industry expert Joseph Aamidor, dives deep to quantify the BEMS vendor landscape. The series answers key questions about the market, including: Which vendors have significant market share? Which are growing fastest? How much vendor turnover has there been in the market? What is the current penetration of BEMS within commercial buildings? Which building types offer growth opportunities? +Click here to read Part 1. This Content is Part of the GTM Squared Membership Are you a Square? +GTM Squared delivers premium content in the form of in-depth article series, research highlights, and multimedia extras. Go beyond our everyday coverage and gain insider access to our experts \ No newline at end of file diff --git a/input/test/Test5092.txt b/input/test/Test5092.txt new file mode 100644 index 0000000..0b9e6be --- /dev/null +++ b/input/test/Test5092.txt @@ -0,0 +1,8 @@ +Tweet +Lexicon Pharmaceuticals (NASDAQ:LXRX) was downgraded by equities research analysts at BidaskClub from a "hold" rating to a "sell" rating in a research note issued on Friday. +LXRX has been the subject of several other research reports. Zacks Investment Research downgraded shares of Lexicon Pharmaceuticals from a "hold" rating to a "sell" rating in a research report on Thursday, April 26th. Stifel Nicolaus reaffirmed a "buy" rating and issued a $23.00 price objective (down previously from $24.00) on shares of Lexicon Pharmaceuticals in a research report on Tuesday, July 31st. Citigroup lowered their price objective on shares of Lexicon Pharmaceuticals from $28.00 to $27.00 and set a "buy" rating for the company in a research report on Friday, May 4th. ValuEngine raised shares of Lexicon Pharmaceuticals from a "strong sell" rating to a "sell" rating in a research report on Friday, June 1st. Finally, Needham & Company LLC reissued a "hold" rating on shares of Lexicon Pharmaceuticals in a research report on Monday, July 30th. Three equities research analysts have rated the stock with a sell rating, two have assigned a hold rating and three have assigned a buy rating to the company's stock. The company currently has a consensus rating of "Hold" and an average price target of $24.60. Get Lexicon Pharmaceuticals alerts: +Shares of NASDAQ:LXRX opened at $10.45 on Friday. The company has a debt-to-equity ratio of -45.80, a current ratio of 2.71 and a quick ratio of 2.68. Lexicon Pharmaceuticals has a 52-week low of $7.67 and a 52-week high of $15.16. The company has a market capitalization of $1.16 billion, a price-to-earnings ratio of -8.23 and a beta of 0.33. Lexicon Pharmaceuticals (NASDAQ:LXRX) last issued its quarterly earnings data on Monday, July 30th. The biopharmaceutical company reported ($0.33) earnings per share (EPS) for the quarter, beating the Thomson Reuters' consensus estimate of ($0.35) by $0.02. Lexicon Pharmaceuticals had a negative net margin of 137.32% and a negative return on equity of 369.13%. The company had revenue of $13.75 million during the quarter, compared to the consensus estimate of $15.88 million. During the same quarter last year, the company earned ($0.33) earnings per share. Lexicon Pharmaceuticals's revenue for the quarter was up 14.1% on a year-over-year basis. analysts anticipate that Lexicon Pharmaceuticals will post -1.38 EPS for the current fiscal year. +In other news, VP James F. Tessmer sold 10,000 shares of the firm's stock in a transaction that occurred on Friday, June 8th. The shares were sold at an average price of $12.91, for a total transaction of $129,100.00. Following the completion of the sale, the vice president now owns 35,643 shares of the company's stock, valued at $460,151.13. The transaction was disclosed in a filing with the Securities & Exchange Commission, which can be accessed through this link . Also, Director Public Equities L.P. Invus purchased 138,700 shares of the firm's stock in a transaction dated Friday, May 25th. The shares were bought at an average cost of $9.62 per share, with a total value of $1,334,294.00. The disclosure for this purchase can be found here . Insiders have bought 1,924,615 shares of company stock valued at $22,552,542 in the last three months. Corporate insiders own 6.10% of the company's stock. +Hedge funds have recently added to or reduced their stakes in the company. Two Sigma Advisers LP bought a new position in Lexicon Pharmaceuticals during the fourth quarter worth $104,000. Quantitative Systematic Strategies LLC lifted its stake in Lexicon Pharmaceuticals by 61.4% during the first quarter. Quantitative Systematic Strategies LLC now owns 19,171 shares of the biopharmaceutical company's stock worth $164,000 after purchasing an additional 7,296 shares during the last quarter. Tocqueville Asset Management L.P. bought a new position in Lexicon Pharmaceuticals during the second quarter worth $164,000. Aperio Group LLC lifted its stake in Lexicon Pharmaceuticals by 49.5% during the first quarter. Aperio Group LLC now owns 19,270 shares of the biopharmaceutical company's stock worth $165,000 after purchasing an additional 6,377 shares during the last quarter. Finally, Trexquant Investment LP bought a new position in Lexicon Pharmaceuticals during the first quarter worth $177,000. +Lexicon Pharmaceuticals Company Profile +Lexicon Pharmaceuticals, Inc, a biopharmaceutical company, focuses on the development and commercialization of pharmaceutical products for the treatment of human diseases. The company offers XERMELO, an orally-delivered small molecule drug candidate for the treatment of carcinoid syndrome diarrhea in combination with somatostatin analog therapy in adults \ No newline at end of file diff --git a/input/test/Test5093.txt b/input/test/Test5093.txt new file mode 100644 index 0000000..fca23cc --- /dev/null +++ b/input/test/Test5093.txt @@ -0,0 +1,11 @@ +Tweet +CIBC Private Wealth Group LLC lifted its stake in United Technologies Co. (NYSE:UTX) by 17.5% in the second quarter, according to its most recent Form 13F filing with the Securities and Exchange Commission (SEC). The firm owned 1,615,572 shares of the conglomerate's stock after acquiring an additional 241,135 shares during the period. United Technologies makes up about 0.8% of CIBC Private Wealth Group LLC's holdings, making the stock its 23rd largest holding. CIBC Private Wealth Group LLC's holdings in United Technologies were worth $201,994,000 as of its most recent filing with the Securities and Exchange Commission (SEC). +Other hedge funds have also modified their holdings of the company. Silvant Capital Management LLC purchased a new stake in shares of United Technologies in the first quarter worth $113,000. Jolley Asset Management LLC purchased a new stake in United Technologies during the second quarter valued at about $114,000. WP Advisors LLC purchased a new stake in United Technologies during the second quarter valued at about $126,000. Kiley Juergens Wealth Management LLC purchased a new stake in United Technologies during the second quarter valued at about $127,000. Finally, Centerpoint Advisors LLC purchased a new stake in United Technologies during the first quarter valued at about $131,000. Institutional investors own 81.77% of the company's stock. Get United Technologies alerts: +A number of equities research analysts have weighed in on UTX shares. Zacks Investment Research upgraded United Technologies from a "hold" rating to a "buy" rating and set a $143.00 price target on the stock in a research report on Tuesday, May 22nd. Jefferies Financial Group set a $157.00 price target on United Technologies and gave the company a "buy" rating in a research report on Tuesday, July 10th. ValuEngine upgraded United Technologies from a "hold" rating to a "buy" rating in a research report on Tuesday, July 31st. UBS Group started coverage on United Technologies in a research report on Wednesday. They set a "buy" rating on the stock. Finally, Stifel Nicolaus lowered their price target on United Technologies from $131.00 to $127.00 and set a "hold" rating on the stock in a research report on Wednesday, April 25th. Seven investment analysts have rated the stock with a hold rating and thirteen have given a buy rating to the company. The company has an average rating of "Buy" and a consensus target price of $142.17. NYSE UTX opened at $133.31 on Friday. United Technologies Co. has a twelve month low of $109.10 and a twelve month high of $139.24. The company has a current ratio of 1.46, a quick ratio of 1.10 and a debt-to-equity ratio of 0.82. The stock has a market cap of $106.49 billion, a price-to-earnings ratio of 20.05, a PEG ratio of 2.02 and a beta of 1.05. +United Technologies (NYSE:UTX) last released its quarterly earnings data on Tuesday, July 24th. The conglomerate reported $1.97 EPS for the quarter, topping the Thomson Reuters' consensus estimate of $1.85 by $0.12. The firm had revenue of $16.71 billion for the quarter, compared to the consensus estimate of $16.26 billion. United Technologies had a return on equity of 17.53% and a net margin of 8.09%. The company's quarterly revenue was up 9.3% on a year-over-year basis. During the same quarter in the previous year, the business earned $1.85 earnings per share. analysts predict that United Technologies Co. will post 7.22 EPS for the current fiscal year. +The business also recently disclosed a quarterly dividend, which will be paid on Monday, September 10th. Stockholders of record on Friday, August 17th will be issued a $0.70 dividend. The ex-dividend date is Thursday, August 16th. This represents a $2.80 annualized dividend and a dividend yield of 2.10%. United Technologies's dividend payout ratio is currently 42.11%. +In other news, VP Charles D. Gill sold 9,700 shares of United Technologies stock in a transaction dated Tuesday, May 22nd. The stock was sold at an average price of $128.47, for a total value of $1,246,159.00. Following the transaction, the vice president now owns 25,029 shares in the company, valued at $3,215,475.63. The transaction was disclosed in a document filed with the SEC, which can be accessed through this link . Also, CFO Akhil Johri sold 6,259 shares of United Technologies stock in a transaction dated Tuesday, May 22nd. The stock was sold at an average price of $128.30, for a total value of $803,029.70. Following the completion of the transaction, the chief financial officer now owns 47,088 shares in the company, valued at approximately $6,041,390.40. The disclosure for this sale can be found here . In the last quarter, insiders sold 34,470 shares of company stock worth $4,571,162. Company insiders own 0.17% of the company's stock. +United Technologies Company Profile +United Technologies Corporation provides technology products and services to building systems and aerospace industries worldwide. Its Otis segment designs, manufactures, sells, and installs passenger and freight elevators, escalators, and moving walkways; and offers modernization products to upgrade elevators and escalators, as well as maintenance and repair services. +Featured Article: What is the NASDAQ? +Want to see what other hedge funds are holding UTX? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for United Technologies Co. (NYSE:UTX). Receive News & Ratings for United Technologies Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for United Technologies and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test5094.txt b/input/test/Test5094.txt new file mode 100644 index 0000000..9d8c08e --- /dev/null +++ b/input/test/Test5094.txt @@ -0,0 +1,9 @@ +Tweet +Assurant, Inc. (NYSE:AIZ) COO Gene Mergelmeyer sold 14,144 shares of the firm's stock in a transaction that occurred on Tuesday, August 14th. The shares were sold at an average price of $109.41, for a total transaction of $1,547,495.04. The sale was disclosed in a filing with the SEC, which can be accessed through the SEC website . +NYSE:AIZ opened at $106.05 on Friday. Assurant, Inc. has a 52 week low of $84.34 and a 52 week high of $111.43. The company has a debt-to-equity ratio of 0.38, a quick ratio of 0.49 and a current ratio of 0.49. The company has a market cap of $5.60 billion, a PE ratio of 26.65 and a beta of 0.53. Get Assurant alerts: +Assurant (NYSE:AIZ) last posted its quarterly earnings results on Tuesday, August 7th. The financial services provider reported $2.11 EPS for the quarter, beating the Zacks' consensus estimate of $1.76 by $0.35. Assurant had a net margin of 6.37% and a return on equity of 5.62%. The firm had revenue of $1.83 billion for the quarter, compared to analysts' expectations of $1.77 billion. During the same quarter in the prior year, the company posted $1.63 earnings per share. equities analysts predict that Assurant, Inc. will post 7.73 earnings per share for the current fiscal year. The company also recently declared a quarterly dividend, which will be paid on Tuesday, September 18th. Stockholders of record on Monday, August 27th will be issued a dividend of $0.56 per share. This represents a $2.24 dividend on an annualized basis and a dividend yield of 2.11%. The ex-dividend date is Friday, August 24th. Assurant's payout ratio is 56.28%. +Several large investors have recently bought and sold shares of the company. Jane Street Group LLC purchased a new stake in shares of Assurant during the second quarter valued at approximately $2,031,000. California Public Employees Retirement System grew its holdings in shares of Assurant by 13.4% during the second quarter. California Public Employees Retirement System now owns 262,950 shares of the financial services provider's stock valued at $27,213,000 after buying an additional 31,091 shares during the last quarter. Qube Research & Technologies Ltd grew its holdings in shares of Assurant by 111.1% during the second quarter. Qube Research & Technologies Ltd now owns 1,142 shares of the financial services provider's stock valued at $118,000 after buying an additional 601 shares during the last quarter. Putnam Investments LLC grew its holdings in shares of Assurant by 56.6% during the second quarter. Putnam Investments LLC now owns 91,177 shares of the financial services provider's stock valued at $9,436,000 after buying an additional 32,961 shares during the last quarter. Finally, Worldquant Millennium Quantitative Strategies LLC purchased a new stake in shares of Assurant during the second quarter valued at approximately $462,000. Hedge funds and other institutional investors own 93.44% of the company's stock. +A number of equities analysts have weighed in on the stock. Keefe, Bruyette & Woods reaffirmed a "buy" rating and set a $125.00 target price on shares of Assurant in a research note on Wednesday, August 8th. SunTrust Banks raised their target price on shares of Assurant to $129.00 and gave the company an "outperform" rating in a research note on Wednesday, July 11th. They noted that the move was a valuation call. Morgan Stanley assumed coverage on shares of Assurant in a research note on Tuesday, July 10th. They set an "overweight" rating and a $125.00 target price for the company. UBS Group raised their target price on shares of Assurant from $115.00 to $118.00 and gave the company a "buy" rating in a research note on Thursday, June 21st. Finally, ValuEngine raised shares of Assurant from a "sell" rating to a "hold" rating in a research note on Thursday, June 21st. One research analyst has rated the stock with a sell rating, one has issued a hold rating and four have issued a buy rating to the company's stock. The company has a consensus rating of "Buy" and an average target price of $124.25. +About Assurant +Assurant, Inc, through its subsidiaries, provides risk management solutions for housing and lifestyle markets in North America, Latin America, Europe, and the Asia Pacific. The company operates through three segments: Global Housing, Global Lifestyle, and Global Preneed. Its Global Housing segment provides lender-placed homeowners, manufactured housing, and flood insurance; renters insurance and related products; and mortgage solutions comprising property inspection and preservation, valuation and title, and other property risk management services. +Featured Article: Dividend Receive News & Ratings for Assurant Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Assurant and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test5095.txt b/input/test/Test5095.txt new file mode 100644 index 0000000..5f958cf --- /dev/null +++ b/input/test/Test5095.txt @@ -0,0 +1,9 @@ + Lauren Steadman on Aug 17th, 2018 // No Comments +LTC Properties (NYSE:LTC) was upgraded by equities research analysts at ValuEngine from a "sell" rating to a "hold" rating in a note issued to investors on Wednesday. +Other equities research analysts have also issued research reports about the stock. TheStreet raised shares of LTC Properties from a "c+" rating to a "b-" rating in a research note on Thursday, June 28th. Cantor Fitzgerald reissued a "buy" rating and set a $46.00 price objective (up previously from $45.00) on shares of LTC Properties in a research note on Thursday, August 9th. Zacks Investment Research raised shares of LTC Properties from a "hold" rating to a "buy" rating and set a $48.00 price objective on the stock in a research note on Tuesday. Stifel Nicolaus set a $43.00 price objective on shares of LTC Properties and gave the stock a "hold" rating in a research note on Thursday, August 9th. Finally, Royal Bank of Canada lowered shares of LTC Properties from a "sector perform" rating to an "underperform" rating in a research note on Friday, June 1st. Two research analysts have rated the stock with a sell rating, five have issued a hold rating and three have given a buy rating to the company's stock. The company has an average rating of "Hold" and an average price target of $43.57. Get LTC Properties alerts: +Shares of NYSE LTC opened at $45.30 on Wednesday. LTC Properties has a 1 year low of $34.46 and a 1 year high of $49.59. The company has a debt-to-equity ratio of 0.81, a quick ratio of 8.26 and a current ratio of 8.26. The stock has a market cap of $1.71 billion, a P/E ratio of 14.61, a P/E/G ratio of 3.58 and a beta of 0.13. +LTC Properties (NYSE:LTC) last announced its quarterly earnings results on Wednesday, August 8th. The real estate investment trust reported $1.73 earnings per share (EPS) for the quarter, beating the consensus estimate of $0.75 by $0.98. LTC Properties had a net margin of 77.94% and a return on equity of 16.84%. The company had revenue of $33.93 million for the quarter, compared to analysts' expectations of $34.55 million. equities analysts predict that LTC Properties will post 3.01 EPS for the current fiscal year. +Large investors have recently bought and sold shares of the stock. Itau Unibanco Holding S.A. bought a new stake in LTC Properties during the second quarter worth about $191,000. Fort Washington Investment Advisors Inc. OH bought a new position in shares of LTC Properties in the second quarter worth approximately $201,000. Pitcairn Co. bought a new position in shares of LTC Properties in the second quarter worth approximately $205,000. Janney Montgomery Scott LLC bought a new position in shares of LTC Properties in the second quarter worth approximately $206,000. Finally, Jane Street Group LLC bought a new position in shares of LTC Properties in the fourth quarter worth approximately $212,000. 80.08% of the stock is currently owned by institutional investors and hedge funds. +LTC Properties Company Profile +LTC is a self-administered real estate investment trust that primarily invests in seniors housing and health care properties primarily through sale-leaseback transactions, mortgage financing and structured finance solutions including mezzanine lending. At March 31, 2018, LTC had 203 investments located in 29 states comprising 105 assisted living communities, 97 skilled nursing centers and a behavioral health care hospital. +To view ValuEngine's full report, visit ValuEngine's official website . Receive News & Ratings for LTC Properties Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for LTC Properties and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test5096.txt b/input/test/Test5096.txt new file mode 100644 index 0000000..5b555f6 --- /dev/null +++ b/input/test/Test5096.txt @@ -0,0 +1,15 @@ +South Korea signs Former Portugal coach Paulo Bento Aug 17, 2018 By: Amarachukwu Akaigwe - +Former Portugal boss Paulo Bento will coach South Korea over the next four years through the 2022 Qatar World Cup, the Korea Football Association (KFA) announced Friday. +Kim Pan-gon, a top KFA official in charge of finding a new coach, said that with "four years of patience and support" Bento will take the Taeguk Warriors to new heights. +"Coach Bento fits the Korean football style as he pursues high-pressing games and tight defences denying opponents chances for counterattacks," Kim told journalists. +He also praised Bento — who took Portugal to the semi-finals of Euro 2012 — for his strength in the knockout stages of competitions. +"He is professional, charismatic and has passion and confidence," Kim said. +Bento and his staff are scheduled to arrive in South Korea on Monday, the KFA said. +Bento took the Portuguese reins in 2010 after four seasons in charge of Sporting Lisbon, but was sacked in 2014 after an ignominious home defeat to Albania. +He later had stints in charge of Brazil's Cruzeiro and Olympiakos in Greece, and was appointed coach of Chinese Super League club Chongqing Lifan in December last year. +The CSL side sacked him last month after he failed to improve the side's fortunes. +Bento — a tough-tackling defensive midfielder capped 35 times by Portugal — replaces South Korean Shin Tae-yong, whose contract expired last month. +The contract terms remain unclear but his annual wage is expected to be higher than the 1.5 billion won ($1.4 million) received by Germany's Uli Stielike, who coached South Korea from 2014-17, Yonhap reported previously. +South Korea, who reached the World Cup semi-finals in 2002, exited Russia 2018 at the group stage after defeats to Sweden and Mexico, despite stunning Germany to eliminate the defending champions. +Afterwards, Hyundai scion and KFA president Chung Mong-gyu handed over $3.5 million of his own money to hire a new football coach in an attempt to turn the national team's fortunes around. +South Korea's next major assignment at full international level is January's Asian Cup. They were runners-up to Australia at the last edition of the tournament in 2015 \ No newline at end of file diff --git a/input/test/Test5097.txt b/input/test/Test5097.txt new file mode 100644 index 0000000..2bc4b95 --- /dev/null +++ b/input/test/Test5097.txt @@ -0,0 +1,8 @@ +Google working on a new AI powered digital personal training coach By - August 16, 2018 Google is rumored to be working on a new AI backed Google Coach program that will suggest the users to exercise and appropriate diet plans. +Google is keen to see us fit and healthy, as exemplified by their urge to launch an AI-powered app that would help us with exercise or diet recommendations in real time. At least that is what is being rumored as of now. +Named Google Coach, the app will seek to remind users if they strayed from their regular exercise regime or if a particular exercise will achieve better results. Also, given that a proper diet is also equally imperative to good health, the app also has it covered as well and will recommend diets it feels will be more beneficial for the user. +Also, of course, Google will be drawing upon other data it gathers from users to let the AI based Coach to make more informed decisions and suggest actions accordingly. That includes Calendar settings, reminders, location data and so on. Further, given that Google Coach is expected to make its debut on wearable devices first, that would also mean a huge trove of personal health-related info that the Coach will always have at its disposal to suggest changes that it feels will be best suited for the user. +Google, however, is yet to confirm if Coach is indeed destined for reality though if it does, it should arrive on smartphones as well sometime later. Also, there is no word yet as to when it might launch though perhaps a safe bet to make would be a launch around fall, to time with the launch of the Pixel 3 range of phone. +Also, all of the suggestions made by Google Coach will likely be in the form of notifications. However, there also are reports of Google consolidating the messages into a group so as not to end up overwhelming the user with a constant stream of notifications. As it is, the same on smartwatches can be a bit tricky given the tiny viewing area such devices offer. +Google launches Android 9 Pie, available for Pixel phones right now +The Mountain View company meanwhile also has its Google Fit app which largely acts to serve users as a convenient placeholder for all fitness related data. However, the rumored new Google Coach, if it becomes a reality, will have a much wider scope and will have a much larger role than merely serving sensor info \ No newline at end of file diff --git a/input/test/Test5098.txt b/input/test/Test5098.txt new file mode 100644 index 0000000..c06d34e --- /dev/null +++ b/input/test/Test5098.txt @@ -0,0 +1 @@ +7 Global Market Analysis By Solutions 8 Global Market Analysis By Services 9 Global Market Analysis By Testing Type 10 Global Market Analysis By Delivery Type 11 Global Market Analysis By Organization Type 12 Global Market Analysis By Industry Verticals 13 Global Market Analysis By Region 14 Market Trends & Competitive Analysis 15 Company ProfilesAbout Us Orian Research is one of the most comprehensive collections of market intelligence reports on the World Wide Web. Our reports repository boasts of over 5 + industry and country research reports from over 100 top publishers. We continuously update our repository so as to provide our clients easy access to the world's most complete and current database of expert insights on global industries, companies, and products. We also specialize in custom research in situations where our syndicate research offerings do not meet the specific requirements of our esteemed clients.Contact Us: Vice President – Global Sales & Partner Relations Orian Research Consultants US: +1 (832) 380-8827 | UK: +44 0161-818-8027 Email: Follow Us on LinkedIn: www.linkedin.com/company-beta/13281002/ This release was published on openPR. News-ID: 1185443 • Views: 95 Permanent link to this press release: Please set a link in the press area of your homepage to this press release on openPR. openPR disclaims liability for any content contained in this release. (1) You can edit or delete your press release here: More Releases from Orian Researc \ No newline at end of file diff --git a/input/test/Test5099.txt b/input/test/Test5099.txt new file mode 100644 index 0000000..0a9c163 --- /dev/null +++ b/input/test/Test5099.txt @@ -0,0 +1,15 @@ +BEIJING (Reuters) - A proposal by two Chinese researchers to force couples with fewer than two children to pay into a "procreation fund" backfired on Friday, with critics calling it a "thoughtless" and "absurd" way to battle the problem of an ageing population. +Since 2016, China has allowed urban couples to have two children, replacing a decades-old one-child policy blamed for falling birth rates and a greying society, but the changes have not ushered in the hoped-for baby boom. +Births in mainland China fell by 3.5 percent last year due to fewer women of fertile age and the growing number of people delaying marriage and pregnancy. +But the suggestion of a fund to subsidise large families, out of annual contributions from people younger than 40 who have fewer than two children, or none, was widely panned. +"I'm really upset by its stupidity," 21-year-old Ranny Lou responded to the suggestion of the procreation fund after it went viral on social media. +"Shall we hoard condoms and contraceptive pills now to profit when the government imposes curbs on purchasing these things in the future?" +Two researchers at a state-backed institute suggested the fund, as they looked for ways to counter the "precipitous fall" they anticipate in the birth rate in the next two to three years. +Until withdrawn on retirement of the contributor, or on the birth of a second child, the contributions will subsidise other families with more babies. +"The consequences of this trend of couples having fewer children will be very serious," the researchers from the Yangtze River Industrial Economic Research Institute wrote. +State television took aim at the researchers' proposal, published on Tuesday in the Xinhua Daily newspaper of the Communist Party in Jiangsu province, calling it "absurd" and "unbelievable". +"We can encourage people to have more babies through propaganda and policy incentives, but we can't punish families which opt to be childless or have fewer children in the name of creating a 'procreation fund'," CCTV said on its website on Friday. +Policymakers must offer tax cuts, incentives and greater public spending to allay young people's concerns about the high cost of child rearing, CCTV added. +Authorities in some regions and cities have in recent months rolled out longer maternity leave and more subsidies for mothers bearing a second child. +But some critics worry the improved benefits will worsen deep-rooted discrimination against women at work as companies frown at rising costs. +(Reporting by Yawen Chen and Ryan Woo; Additional reporting by Beijing Newsroom; Editing by Darren Schuettler \ No newline at end of file diff --git a/input/test/Test51.txt b/input/test/Test51.txt new file mode 100644 index 0000000..132ae48 --- /dev/null +++ b/input/test/Test51.txt @@ -0,0 +1,17 @@ +Key Findings of the 3D Printing Technology Market | Stratasys, Arcam AB, 3D Systems, Protolabs, Materialise August 17 Share it With Friends Key Findings of the 3D Printing Technology Market HTF MI recently introduced Global 3D Printing Technology Market study with in-depth overview, describing about the Product / Industry Scope and elaborates market outlook and status to 2023. The market Study is segmented by key regions which is accelerating the marketization. At present, the market is developing its presence and some of the key players from the complete study are Stratasys, Arcam AB, 3D Systems, Protolabs, Materialise, ExOne GmbH, EOS GmbH, SLM Solutions, Concept Laser & Ultimaker etc. +Request Sample of Global 3D Printing Technology Market Size, Status and Forecast 2018-2025 @: https://www.htfmarketreport.com/sample-report/1300911-global-3d-printing-technology-market-3 +This report studies the Global 3D Printing Technology market size, industry status and forecast, competition landscape and growth opportunity. This research report categorizes the Global 3D Printing Technology market by companies, region, type and end-use industry. +Browse 100+ market data Tables and Figures spread through Pages and in-depth TOC on " 3D Printing Technology Market by Type (Metal, Polymer, Ceramics & Other), by End-Users/Application (Automotive, Consumer Electronics, Medical, Aerospace, Education & Other), Organization Size, Industry, and Region – Forecast to 2023″. Early buyers will receive 10% customization on comprehensive study. +In order to get a deeper view of Market Size, competitive landscape is provided i.e. Revenue (Million USD) by Players (2013-2018), Revenue Market Share (%) by Players (2013-2018) and further a qualitative analysis is made towards market concentration rate, product/service differences, new entrants and the technological trends in future. +Enquire for customization in Report @ https://www.htfmarketreport.com/enquiry-before-buy/1300911-global-3d-printing-technology-market-3 +Competitive Analysis: The key players are highly focusing innovation in production technologies to improve efficiency and shelf life. The best long-term growth opportunities for this sector can be captured by ensuring ongoing process improvements and financial flexibility to invest in the optimal strategies. Company profile section of players such as Stratasys, Arcam AB, 3D Systems, Protolabs, Materialise, ExOne GmbH, EOS GmbH, SLM Solutions, Concept Laser & Ultimaker includes its basic information like legal name, website, headquarters, its market position, historical background and top 5 closest competitors by Market capitalization / revenue along with contact information. Each player/ manufacturer revenue figures, growth rate and gross profit margin is provided in easy to understand tabular format for past 5 years and a separate section on recent development like mergers, acquisition or any new product/service launch etc. +Market Segments: The Global 3D Printing Technology Market has been divided into type, application, and region. On The Basis Of Type: Metal, Polymer, Ceramics & Other . On The Basis Of Application: Automotive, Consumer Electronics, Medical, Aerospace, Education & Other On The Basis Of Region, this report is segmented into following key geographies, with production, consumption, revenue (million USD), and market share, growth rate of 3D Printing Technology in these regions, from 2013 to 2023 (forecast), covering • North America (U.S. & Canada) {Market Revenue (USD Billion), Growth Analysis (%) and Opportunity Analysis} • Latin America (Brazil, Mexico & Rest of Latin America) {Market Revenue (USD Billion), Growth Share (%) and Opportunity Analysis} • Europe (The U.K., Germany, France, Italy, Spain, Poland, Sweden & RoE) {Market Revenue (USD Billion), Growth Share (%) and Opportunity Analysis} • Asia-Pacific (China, India, Japan, Singapore, South Korea, Australia, New Zealand, Rest of Asia) {Market Revenue (USD Billion), Growth Share (%) and Opportunity Analysis} • Middle East & Africa (GCC, South Africa, North Africa, RoMEA) {Market Revenue (USD Billion), Growth Share (%) and Opportunity Analysis} • Rest of World {Market Revenue (USD Billion), Growth Analysis (%) and Opportunity Analysis} +Buy Single User License of Global 3D Printing Technology Market Size, Status and Forecast 2018-2025 @ https://www.htfmarketreport.com/buy-now?format=1&report=1300911 +Have a look at some extracts from Table of Content +Introduction about Global 3D Printing Technology +Global 3D Printing Technology Market Size (Sales) Market Share by Type (Product Category) in 2017 3D Printing Technology Market by Application/End Users Global 3D Printing Technology Sales (Volume) and Market Share Comparison by Applications (2013-2023) table defined for each application/end-users like [Automotive, Consumer Electronics, Medical, Aerospace, Education & Other] Global 3D Printing Technology Sales and Growth Rate (2013-2023) 3D Printing Technology Competition by Players/Suppliers, Region, Type and Application 3D Printing Technology (Volume, Value and Sales Price) table defined for each geographic region defined. Global 3D Printing Technology Players/Suppliers Profiles and Sales Data +Additionally Company Basic Information, Manufacturing Base and Competitors list is being provided for each listed manufacturers +Market Sales, Revenue, Price and Gross Margin (2013-2018) table for each product type which include Metal, Polymer, Ceramics & Other 3D Printing Technology Manufacturing Cost Analysis 3D Printing Technology Key Raw Materials Analysis 3D Printing Technology Chain, Sourcing Strategy and Downstream Buyers, Industrial Chain Analysis Market Forecast (2018-2023) ……..and more in complete table of Contents +Browse for Full Report at: https://www.htfmarketreport.com/reports/1300911-global-3d-printing-technology-market-3 +Thanks for reading this article; you can also get individual chapter wise section or region wise report version like North America, Europe or Asia. +Media Contac \ No newline at end of file diff --git a/input/test/Test510.txt b/input/test/Test510.txt new file mode 100644 index 0000000..6f45817 --- /dev/null +++ b/input/test/Test510.txt @@ -0,0 +1,2 @@ +U.S. votes $12.5m for food security in Nigeria By 0 Post Views: 38 +The Feed the Future, an initiative of the US government on global hunger and food security, has allocated 12.5 million dollars for food security in Nigeria. This in an interview with Nigeria's news agency (NAN) on Thursday in Abuja was announced by Dr. George Mavrotas, the head of the IFPRI office in Nigeria. Mavrotas, who is also the head of the Food for the Future project under the Nigeria Agricultural Policy Project, said the fund, which was launched in 2016, will cover various agricultural and food security programs in Nigeria for the next five years. The Agricultural Policy Project of Nigeria aims to meet research and policy capacity-building needs and ensure that Nigerian institutions are equipped to respond effectively to the capacity, knowledge and information needs of politicians. He explained that this initiative is a joint effort of the Michigan State University (MSU), the International Food Policy Research Institute (IFPRI) and the Nigeria Support Program (NSSP), funded by USAID-Nigeria. Mavrotas said that this initiative has three main objectives, which include strengthening national capacity for a more efficient process of evidence-based analysis in agriculture. Others should encourage and stimulate informed policy dialogue among stakeholders and support government efforts to increase their capacity to plan and conduct effective research and policy analysis. He noted that the project will involve three components that will increase the strategic potential of Nigeria; fill knowledge gaps in the political process and improve the process of political dialogue to achieve its goals. The project leader said that the project uses a robust approach for skills development, training and institutional capacity to meet the needs for policy analysis by the Federal Ministry of Agriculture and Rural Development (FMARD), IFPRI and MSU. He added that these components would also include the analysis of collaborative policy-based research to strengthen local capacity and dialogue through policy research and analysis. Mavrotas, however, added that this component will ensure that the project policy influences the increase and focused communication with the policy. He said that this step became an imperative, as the policy of agricultural development in Nigeria developed, and the ability to develop and implement policies improved overtime. However, Mavrotas noted that shortcomings in human and institutional capacity continue to exist, and this limits the capacity to support FMARD's efforts in implementing policies and programs (NANs \ No newline at end of file diff --git a/input/test/Test5100.txt b/input/test/Test5100.txt new file mode 100644 index 0000000..365d472 --- /dev/null +++ b/input/test/Test5100.txt @@ -0,0 +1,20 @@ +All Blacks' Read wary of hungry Wallabies All Blacks skipper Kieran Read says experience counts for a lot, but his side has to find their rhythm quickly to subdue the Wallabies in Sydney on Saturday. +KIERAN READ of the All Blacks is tackled during The Rugby Championship match between the New Zealand All Blacks and Argentina at Yarrow Stadium in New Plymouth, New Zealand. Picture:Photo by Phil Walter/Getty Images +Returning All Blacks captain Kieran Read says his side needs to find their rhythm quickly against a hungry Wallabies side in Saturday's opening Bledisloe Cup and Rugby Championship game in Sydney. +Read, who missed New Zealand's June Test series against France after undergoing spinal surgery in December, made a solid return in the latter stages of Super Rugby but the No.8 will be under scrutiny at ANZ Stadium. +Key lock Brodie Retallick also faces a significant adjustment as he plays Test rugby for the first time in 11 months due to personal reasons and injury. +The duo, with 177 Test caps between them, will need to get into the groove quickly, and Read was confident they - and their teammates - were up to the task. +"Experience does count for a lot in terms of tight situations, so that's what we've got to use to our advantage," Read said on Friday. +"What we can't do is just rest on the likes of me or Brodie coming back in and think it's just going to happen for us. +"We've got to work hard right from the outset across the board and we've got to go out and try and find our rhythm as quickly as we can," he said. +Read was confident after making five appearances for the Crusaders since being cleared to play at the end of June. +"I am 100 per cent in terms of running out and playing the game," he said. +"Getting an injury like I had, a few doubts do float around, but I'm in a good space right now." +Read anticipated another robust breakdown battle with old rivals David Pocock and Michael Hooper. +"Those guys are world class players and we know we have to be right on our game to nullify what their strength is," Read said. +Read said the All Blacks also had to be wary of Israel Folau and Kurtley Beale, but noted they had developed other areas of their game in the 2-1 series loss to Ireland in June. +"They did show a lot of emphasis on working really hard as a forward pack as well as defending really strongly in the breakdown and putting pressure on in the maul," he said. +"We know that they are building a team that's hungry. We respect what they are building towards, it's going to be a hell of a game." +Read was looking forward to coming up against Crusaders teammate Pete Samu, who has been named as loose forward cover on the Wallabies bench. +"He's a Crusader for life, so a good friend, but obviously tomorrow night it will be slightly different," he said. +AA \ No newline at end of file diff --git a/input/test/Test5101.txt b/input/test/Test5101.txt new file mode 100644 index 0000000..a66f4e9 --- /dev/null +++ b/input/test/Test5101.txt @@ -0,0 +1,11 @@ +Uhuru's big four agenda receives a major boost from Co-operative Bank August 16, 2018 at 11:40 +The Co-operative Bank has highlighted a game changing move to play a crucial role in funding the provision of affordable housing – which is part of president Uhuru's big four agenda that includes food security, affordable housing, manufacturing and affordable healthcare for all. +While releasing Half-year 2018 Financial Results of the Co-operative Bank, managing director and CEO Gideon Muriuki announced that Co-op Board of Directors had approved a key Ksh 200 million capital injection in the share capital of the Kenya Mortgage Refinance Company (KMRC). +In acquiring shareholding in KMRC, Co-op bank will be a key player in implementing Uhuru's big four agenda since the Ministry of Finance had already kicked-off the initiative of KMRC to source for long-term financing to fund the provision of affordable housing to the majority of Kenyans. +The bank and the Co-operative Movement/Saccos (that predominantly own the bank) expect to be key partners with the government and will play a critical role on this key social/economic agenda. Co-operative Bank CEO/Managing Director Gideon Muriuki 9.98 billion profit in half year 2018 +Meanwhile the Co-operative Bank Group recorded a profit before tax of Kshs 9.98 billion for the first half of 2018 compared to Kshs 9.3 billion recorded in a similar period in 2017 – an impressive growth of +7.6% against the backdrop of a challenging economic environment in the period. +Profit after tax was Kshs 7.1 Billion compared to Kshs 6.6 Billion in the previous year, a +7.6% rise. This is a commendable performance in an operating environment that is gradually recovering from the significant headwinds that business had to contend with in the aftermath of the 2017 Elections. +The good performance represents the tangible benefits arising from the bold "Soaring Eagle" Transformation Project that the bank has been implementing since 2014 with a clear focus on improvement in operating efficiencies, sales-force effectiveness and innovative customer delivery platforms. +Co-operative Bank of South Sudan that is a unique Joint Venture (JV) partnership with Government of South Sudan (Co-op Bank 51% and GOSS 49%) also made a profit before tax of Kshs 114.6 Million in half-year 2018 compared to a marginal loss of Kshs 60,000 in the first half of 2017. Corporate Social Responsibility Programs +Co-op Bank Foundation continues to provide Scholarships for gifted but needy students from all regions of Kenya. The sponsorship includes; fully-paid secondary education, full fees for University education, Internships and career openings for beneficiaries. The foundation is fully funded by the bank and has so far supported 6,331 students since the inception of the program in 2007. +The Group was recognized by Banker Africa, East Africa Awards 2018 with three key awards, namely the Best Retail Bank in Kenya, The Best SME Bank in Kenya and the Best Investment Institution in Kenya. This is a re-affirmation of the bank's unique position as a bank that positively influences the lives of the majority of Kenyan citizens \ No newline at end of file diff --git a/input/test/Test5102.txt b/input/test/Test5102.txt new file mode 100644 index 0000000..61fd5df --- /dev/null +++ b/input/test/Test5102.txt @@ -0,0 +1,10 @@ +0 2.57 +Verint Systems presently has a consensus target price of $48.13, indicating a potential upside of 1.42%. KEYW has a consensus target price of $9.83, indicating a potential upside of 28.04%. Given KEYW's higher possible upside, analysts plainly believe KEYW is more favorable than Verint Systems. +Risk and Volatility +Verint Systems has a beta of 1.09, meaning that its stock price is 9% more volatile than the S&P 500. Comparatively, KEYW has a beta of 0.73, meaning that its stock price is 27% less volatile than the S&P 500. +Summary +Verint Systems beats KEYW on 11 of the 14 factors compared between the two stocks. +Verint Systems Company Profile +Verint Systems Inc. provides actionable intelligence solutions and value-added services worldwide. Its Customer Engagement Solutions segment provides automated quality management, automated verification, branch surveillance and investigation, case management, chat engagement, coaching/learning, compliance recording, customer communities, desktop and process analytics, digital feedback, email engagement, employee desktop, enterprise feedback, financial compliance, full-time recording, gamification, identity analytics, internal communities, knowledge management, mobile workforce, performance management, robotic process automation, social analytics, speech and text analytics, virtual assistant, voice self-service, voice self-service fraud detection, Web/mobile self-service, work manager, and workforce management solutions. The company's Cyber Intelligence Solutions segment offers cyber security solutions; intelligence fusion center and Web and social intelligence software that enables collection, fusion, and analysis of data from the Web; network intelligence suite, which generates critical intelligence of data captured from various network and open sources; and situational intelligence software enables security organizations to fuse, analyze, and report information, as well as take action on risks, alarms, and incidents. The company also offers a range of customer services, including implementation and training, consulting and managed, and maintenance support services. It sells its solutions through its direct sales team; and through indirect channels, such as distributors, systems integrators, value-added resellers, and original equipment manufacturer partners. The company was founded in 1994 and is headquartered in Melville, New York. +KEYW Company Profile +The KeyW Holding Corporation, together with its subsidiaries, provides engineering and technology solutions to support the collection, processing, analysis, and dissemination of information across the spectrum of the intelligence, cyber, and counterterrorism communities in the United States. The company's solutions are designed to meet the critical needs of agile intelligence and U.S. Government national security priorities comprising cyber operations and training; geospatial intelligence; cloud and data analytics; engineering; and intelligence analysis and operations. Its products include electro-optical, hyperspectral, and synthetic aperture radar sensors and other products. The company provides its products and services to the U.S. federal, state, and local law enforcement agencies; foreign governments; and other entities in the cyber and counterterrorism markets. The KeyW Holding Corporation was founded in 2008 and is headquartered in Hanover, Maryland. Receive News & Ratings for Verint Systems Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Verint Systems and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test5103.txt b/input/test/Test5103.txt new file mode 100644 index 0000000..6c868a9 --- /dev/null +++ b/input/test/Test5103.txt @@ -0,0 +1,6 @@ +by Ride the Digital Transformation Wave with Newgen at FIBAC 2018 +Newgen Software, a provider of Business Process Management (BPM), Enterprise Content Management (ECM), Customer Communication Management (CCM) platforms,today announced its participation at the FICCI-IBA Annual Banking Conference (FIBAC)2018. The event will be held at Hotel Trident, Nariman Point, Mumbai on 20th and 21st August, 2018. +"Banking in India is evolving at a pace which makes it imperative for banks and financial institutions to constantly reinvent and redefine the way they work. Newgen banking solutions augment profitability and business growth by enabling banks to automate processes end-to-end and provide a futuristic banking experience to customers," said Diwakar Nigam, Chairman and Managing Director, Newgen Software. +Meet Newgen experts at booth number #S9 to discover how banks and financial institutions can become more agile and cost effective transforming critical business processes. Engage with them to understand how these organizations can invest in innovative technologies to meet the demands of a digital customer. +Newgen solutions for the banking industry offer a configurable unified platform, built on BPM, ECM and CCM, to streamline various processes. The processes include account opening, loan origination, trade finance, payments and many others. Moreover, new-age technologies like social, mobility, robotic process automation and digital sensing augment digital transformation. These solutions help businesses respond proactively to the ever-changing market dynamics,enabling greater productivity, enhanced customer experiences, and improved regulatory compliance. +FIBAC,a flagship annual conference is a platform that encourages the proliferation of digital transformation in the banking and financial sector not only from India but also across geographies \ No newline at end of file diff --git a/input/test/Test5104.txt b/input/test/Test5104.txt new file mode 100644 index 0000000..0e246fe --- /dev/null +++ b/input/test/Test5104.txt @@ -0,0 +1 @@ +16 Aug, 2018 Twitter temporarily bans radio show host Alex Jones' account 16 Aug, 2018 After facing protests on its platform, Twitter has temporarily banned the account of US conspiracy theorist and radio host Alex Jones.Twitter confirmed to NBC News on Tuesday that Jones' Twitter account was "put in read-only mode".It means Jones can browse Twitter posts but cannot tweet. The restrictions are scheduled to last seven days.Earlier a CNN investigation found that social media accounts belonging to Jones and his media organisation InfoWars had published content that degraded groups of people on the basis of their religion and gender identity. It glorified violence and promoted conspiracy theories.Jones said on his programme that he had instructed his staff to do so and "take the super high road", though he contested whether his tweets violated any Twitter rules.Twitter reacted after Apple, Facebook and YouTube removed Jones' content from their platforms \ No newline at end of file diff --git a/input/test/Test5105.txt b/input/test/Test5105.txt new file mode 100644 index 0000000..7756557 --- /dev/null +++ b/input/test/Test5105.txt @@ -0,0 +1,20 @@ +Argumentative Essay Format: No Longer a Mystery Argumentative Essay Format: No Longer a Mystery +There's enough scientific studying to show that money can purchase happiness. So when you are write essay for me writing an brief informative article, you're exploiting the thorough might of culture. Bear on your head you need to spend time though it's going to likely have a comprehensive peek for an fantastic deal of example documents. +To start out with, select things you need certainly to do together along with your own paper. What's more, take advantage of the scrape on paper you're definitely going to be needing. Also, take advantage of this scrape paper you'll want. +The exact first paragraph ought to be a direct reaction to the inquiry that is posed or what it's that you're needing to claim. Thus that the persuasive writer is really a guardian who has to fully grasp how to set his points of view and also the ideal method to create his discussions sufficient. As a means to essentially convince individuals of someone's perspective, it ought to check out the contradictory perspectives. Vital Pieces of Argumentative Essay Format +You will find higher than a couple reasons as to why you may possibly need to generate your order using argumentativeessaywriting.com. Standing and getting right from your rest of your course is simple. Spend some quantity time on newspaper and also don't waste your time plus this also means you'll craft an ideal article that you discover that it's possible to submit. +Ideas on the best method to find essay economical and fast. It is really a written piece about a topic. Like a way to genuinely convince audience of a person's standpoint, the argumentative essay needs to take a peek at the contradictory viewpoints. The Rise of Argumentative Essay Format +The structure isnat important when you have started out nonetheless it actually is nice. Essay arrangement is crucial. +The debeaking method is not a painless one. You ought to guarantee to benefit from those best terms in your article, and you'll also need to place some person's own thinking in the slightest. At case you never understand everything you could perform in your own own article it's preferable to bring a look to own an idea. Things You Won't Like About Argumentative Essay Format and Things You Will +While composing the essay that you are interested in being certain your informative article is liberated from all sorts of glitches which include punctuation or grammatical to truly really possess the capacity to conserve your valuable time on the alteration strategy. Producing essays could be challenging and predict for an excellent deal of hard work. Interview essays enable visitors to become employed by you as your own sources instead of novels. +For students todo, to become successful on paper excellent stories and consequently secure decent mark it's crucial that you learn to summarize, read and review advice concerning publication. You want to visit look for the internet library among others. You may need to a huge look on exactly what format and elements that the guidebook gets. +In exactly the the same way that literature investigation is much more than just a overview of the book you simply study, investigation of somebody else should be a lot much more than just a breakdown of her or his lifetime. What you end up doing depends upon upon dependent on the sort of composition you are contemplating composing. +Expository creating's major aim is always to clarify. Interview papers enable visitors to be utilized by you as your sources in place of novels. +Recognizing that the idea has the ability to help you grasp the significance of the film. It can help you comprehend the importance of the movie. Among the absolute things concerning writing would be the ideal method to organize are ideas. +You may find a lot of sample essays, but you wish to opt for one which is. You'll locate a great deal of sample essays, so but you should elect for your own 1. Producing college essays could be tough and call to get a superb deal of hard work. +To be able to consider by using a couple of article marketing methods to make your essay substantially superior if you think concerning disagreements you need to make certain that it's strong and collecting evidence may enable you a wonderful deal you are in able to. You're all set to so regarding take to applying a number of informative article marketing solutions to produce your essay much www.essay-company.com first-class you have must acquire sure it's truly robust and collecting signs may allow you a excellent deal if you think about disagreements. It may be a part of one's own introduction, or it can make a exact superior name. +You may possibly find a couple issues about having a quick informative article , you must know before you get started composing. The three expert help may help to how to decide on a name for an essay. If you should be very likely to write a more appealing particular article you certainly should perform search. +You will need to a look for that which elements and format which the information has. In the event you donat have enough opportunity to think of a creative name, be boring, however you really should be more true. The format isnat even important none the less it really is excellent once you've begun off. The Argument About Argumentative Essay Format +To be able to genuinely persuade people of someone's outlook, the essay also has to have a look in the conflicting perspectives. You realize an ideal place to seek out specifics. What's more, you understand the right destination for a hunt for details. +It truly is worth checking out an argumentative essay sample or 2, just so you've received a terrific concept of how the full thing performs out. You will need to reach search when you're very https://sols.asu.edu/degree-programs/nonfiction-writing-and-publishing-grad-certificate likely to compose an distinctive specific article. You also are typical set to as a means to utilize using some article writing methods to receive your composition much better you have to acquire certain it's in fact solid and collecting signs will allow you to a very good deal in case you presume of disagreements. +A template includes everything you will need to begin, by way of instance, arrangement, which means that you must fill in the blanks with your own info. The arrangement isnat crucial nonetheless it is really fine the minute that you have begun out. The arrangement isnat even essential whenever you've begun off however it's truly good. Comparti \ No newline at end of file diff --git a/input/test/Test5106.txt b/input/test/Test5106.txt new file mode 100644 index 0000000..736ab9f --- /dev/null +++ b/input/test/Test5106.txt @@ -0,0 +1,26 @@ +ALEXANDRIA, Va. — Donald Trump is the phantom of U.S. District Courtroom 900. +His name has rarely been uttered during the two-week trial of his former campaign chairman, Paul Manafort. References to his campaign and administration have slipped in only through carefully scrubbed exchanges. The Trump name has been so studiously avoided that when the trial judge said "Mr. Trump" during a morning hearing Thursday, courtroom spectators jumped. +This is the first major courtroom test of special counsel Robert Mueller's investigation into Russian contacts with the Trump campaign. But the president's absence is strictly intentional. All sides have feared that too much Mr. Trump could prejudice the jury somehow — and they don't know which way — in a case that has little to do with the most polarizing figure in American politics. +The jury is continuing to deliberate the case on Friday , after a full day behind closed doors Thursday. +Mueller's team, Manafort's attorneys and U.S. District Judge T. S. Ellis III all took actions — either before trial or during proceedings in the historic Alexandria courthouse — to erase almost all mentions of the president. +"There is a very real risk that the jurors in this case — most of whom likely have strong views about President Trump, or have likely formed strong opinions as to the well-publicized allegations that the campaign colluded with Russian officials — will be unable to separate their opinions and beliefs about those matters from the tax and bank fraud matters to be tried before them in this case," Manafort's lawyers said in a June filing. +The president's absence from the trial also has much to do with how the special counsel's team has built its case and the way Manafort's lawyers responded. +The prosecution's massive cache of Manafort-related emails and financial documents — and the witnesses that prosecutors put on —were largely designed to establish a narrative that Manafort's crimes were of his own making and committed long before he took over Trump's campaign in April 2016. +In any case, the trial does not involve allegations of Russian election interference or possible coordination with the Trump campaign. But the president has been watching it closely as he seeks to publicly undermine Mueller's probe. In recent weeks, Mr. Trump has blasted out tweets minimizing Manafort's campaign role and comparing him — sympathetically — with mobster Al Capone. +Manafort's attorneys, too, have mostly steered clear of Trump references, preferring to go after the prosecution's star witness, Rick Gates — who also worked for the Trump campaign — and chip away at the government's hundreds of emails, tax documents and financial records. +The trial's Trump sensitivity held to the end. In closing arguments, defense attorney Richard Westling listed all of the Republican presidents and national candidates that Manafort had advised to show his bona fides as a "highly regarded political consultant." +They included "Trump" but said no more about him. +So it was no surprise Thursday morning when courtroom spectators waiting for Ellis to send jurors to deliberate on Manafort's fate suddenly looked up, startled. +Ellis had addressed a well-coiffed man in a dark suit sitting in a back row about a routine criminal case. +"Mr. Trump." +For a moment, as spectators swiveled around, Assistant U.S. Attorney Jim Trump, no relation, had the courtroom's rapt attention. +Then, grinning, he answered the judge's question. +President Trump's role — or lack thereof — in the case has been an issue from the outset. +In a filing last June, the defense had submitted a formal motion asking Ellis to prohibit any evidence concerning "Manafort's or the Trump campaign's alleged collusion with the Russian government." Prosecutors agreed to limit their references to the Trump campaign but said they wanted to make reference to it during testimony concerning Manafort's bank fraud charges. +"We'll try to do it in a discreet way, but it's hard to take out those facts, if not impossible," prosecutor Greg Andres said during a later hearing. Ellis agreed to restrict references to Trump, but gave prosecutors leeway to carefully use them in the bank fraud evidence. +At trial, prosecutors flashed an image on courtroom wall screens of a note between Manafort and Gates documenting a 2013 meeting and a request to leave a group of tickets "for Trump." +The reference was never explained in testimony. +Defense lawyers also ventured into Trump territory as they tried to sting at prosecution witness Gates. Lawyer Kevin Downing asked whether Mueller's investigators had interviewed Gates about his role in the Trump campaign. +That prompted an immediate objection from prosecutors and a sidebar conference with Ellis. +___ +Associated Press writer Matthew Barakat contributed to this report \ No newline at end of file diff --git a/input/test/Test5107.txt b/input/test/Test5107.txt new file mode 100644 index 0000000..6761936 --- /dev/null +++ b/input/test/Test5107.txt @@ -0,0 +1,5 @@ +By The Associated Press • 3 minutes ago The Howard Frankland Bridge across Tampa Bay, as seen driving northbound during a traffic jam at rush hour. Apalapala / Wikimedia Commons +Florida is preparing to pay nearly a billion dollars to build a new bridge connecting Tampa and St. Petersburg. +The Tampa Bay Times reports that the state expects to pay $814 million for a new eight-lane Howard Frankland Bridge that will be used as a partial expansion of the old one. +The three-mile bridge will include four southbound lanes from Tampa to St. Petersburg, two express toll lanes in each direction and a bike and pedestrian trail. The four current southbound lanes will be flipped and will now go northbound from St. Petersburg to Tampa. +The contract will be bid later this year. Construction is scheduled to start in 2020 with the bridge opening in 2024. Tags \ No newline at end of file diff --git a/input/test/Test5108.txt b/input/test/Test5108.txt new file mode 100644 index 0000000..2ac9b04 --- /dev/null +++ b/input/test/Test5108.txt @@ -0,0 +1,14 @@ +Judge Orders New Federal Review of Keystone XL Pipeline Fri, 08/17/2018 - 7:00am Comments by Grant Schulte, Associated Press In this Nov. 3, 2015 file photo, the Keystone Steele City pumping station, into which the planned Keystone XL pipeline is to connect to, is seen in Steele City, Neb. A federal judge on Wednesday, Aug. 15, 2018, ordered the U.S. State Department to conduct a more thorough review of the Keystone XL pipeline's proposed pathway after Nebraska state regulators changed the route, raising the possibility of further delays to a project first proposed in 2008. (AP Photo/Nati Harnik) +A federal judge has ordered the U.S. State Department to conduct a more thorough review of the Keystone XL pipeline's proposed pathway after Nebraska state regulators changed the route, raising the possibility of further delays to a project first proposed in 2008. +U.S. District Judge Brian Morris of Montana said in a ruling Wednesday that the State Department must supplement its 2014 environmental impact study of the project to consider the new route. Morris declined to strike down the federal permit for the project, approved by President Donald Trump in March 2017. +The Nebraska Public Service Commission rejected pipeline developer TransCanada's preferred route in November 2017, but approved a different pathway that stretches farther to the east. The "mainline alternative" route is five miles longer than the company's preferred route, cuts through six different Nebraska counties, and runs parallel to an existing TransCanada-owned pipeline for 89 miles. +State Department officials "have yet to analyze the mainline alternative route," Morris wrote in his ruling. The State Department has "the obligation to analyze new information relevant to the environmental impacts of its decision." +Last month, the State Department declared the pipeline would not have a major impact on Nebraska's water, land, or wildlife. The report said the company could mitigate any damage caused. +It's not clear whether the additional review will delay the 1,184-mile project. TransCanada spokesman Matthew John said company officials are reviewing the judge's decision. +Environmentalists, Native American tribes, and a coalition of landowners have prevented the company from moving ahead with construction. In addition to the federal lawsuit in Montana that seeks to halt the project, opponents also have a lawsuit pending before the Nebraska Supreme Court. Oral arguments in the Nebraska case aren't expected until October. +Critics of the project have raised concerns about spills that could contaminate groundwater and the property rights of affected landowners. +Pipeline opponents cheered the decision and said they were confident that the courts would find other violations of federal law raised in the lawsuit. +"We are pleased that Judge Morris has rejected all of the excuses raised by the Trump administration and TransCanada in attempting to justify the federal government's failure to address TransCanada's new route through Nebraska," said Stephan Volker, an attorney for the environmental and Native American groups that filed the Montana lawsuit. +The State Department did not immediately respond to a phone message and email Thursday morning. +The pipeline would carry up to 830,000 barrels of crude oil per day from Canada through Montana and South Dakota to Steele City, Nebraska, where it would connect with the original Keystone pipeline that runs down to Texas Gulf Coast refineries. +The State Department's new report noted two major spills in South Dakota involving the original Keystone pipeline, which went into operation in 2010, but added that TransCanada has a lower overall spill rate than average in the oil pipeline industry \ No newline at end of file diff --git a/input/test/Test5109.txt b/input/test/Test5109.txt new file mode 100644 index 0000000..ff01757 --- /dev/null +++ b/input/test/Test5109.txt @@ -0,0 +1,12 @@ +Tweet +Greenleaf Trust lifted its stake in Nike Inc (NYSE:NKE) by 3.3% in the second quarter, HoldingsChannel.com reports. The fund owned 103,318 shares of the footwear maker's stock after purchasing an additional 3,326 shares during the period. Greenleaf Trust's holdings in Nike were worth $8,232,000 as of its most recent filing with the Securities and Exchange Commission (SEC). +A number of other large investors have also bought and sold shares of NKE. World Asset Management Inc raised its position in Nike by 1.0% during the second quarter. World Asset Management Inc now owns 91,776 shares of the footwear maker's stock valued at $7,313,000 after purchasing an additional 887 shares in the last quarter. Xact Kapitalforvaltning AB raised its position in Nike by 2.7% during the second quarter. Xact Kapitalforvaltning AB now owns 251,524 shares of the footwear maker's stock valued at $20,041,000 after purchasing an additional 6,498 shares in the last quarter. Montag A & Associates Inc. raised its position in Nike by 27.1% during the second quarter. Montag A & Associates Inc. now owns 45,987 shares of the footwear maker's stock valued at $3,664,000 after purchasing an additional 9,803 shares in the last quarter. Welch & Forbes LLC raised its position in Nike by 6.8% during the second quarter. Welch & Forbes LLC now owns 12,322 shares of the footwear maker's stock valued at $982,000 after purchasing an additional 785 shares in the last quarter. Finally, Bayesian Capital Management LP raised its position in Nike by 38.0% during the first quarter. Bayesian Capital Management LP now owns 51,600 shares of the footwear maker's stock valued at $3,428,000 after purchasing an additional 14,200 shares in the last quarter. 64.72% of the stock is owned by institutional investors. Get Nike alerts: +NYSE NKE opened at $80.05 on Friday. The company has a current ratio of 2.51, a quick ratio of 1.63 and a debt-to-equity ratio of 0.35. The stock has a market capitalization of $129.21 billion, a P/E ratio of 33.08, a price-to-earnings-growth ratio of 2.70 and a beta of 0.68. Nike Inc has a 1 year low of $50.35 and a 1 year high of $81.88. Nike (NYSE:NKE) last posted its earnings results on Thursday, June 28th. The footwear maker reported $0.69 earnings per share (EPS) for the quarter, topping the Thomson Reuters' consensus estimate of $0.64 by $0.05. The company had revenue of $9.79 billion for the quarter, compared to analysts' expectations of $9.40 billion. Nike had a return on equity of 36.57% and a net margin of 5.31%. Nike's quarterly revenue was up 12.8% on a year-over-year basis. During the same period last year, the firm earned $0.60 earnings per share. analysts anticipate that Nike Inc will post 2.61 EPS for the current fiscal year. +The firm also recently announced a quarterly dividend, which will be paid on Monday, October 1st. Investors of record on Tuesday, September 4th will be paid a $0.20 dividend. The ex-dividend date of this dividend is Friday, August 31st. This represents a $0.80 annualized dividend and a dividend yield of 1.00%. Nike's payout ratio is presently 33.06%. +Nike announced that its board has initiated a stock buyback program on Thursday, June 28th that allows the company to repurchase $15.00 billion in outstanding shares. This repurchase authorization allows the footwear maker to purchase up to 12.9% of its shares through open market purchases. Shares repurchase programs are usually a sign that the company's board of directors believes its shares are undervalued. +A number of equities research analysts have weighed in on the company. Zacks Investment Research downgraded Nike from a "buy" rating to a "hold" rating in a research report on Thursday, June 21st. Goldman Sachs Group assumed coverage on Nike in a research report on Monday, June 25th. They set a "neutral" rating and a $78.00 price target on the stock. Credit Suisse Group set a $90.00 price target on Nike and gave the company a "buy" rating in a research report on Friday, June 29th. HSBC upgraded Nike from a "hold" rating to a "buy" rating and set a $77.00 price target on the stock in a research report on Friday, April 27th. Finally, JPMorgan Chase & Co. set a $76.00 price target on Nike and gave the company a "neutral" rating in a research report on Friday, June 29th. Three investment analysts have rated the stock with a sell rating, seventeen have given a hold rating and twenty-three have given a buy rating to the company's stock. Nike presently has a consensus rating of "Hold" and an average price target of $77.60. +In related news, CFO Andrew Campion sold 103,000 shares of the firm's stock in a transaction dated Friday, June 29th. The stock was sold at an average price of $80.01, for a total value of $8,241,030.00. Following the sale, the chief financial officer now directly owns 235,457 shares of the company's stock, valued at $18,838,914.57. The transaction was disclosed in a legal filing with the Securities & Exchange Commission, which can be accessed through the SEC website . Also, EVP Monique S. Matheson sold 10,000 shares of the firm's stock in a transaction dated Monday, July 30th. The stock was sold at an average price of $76.07, for a total value of $760,700.00. Following the completion of the sale, the executive vice president now directly owns 86,774 shares in the company, valued at $6,600,898.18. The disclosure for this sale can be found here . Insiders sold 557,778 shares of company stock worth $42,616,326 over the last three months. 3.90% of the stock is owned by insiders. +Nike Profile +NIKE, Inc, together with its subsidiaries, designs, develops, markets, and sells athletic footwear, apparel, equipment, and accessories worldwide. It offers NIKE brand products in nine categories: running, NIKE basketball, the Jordan brand, football, men's training, women's training, action sports, sportswear, and golf. +Further Reading: Market Capitalization, Large-Caps, Mid-Caps, Small-Caps +Want to see what other hedge funds are holding NKE? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Nike Inc (NYSE:NKE). Receive News & Ratings for Nike Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Nike and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test511.txt b/input/test/Test511.txt new file mode 100644 index 0000000..87b7815 --- /dev/null +++ b/input/test/Test511.txt @@ -0,0 +1 @@ +Vernal Keratoconjunctivitis Treatment Market Is Expected to Witness a Sustainable Growth Vernal keratoconjunctivitis (VKC) is a rare form of chronic allergic inflammatory disorder that affects the cornea and conjunctiva of the eye and is normally associated with secondary form of keratopathy. Symptom of vernal keratoconjunctivitis involves development of giant papillae, typically in a perosn's upper tarsal conjunctiva. In certain rare cases, it may develop in the corneoscleral limbus in the conjunctiva. The disease has a seasonal recurrence and normally affects children and adolescents. It predominantly affects boys in the age group of 5 to 25 years and is seen to subside at the onset of puberty; however, cases of VKC have also been reported among septuagenarian patients. Vernal keratoconjunctivitis frequently occurs in arid and warmer climates and is commonly observed in the Mediterranean area, Japan, Central Africa, South America, and India. A primary factor driving the growth of the Vernal Keratoconjunctivitis Treatment Market is the rising incidence of vernal keratoconjunctivitis and other allergic eye disorders observed across the globe. While vernal keratoconjunctivitis has a low prevalence rate in regions having cold climates such as North America and Northern Europe (of around 1 in 5000 eye disease cases), it has a relatively high frequency in other parts of the world with warm and arid climates. In tropical regions, such as India and Sub-Saharan Africa, VKC accounts for 3% of serious ophthalmic diseases. Rising prevalence of the disease in these regions, coupled with its seasonal recurring nature, is expected to drive the growth of the vernal keratoconjunctivitis treatment market Additionally, continued focus of pharmaceutical companies on developing new and improved medication for the treatment of vernal keratoconjunctivitis is also expected to boost the growth of the market. For instance, in July 2017, Santen SAS announced that it had received the positive opinion from the European Medicines Agency's (EMA) Committee for Human Medicinal Products (CHMP), recommending the marketing authorization (MAA) for ciclosporin (Verkazia), 1mg/mL eye drop to be used in case of severe vernal keratoconjunctivitis in pediatric population. The eye drops were developed using the company's Novasorb proprietary technology that helps in improving the delivery of ciclosporin into the eye and reduces symptoms of the disease and improves ocular surface damage. Allakos, Inc., a privately-held clinical stage company initiated phase 1 clinical trials for AK002, which is a non-fucosylated immunoglobulin G1 (IgG1) monoclonal antibody targeted against Siglec-8, an inhibitory receptor selectively expressed on mast cells and eosinophils in patients with vernal keratoconjunctivitis. However, strict regulatory conditions and uncertain reimbursement scenario are anticipated to hamper the growth of the vernal keratoconjunctivitis treatment market Request //www.transparencymarketresearch.com/sample/sample.php?flag=B&rep_id=43505 The vernal keratoconjunctivitis treatment market can be segmented based on drug type, end-user, and geography. In terms of drug type, the market can be divided into cromolyn sodium, lodoxamide, ciclosporin, emedastine, and others. Based on end-user, the market can be classified into hospitals, ambulatory surgical centers, and ophthalmic clinics. Geographically, the global vernal keratoconjunctivitis treatment market can be segregated into North America, Europe, Asia Pacific, Latin America, and Middle East & Africa. Asia Pacific dominates the global market due to growing incidence of ocular eye disorders in the region. Asia Pacific is followed by Europe and Middle East & Africa. The vernal keratoconjunctivitis treatment market in Europe is anticipated to register a healthy growth rate during the forecast period due to launch of new products by pharmaceutical companies for the treatment of the disease \ No newline at end of file diff --git a/input/test/Test5110.txt b/input/test/Test5110.txt new file mode 100644 index 0000000..ac90d80 --- /dev/null +++ b/input/test/Test5110.txt @@ -0,0 +1 @@ +I n 2007 I went on a food research trip to New York, having made a shortlist of restaurants I wanted to visit. One of the places was Shopsin's, previously housed in a corner shop in Greenwich Village, but recently relocated to the scruffy and unfashionable Essex Street Market on the Lower East Side. I'd heard about Kenny Shopsin and his eccentric, uncompromising approach to home-style comfort food, and the word on the grapevine was that his place was unique – something difficult to describe, but once experienced, never forgotten. I turned up one afternoon around 2.30pm to find it had closed for the day. It was a pokey market stall with a few tables – not really a restaurant at all. As I was peering through the shutter grille, a chap at the next stall asked if he could help and I wondered if there was a menu I might look at. He reached beside the shutter and pulled one off a dirty table. Thirty seconds later, a fellow with a terrifying aura of angry energy passed in front of me like a whirlwind and snatched the menu out of my hands. "That's mine!" he barked. "Where'd you get it?" Somewhat gobsmacked, I explained that the guy at the next stall had given it to me. "Hey bud!" He screamed at the stallholder. "Do me a favour; don't do me no fuckin' favours!" It turned out that the angry, sweary guy was Zak Shopsin, Kenny's son, and when I had finally navigated the peculiar opening times, I also got to meet Kenny and to eat his inspirational food. The menu runs to more than 200 dishes and everything is cooked to order, in sequence, whenever Kenny is ready. It's bonkers but it sort of works and everything is delicious. There are dozens of rules when eating at Shopsin's: no sharing, you can't order the same dish twice, no tables over five, no substitutions, no special requests, you can't order drinks before food … When I later asked Kenny why there were so many rules, he told me they only really have one rule: "Don't be an asshole." I fell a little bit in love with Kenny Shopsin. Kenny's cookbook came out in 2008, and I think I was the first in line to buy it at McNally Jackson Books on publication day. I wasn't disappointed. I absolutely loved it then and I love it now. It's called Eat Me: The Food and Philosophy of Kenny Shopsin, and it is weird, beautiful, hilarious, crazy, informative, surprising and full of simple, homestyle recipes. Kenny is not interested in cheffy showing off at all, and quite frequently tells you it's OK to use tinned corn instead of fresh, or white sliced bread instead of artisan sourdough, or frozen batter, or cheap peanut butter … These are dishes that make you want to eat them. They are about flavour and comfort and they put a smile on your face. With dishes like Slutty Cakes, Blisters on My Sisters and JJ's Way, I'm usually smiling just reading them, too. My copy is a first-edition hardback and it is falling apart. I sometimes pick it up just to read a paragraph of Kenny's home-spun philosophy. Here's an example: "Most of the times when a customer makes a special request, it's not about the food, but rather his own desire to be in control and to establish his own specialness. Making people feel special through this kind of ass-kissing is one of the services that a restaurant can provide, but it's not a service that I want to provide. Some people tell me that they're deathly allergic to something and I have to make sure it's not in their food. I kick them out. I don't want to be responsible for anyone's life-or-death situation. I tell them they should go eat at a hospital." The roasted turkey story on page 181 is just wonderful (and the recipe for roasting a turkey that follows it will change your life). Kenny's brilliant throwaway cooking tips are priceless: coring an apple with a melon baller (page 108), de-seeding a pepper without touching it (page 55). But the recipe I come back to most frequently is the stunningly simple salsa roja on page 63. There are just five ingredients – tinned chopped tomatoes, tinned corn, coriander, jalapeños and garlic – and a method that goes something like: "combine all the ingredients and salt to taste". Works every time, takes three minutes to prepare, keeps in the fridge for three days, has multiple uses, and tastes fantastic. I sometimes wonder why more cookbooks can't be like this. Then I think I'm glad they aren't \ No newline at end of file diff --git a/input/test/Test5111.txt b/input/test/Test5111.txt new file mode 100644 index 0000000..4df587b --- /dev/null +++ b/input/test/Test5111.txt @@ -0,0 +1,11 @@ + George Bondi on Aug 17th, 2018 // No Comments +Dynamic Advisor Solutions LLC increased its holdings in shares of Costco Wholesale Co. (NASDAQ:COST) by 4.0% during the second quarter, according to its most recent 13F filing with the Securities and Exchange Commission. The fund owned 19,035 shares of the retailer's stock after acquiring an additional 735 shares during the quarter. Costco Wholesale comprises 0.9% of Dynamic Advisor Solutions LLC's portfolio, making the stock its 20th biggest holding. Dynamic Advisor Solutions LLC's holdings in Costco Wholesale were worth $3,979,000 as of its most recent SEC filing. +Other hedge funds have also bought and sold shares of the company. MUFG Securities EMEA plc acquired a new position in shares of Costco Wholesale during the 2nd quarter worth approximately $103,000. Well Done LLC acquired a new position in shares of Costco Wholesale during the 1st quarter worth approximately $109,000. Smart Portfolios LLC acquired a new position in shares of Costco Wholesale during the 1st quarter worth approximately $113,000. Trilogy Capital Inc. acquired a new position in shares of Costco Wholesale during the 1st quarter worth approximately $116,000. Finally, Harvest Fund Management Co. Ltd increased its holdings in shares of Costco Wholesale by 82.9% during the 1st quarter. Harvest Fund Management Co. Ltd now owns 737 shares of the retailer's stock worth $138,000 after acquiring an additional 334 shares during the last quarter. 71.53% of the stock is currently owned by institutional investors and hedge funds. Get Costco Wholesale alerts: +A number of research firms recently weighed in on COST. Loop Capital boosted their target price on Costco Wholesale to $230.00 and gave the stock a "buy" rating in a report on Wednesday, June 20th. JPMorgan Chase & Co. boosted their target price on Costco Wholesale from $206.00 to $212.00 and gave the stock an "overweight" rating in a report on Friday, June 1st. Argus boosted their target price on Costco Wholesale from $200.00 to $220.00 and gave the stock a "buy" rating in a report on Wednesday, May 30th. Citigroup boosted their target price on Costco Wholesale from $217.00 to $222.00 and gave the stock a "buy" rating in a report on Friday, June 1st. Finally, Susquehanna Bancshares restated a "positive" rating on shares of Costco Wholesale in a research note on Thursday, June 7th. Eight investment analysts have rated the stock with a hold rating and twenty-two have given a buy rating to the stock. Costco Wholesale currently has an average rating of "Buy" and an average price target of $206.74. +NASDAQ:COST opened at $223.19 on Friday. The firm has a market cap of $96.62 billion, a PE ratio of 38.35, a P/E/G ratio of 2.73 and a beta of 0.95. The company has a quick ratio of 0.47, a current ratio of 1.01 and a debt-to-equity ratio of 0.52. Costco Wholesale Co. has a fifty-two week low of $150.06 and a fifty-two week high of $225.48. +Costco Wholesale (NASDAQ:COST) last released its earnings results on Thursday, May 31st. The retailer reported $1.70 earnings per share for the quarter, beating analysts' consensus estimates of $1.68 by $0.02. The firm had revenue of $32.36 billion during the quarter, compared to the consensus estimate of $31.89 billion. Costco Wholesale had a return on equity of 24.67% and a net margin of 2.16%. The company's revenue was up 12.1% compared to the same quarter last year. During the same period in the prior year, the company posted $1.40 EPS. research analysts expect that Costco Wholesale Co. will post 6.77 earnings per share for the current year. +In other news, VP James P. Murphy sold 15,000 shares of the company's stock in a transaction on Monday, July 23rd. The stock was sold at an average price of $219.22, for a total transaction of $3,288,300.00. Following the completion of the sale, the vice president now directly owns 33,834 shares in the company, valued at approximately $7,417,089.48. The transaction was disclosed in a filing with the SEC, which is accessible through this hyperlink . Also, Director John W. Meisenbach sold 3,000 shares of the company's stock in a transaction on Wednesday, August 1st. The shares were sold at an average price of $218.65, for a total value of $655,950.00. The disclosure for this sale can be found here . Over the last quarter, insiders have sold 41,491 shares of company stock valued at $8,754,977. Corporate insiders own 0.58% of the company's stock. +About Costco Wholesale +Costco Wholesale Corporation, together with its subsidiaries, operates membership warehouses. It offers branded and private-label products in a range of merchandise categories. The company provides dry and packaged foods, and groceries; snack foods, candies, alcoholic and nonalcoholic beverages, and cleaning supplies; appliances, electronics, health and beauty aids, hardware, and garden and patio products; meat, bakery, deli, and produces; and apparel and small appliances. +Featured Story: Market Capitalization +Want to see what other hedge funds are holding COST? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Costco Wholesale Co. (NASDAQ:COST). Receive News & Ratings for Costco Wholesale Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Costco Wholesale and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test5112.txt b/input/test/Test5112.txt new file mode 100644 index 0000000..1eca0f0 --- /dev/null +++ b/input/test/Test5112.txt @@ -0,0 +1,10 @@ +Tweet +D.A. Davidson & CO. reduced its position in shares of CIGNA Co. (NYSE:CI) by 16.1% during the second quarter, according to the company in its most recent 13F filing with the SEC. The firm owned 1,735 shares of the health services provider's stock after selling 333 shares during the quarter. D.A. Davidson & CO.'s holdings in CIGNA were worth $295,000 at the end of the most recent quarter. +Other hedge funds have also recently bought and sold shares of the company. Veritas Asset Management LLP acquired a new position in CIGNA during the 1st quarter worth approximately $409,675,000. Wells Fargo & Company MN boosted its holdings in shares of CIGNA by 1.5% in the 1st quarter. Wells Fargo & Company MN now owns 1,869,196 shares of the health services provider's stock valued at $313,539,000 after buying an additional 26,729 shares in the last quarter. Fulton Bank N.A. boosted its holdings in shares of CIGNA by 27.3% in the 1st quarter. Fulton Bank N.A. now owns 2,251 shares of the health services provider's stock valued at $378,000 after buying an additional 483 shares in the last quarter. Twin Capital Management Inc. boosted its holdings in shares of CIGNA by 39.3% in the 1st quarter. Twin Capital Management Inc. now owns 7,778 shares of the health services provider's stock valued at $1,305,000 after buying an additional 2,193 shares in the last quarter. Finally, Wealthstreet Investment Advisors LLC boosted its holdings in shares of CIGNA by 12.5% in the 1st quarter. Wealthstreet Investment Advisors LLC now owns 14,085 shares of the health services provider's stock valued at $2,363,000 after buying an additional 1,560 shares in the last quarter. 88.96% of the stock is currently owned by institutional investors and hedge funds. Get CIGNA alerts: +Several research analysts have recently issued reports on the stock. SunTrust Banks upped their target price on shares of CIGNA to $244.00 and gave the company a "buy" rating in a report on Friday, August 3rd. Jefferies Financial Group restated a "buy" rating and issued a $224.00 target price on shares of CIGNA in a report on Friday, August 3rd. ValuEngine upgraded shares of CIGNA from a "sell" rating to a "hold" rating in a report on Friday, August 3rd. Zacks Investment Research upgraded shares of CIGNA from a "hold" rating to a "buy" rating and set a $212.00 target price for the company in a report on Tuesday, August 7th. Finally, Credit Suisse Group upped their target price on shares of CIGNA from $215.00 to $218.00 and gave the company an "outperform" rating in a report on Friday, May 4th. One analyst has rated the stock with a sell rating, two have issued a hold rating, eleven have given a buy rating and one has assigned a strong buy rating to the company. The company currently has a consensus rating of "Buy" and an average price target of $221.77. Shares of NYSE:CI opened at $188.19 on Friday. The firm has a market cap of $44.60 billion, a P/E ratio of 17.99, a price-to-earnings-growth ratio of 1.08 and a beta of 0.60. The company has a quick ratio of 0.38, a current ratio of 0.38 and a debt-to-equity ratio of 0.35. CIGNA Co. has a 1-year low of $163.02 and a 1-year high of $227.13. +CIGNA (NYSE:CI) last issued its quarterly earnings results on Thursday, August 2nd. The health services provider reported $3.89 earnings per share for the quarter, topping the Zacks' consensus estimate of $3.33 by $0.56. The firm had revenue of $11.50 billion during the quarter, compared to analysts' expectations of $11.20 billion. CIGNA had a net margin of 5.82% and a return on equity of 22.27%. CIGNA's quarterly revenue was up 10.9% compared to the same quarter last year. During the same quarter in the prior year, the business earned $2.91 EPS. research analysts expect that CIGNA Co. will post 13.87 earnings per share for the current fiscal year. +In other CIGNA news, CFO Eric P. Palmer purchased 2,828 shares of the firm's stock in a transaction that occurred on Tuesday, July 31st. The stock was purchased at an average price of $177.61 per share, for a total transaction of $502,281.08. Following the purchase, the chief financial officer now directly owns 9,678 shares in the company, valued at $1,718,909.58. The acquisition was disclosed in a filing with the Securities & Exchange Commission, which can be accessed through the SEC website . Also, VP Hoeltzel Mary T. Agoglia sold 1,000 shares of the stock in a transaction on Friday, May 25th. The stock was sold at an average price of $176.19, for a total transaction of $176,190.00. Following the sale, the vice president now owns 4,635 shares of the company's stock, valued at approximately $816,640.65. The disclosure for this sale can be found here . 1.10% of the stock is owned by corporate insiders. +CIGNA Profile +Cigna Corporation, a health services organization, provides insurance and related products and services in the United States and internationally. It operates through Global Health Care, Global Supplemental Benefits, Group Disability and Life, and Other Operations segments. The Global Health Care segment offers medical, dental, behavioral health, vision, and prescription drug benefit plans, as well as health advocacy programs, and other products and services to insured and self-insured customers. +See Also: Fundamental Analysis and Choosing Stocks +Want to see what other hedge funds are holding CI? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for CIGNA Co. (NYSE:CI). Receive News & Ratings for CIGNA Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for CIGNA and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test5113.txt b/input/test/Test5113.txt new file mode 100644 index 0000000..6ce1d77 --- /dev/null +++ b/input/test/Test5113.txt @@ -0,0 +1,24 @@ +Top Papers for Sale Secrets Top Papers for Sale Secrets +It would likewise be practical to understand how to count in Spanish. It is going to be a valuable learning experience. Buy top quality, non-plagiarized assignments and find the very best, online assignment help. +If you're looking to locate Online papers for sale, that's a service readily available to students on every educational level whether it's for your undergraduate, Masters or perhaps a Doctoral thesis but you have to put your purchase as much in advance as possible to secure time in the writer's schedule. Every excellent project is going to have roadmap front and center on their site. Buy online original academic and company papers. Papers for Sale – Is it a Scam? +Place your order now and make sure our business is worth your trust! You then place an order with exactly the same amount and it is going to never change when the order is placed. The thing is that assignment cover letter examples for sales clerk may become a real. +Shine also offers tattooed blunts and extra rolling solutions. The instantaneous elimination of all soda is a good beginning. Anyways, it's still true that you require some time for it. +essay writing service +The second sort of lead generating adverting is that you make your own leads at no cost. No design procedure is complete without gaining an exhaustive grasp of the users we're designing for and research is a crucial part of achieving that process. In reality, employing some help only demonstrates that you learn how to prioritize and cope in difficult and challenging scenarios. +When about to acquire the ideal dissertation writing services, it's smart to demonstrate that you know the key characteristics that set an authentic paper from a fake one. There are a few suggestions about how to guarantee you choose a paper without risk. If you get a paper from us and wish to find a few changes in it, you can request free revisions. Choosing Papers for Sale Is Simple +Our site presents a monumental assortment of the options. All you have to do is get in contact with them and buy term papers for sale. Phd editors offered for sale. +Watching your weight by watching your food is an excellent start but in the event you physically see the way your weight is fluctuating it maybe a larger eye opener to evaluate the consequences of your eating habits. It's important to examine the food that you're grabbing and request a cafeteria nutrition guide which lists estimated calories in every single meal. There is a whole lot of inexpensive nutritious foods out there to obtain that don't cost much. The Appeal of Papers for Sale +A t-shirt is going to be included in the price and all fees are non-refundable. It is critical to develop into a member of the housing association to produce the purchase. The payment mode is extremely secure and secure. +Stop by our service where it's possible to purchase college essays and papers online that will help you tackle your own pieces with. Locate some intriguing art buy online essays and find out how they prove to be good essays. The way to the perfect essay is by way of WritePaperFor.Me. +Our academic essay writing company is the only accountable for the level of your papers. You are able to buy inexpensive essay on the internet website. Research papers to become out of essay, cheap customized essays for you're able to trust your. +Most colleges and universities require you to have a seminar class and compose a very long project at the conclusion of the semester known as a term paper. The students know that in case they are caught cheating they will secure a Failing Grade in the class and lots of colleges and Universities finally have expulsion for another offense. No 2 students, even from exactly the same class, can secure the exact same work even in case the instructions are the exact same. +You will be able to get hold of our writer at any moment to look at the progress of writing, give them your directories, and ask to fix the text every single time you want. It normally occurs when you don't have an interest in the particular topic. There aren't any minor remarks. +In the actual sense, the author ought to be able to consider extensively and write well. Selling things for somebody else is a win-win circumstance. McShane is a person who doesn't have an issue with student-athletes or their parents looking into another opinion about ways to http://infolab.stanford.edu/~burback/watersluice/node40.html train. Papers for Sale and Papers for Sale – The Perfect Combination +Custom made term papers are created by experienced and professionally trained experts. Writing a term paper is an important thing, and that's why it needs to be professional. Writing a reaction paper is a significant task to do. +You're able to discover online papers for sale by doing an online search but then you have to review each website for services, cost, guarantees and client satisfaction. You're able to receive a car at cheaper rates in comparison to other person if you're ready to effectively negotiate with a seasoned dealer. One of the fantastic benefits which we offer to the customers is the opportunity to get samples at really affordable prices. +The only great thing with purchasing lead is you have some contacts that are potential clients. You also have the choice to learn Spanish yourself. His physique appears different regarding where he is. What You Should Do to Find Out About Papers for Sale Before You're Left Behind +Each generator was made to modify the kind of power out of something else. You essay_company would like something your public will be considering. So, there's no possibility of finding the info divulged. +You're able to ask to complete complete job or some pieces of it! You will be happy you did this when you must begin writing it! All our writers pass a considerable procedure to look at their abilities. +Essentially, composing content is barely some of the major processing. Dependent on the size, there are distinct kinds of rolling papers out there. This sort of service guarantees your paper is going to be 100% authentic and crafted to fulfill your academic needs. +A t-shirt is going to be included in the price and all fees are non-refundable. You then place an order with exactly the same amount and it is going to never change when the order is placed. The thing is that assignment cover letter examples for sales clerk may become a real. +Term paper writing isn't too different either. Writing without a citation is exactly like stealing! Writing a research paper isn't that easy. Comparti \ No newline at end of file diff --git a/input/test/Test5114.txt b/input/test/Test5114.txt new file mode 100644 index 0000000..f1ff41b --- /dev/null +++ b/input/test/Test5114.txt @@ -0,0 +1 @@ +Send to a friend The Tourism Business Council of South Africa (TBCSA) has announced Tshifhiwa Tshivhengwa as interim ceo, effective August 15. TBCSA Board Chairman, Blacky Komani , says: "We are pleased to have Tshifhiwa Tshivhengwa on board. Whilst the process of appointing a permanent head for the organisation continues, we believed it was important for the business council to have someone of his calibre to continue steering the ship in the direction required by the new board." Tshivhengwa is currently ceo of the Federated Hospitality Association of Southern Africa (Fedhasa), and has over 17 years' experience in international marketing, business development and international trade relations, among others. Over the years he has worked for brands such as South African Tourism, Myriad Marketing, Protours, SARS, and HRG Rennies Travel. This has built up a strong grounding of tourism knowledge, along with a keen sense of strategic focus and versatile business judgment gained during his work in Los Angeles, New York, and South Africa. Tshivhengwa is also a board member of the Tourism BBBEE Charter Council and is a former board member of the Tourism Grading Council. The TBCSA has entered into an agreement with Fedhasa that allows Tshivhengwa to take up the position of TBCSA interim ceo in addition to his current role. His critical function within the TBCSA will be to oversee its day-to-day operations and assist the business council to assume its leadership role in the travel and tourism sector. "With the new board and interim ceo in place, we are confident that the business council has taken the right steps to reset itself as the one voice for travel and tourism in South Africa," concludes Komani. eTN \ No newline at end of file diff --git a/input/test/Test5115.txt b/input/test/Test5115.txt new file mode 100644 index 0000000..bcdee6e --- /dev/null +++ b/input/test/Test5115.txt @@ -0,0 +1,11 @@ +Tweet +Blueport Capital L.P. reduced its stake in Comcast Co. (NASDAQ:CMCSA) by 13.5% in the 2nd quarter, HoldingsChannel.com reports. The institutional investor owned 27,739 shares of the cable giant's stock after selling 4,318 shares during the quarter. Comcast accounts for approximately 11.4% of Blueport Capital L.P.'s investment portfolio, making the stock its 2nd largest holding. Blueport Capital L.P.'s holdings in Comcast were worth $910,000 at the end of the most recent reporting period. +Other hedge funds also recently modified their holdings of the company. GHP Investment Advisors Inc. lifted its stake in Comcast by 2.6% during the fourth quarter. GHP Investment Advisors Inc. now owns 55,671 shares of the cable giant's stock worth $2,230,000 after purchasing an additional 1,418 shares during the last quarter. Carroll Financial Associates Inc. lifted its stake in shares of Comcast by 13.4% in the 2nd quarter. Carroll Financial Associates Inc. now owns 12,234 shares of the cable giant's stock valued at $401,000 after acquiring an additional 1,444 shares during the last quarter. Cypress Wealth Advisors LLC lifted its stake in shares of Comcast by 15.3% in the 4th quarter. Cypress Wealth Advisors LLC now owns 11,240 shares of the cable giant's stock valued at $450,000 after acquiring an additional 1,488 shares during the last quarter. First Citizens Bank & Trust Co. lifted its stake in shares of Comcast by 1.2% in the 2nd quarter. First Citizens Bank & Trust Co. now owns 124,543 shares of the cable giant's stock valued at $4,087,000 after acquiring an additional 1,493 shares during the last quarter. Finally, Perkins Coie Trust Co lifted its stake in shares of Comcast by 2.1% in the 2nd quarter. Perkins Coie Trust Co now owns 74,403 shares of the cable giant's stock valued at $2,440,000 after acquiring an additional 1,534 shares during the last quarter. Institutional investors and hedge funds own 80.89% of the company's stock. Get Comcast alerts: +NASDAQ CMCSA opened at $35.66 on Friday. The firm has a market capitalization of $162.93 billion, a P/E ratio of 17.31, a P/E/G ratio of 1.23 and a beta of 1.23. Comcast Co. has a twelve month low of $30.43 and a twelve month high of $44.00. The company has a debt-to-equity ratio of 0.86, a current ratio of 0.96 and a quick ratio of 0.96. Comcast (NASDAQ:CMCSA) last posted its quarterly earnings data on Thursday, July 26th. The cable giant reported $0.65 earnings per share for the quarter, beating the Zacks' consensus estimate of $0.61 by $0.04. The business had revenue of $21.74 billion during the quarter, compared to the consensus estimate of $21.85 billion. Comcast had a return on equity of 15.92% and a net margin of 27.42%. Comcast's quarterly revenue was up 2.1% on a year-over-year basis. During the same period in the prior year, the business posted $0.52 earnings per share. sell-side analysts anticipate that Comcast Co. will post 2.54 EPS for the current fiscal year. +The business also recently disclosed a quarterly dividend, which will be paid on Wednesday, October 24th. Investors of record on Wednesday, October 3rd will be issued a $0.19 dividend. The ex-dividend date of this dividend is Tuesday, October 2nd. This represents a $0.76 dividend on an annualized basis and a yield of 2.13%. Comcast's payout ratio is 36.89%. +In related news, SVP Daniel C. Murdock sold 1,694 shares of the stock in a transaction on Wednesday, June 13th. The stock was sold at an average price of $31.05, for a total value of $52,598.70. The transaction was disclosed in a filing with the Securities & Exchange Commission, which is available through this hyperlink . Corporate insiders own 1.31% of the company's stock. +A number of research analysts have recently commented on the company. Pivotal Research reiterated a "buy" rating on shares of Comcast in a research note on Friday, August 10th. Atlantic Securities upgraded Comcast from a "neutral" rating to an "overweight" rating and set a $42.00 price target for the company in a research note on Monday, August 6th. Robert W. Baird dropped their price target on Comcast from $42.00 to $41.00 and set an "outperform" rating for the company in a research note on Monday, July 30th. Raymond James upgraded Comcast from a "market perform" rating to an "outperform" rating in a research note on Thursday, July 19th. Finally, Credit Suisse Group assumed coverage on Comcast in a research note on Tuesday, July 10th. They issued a "neutral" rating and a $36.00 price target for the company. One investment analyst has rated the stock with a sell rating, six have given a hold rating and twenty have assigned a buy rating to the company's stock. Comcast presently has an average rating of "Buy" and a consensus price target of $45.79. +Comcast Profile +Comcast Corporation operates as a media and technology company worldwide. It operates through Cable Communications, Cable Networks, Broadcast Television, Filmed Entertainment, and Theme Parks segments. The Cable Communications segment offers video, high-speed Internet, and voice, as well as security and automation services to residential and business customers under the XFINITY brand. +Recommended Story: Earnings Per Share +Want to see what other hedge funds are holding CMCSA? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Comcast Co. (NASDAQ:CMCSA). Receive News & Ratings for Comcast Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Comcast and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test5116.txt b/input/test/Test5116.txt new file mode 100644 index 0000000..69643d8 --- /dev/null +++ b/input/test/Test5116.txt @@ -0,0 +1,38 @@ +The Rohingya lists - refugees compile their own record of those killed in Myanmar Clare Baldwin 10 Min Read +KUTUPALONG REFUGEE CAMP, Bangladesh (Reuters) - Mohib Bullah is not your typical human rights investigator. He chews betel and he lives in a rickety hut made of plastic and bamboo. Sometimes, he can be found standing in a line for rations at the Rohingya refugee camp where he lives in Bangladesh. +Yet Mohib Bullah is among a group of refugees who have achieved something that aid groups, foreign governments and journalists have not. They have painstakingly pieced together, name-by-name, the only record of Rohingya Muslims who were allegedly killed in a brutal crackdown by Myanmar's military. +The bloody assault in the western state of Rakhine drove more than 700,000 of the minority Rohingya people across the border into Bangladesh, and left thousands of dead behind. +Aid agency Médecins Sans Frontières, working in Cox's Bazar at the southern tip of Bangladesh, estimated in the first month of violence, beginning at the end of August 2017, that at least 6,700 Rohingya were killed. But the survey, in what is now the largest refugee camp in the world, was limited to the one month and didn't identify individuals. +The Rohingya list makers pressed on and their final tally put the number killed at more than 10,000. Their lists, which include the toll from a previous bout of violence in October 2016, catalogue victims by name, age, father's name, address in Myanmar, and how they were killed. +"When I became a refugee I felt I had to do something," says Mohib Bullah, 43, who believes that the lists will be historical evidence of atrocities that could otherwise be forgotten. +Myanmar government officials did not answer phone calls seeking comment on the Rohingya lists. Late last year, Myanmar's military said that 13 members of the security forces had been killed. It also said it recovered the bodies of 376 Rohingya militants between Aug. 25 and Sept. 5, which is the day the army says its offensive against the militants officially ended. +Rohingya regard themselves as native to Rakhine State. But a 1982 law restricts citizenship for the Rohingya and other minorities not considered members of one of Myanmar's "national races". Rohingya were excluded from Myanmar's last nationwide census in 2014, and many have had their identity documents stripped from them or nullified, blocking them from voting in the landmark 2015 elections. The government refuses even to use the word "Rohingya," instead calling them "Bengali" or "Muslim." +Now in Bangladesh and able to organise without being closely monitored by Myanmar's security forces, the Rohingya have armed themselves with lists of the dead and pictures and video of atrocities recorded on their mobile phones, in a struggle against attempts to erase their history in Myanmar. +The Rohingya accuse the Myanmar army of rapes and killings across northern Rakhine, where scores of villages were burnt to the ground and bulldozed after attacks on security forces by Rohingya insurgents. The United Nations has said Myanmar's military may have committed genocide. +Myanmar says what it calls a "clearance operation" in the state was a legitimate response to terrorist attacks. +"NAME BY NAME" Clad in longyis, traditional Burmese wrap-arounds tied at the waist, and calling themselves the Arakan Rohingya Society for Peace & Human Rights, the list makers say they are all too aware of accusations by the Myanmar authorities and some foreigners that Rohingya refugees invent stories of tragedy to win global support. +But they insist that when listing the dead they err on the side of under-estimation. +Mohib Bullah, who was previously an aid worker, gives as an example the riverside village of Tula Toli in Maungdaw district, where - according to Rohingya who fled - more than 1,000 were killed. "We could only get 750 names, so we went with 750," he said. +"We went family by family, name by name," he added. "Most information came from the affected family, a few dozen cases came from a neighbour, and a few came from people from other villages when we couldn't find the relatives." +In their former lives, the Rohingya list makers were aid workers, teachers and religious scholars. Now after escaping to become refugees, they say they are best placed to chronicle the events that took place in northern Rakhine, which is out-of-bounds for foreign media, except on government-organised trips. +"Our people are uneducated and some people may be confused during the interviews and investigations," said Mohammed Rafee, a former administrator in the village of Kyauk Pan Du who has worked on the lists. But taken as a whole, he said, the information collected was "very reliable and credible." +For Reuters TV, see: here +Mohib Bullah, a member of Arakan Rohingya Society for Peace and Human Rights, writes after collecting data about victims of a military crackdown in Myanmar, at Kutupalong camp in Cox's Bazar, Bangladesh, April 21, 2018. REUTERS/Mohammad Ponir Hossain SPRAWLING PROJECT Getting the full picture is difficult in the teeming dirt lanes of the refugee camps. Crowds of people gather to listen - and add their comments - amid booming calls to prayer from makeshift mosques and deafening downpours of rain. Even something as simple as a date can prompt an argument. +What began tentatively in the courtyard of a mosque after Friday prayers one day last November became a sprawling project that drew in dozens of people and lasted months. +The project has its flaws. The handwritten lists were compiled by volunteers, photocopied, and passed from person to person. The list makers asked questions in Rohingya about villages whose official names were Burmese, and then recorded the information in English. The result was a jumble of names: for example, there were about 30 different spellings for the village of Tula Toli. +Wrapped in newspaper pages and stored on a shelf in the backroom of a clinic, the lists that Reuters reviewed were labelled as beginning in October 2016, the date of a previous exodus of Rohingya from Rakhine. There were also a handful of entries dated 2015 and 2012. And while most of the dates were European-style, with the day first and then the month, some were American-style, the other way around. So it wasn't possible to be sure if an entry was, say, May 9 or September 5. +It is also unclear how many versions of the lists there are. During interviews with Reuters, Rohingya refugees sometimes produced crumpled, handwritten or photocopied papers from shirt pockets or folds of their longyis. +The list makers say they have given summaries of their findings, along with repatriation demands, to most foreign delegations, including those from the United Nations Fact-Finding Mission, who have visited the refugee camps. +A LEGACY FOR SURVIVORS The list makers became more organised as weeks of labour rolled into months. They took over three huts and held meetings, bringing in a table, plastic chairs, a laptop and a large banner carrying the group's name. +The MSF survey was carried out to determine how many people might need medical care, so the number of people killed and injured mattered, and the identity of those killed was not the focus. It is nothing like the mini-genealogy with many individual details that was produced by the Rohingya. +Mohib Bullah and some of his friends say they drew up the lists as evidence of crimes against humanity they hope will eventually be used by the International Criminal Court, but others simply hope that the endeavour will return them to the homes they lost in Myanmar. +"If I stay here a long time my children will wear jeans. I want them to wear longyi. I do not want to lose my traditions. I do not want to lose my culture," said Mohammed Zubair, one of the list makers. "We made the documents to give to the U.N. We want justice so we can go back to Myanmar." +Matt Wells, a senior crisis advisor for Amnesty International, said he has seen refugees in some conflict-ridden African countries make similar lists of the dead and arrested but the Rohingya undertaking was more systematic. "I think that's explained by the fact that basically the entire displaced population is in one confined location," he said. +Wells said he believes the lists will have value for investigators into possible crimes against humanity. +"In villages where we've documented military attacks in detail, the lists we've seen line up with witness testimonies and other information," he said. +Spokespeople at the ICC's registry and prosecutors' offices, which are closed for summer recess, did not immediately provide comment in response to phone calls and emails from Reuters. +The U.S. State Department also documented alleged atrocities against Rohingya in an investigation that could be used to prosecute Myanmar's military for crimes against humanity, U.S. officials have told Reuters. For that and the MSF survey only a small number of the refugees were interviewed, according to a person who worked on the State Department survey and based on published MSF methodology. +MSF did not respond to requests for comment on the Rohingya lists. The U.S. State Department declined to share details of its survey and said it wouldn't speculate on how findings from any organisation might be used. +For Mohammed Suleman, a shopkeeper from Tula Toli, the Rohingya lists are a legacy for his five-year-old daughter. He collapsed, sobbing, as he described how she cries every day for her mother, who was killed along with four other daughters. +"One day she will grow up. She may be educated and want to know what happened and when. At that time I may also have died," he said. "If it is written in a document, and kept safely, she will know what happened to her family." +Slideshow (4 Images) Additional reporting by Shoon Naing and Poppy Elena McPherson in YANGON and Toby Sterling in AMSTERDAM; Editing by John Chalmers and Martin Howel \ No newline at end of file diff --git a/input/test/Test5117.txt b/input/test/Test5117.txt new file mode 100644 index 0000000..f45704f --- /dev/null +++ b/input/test/Test5117.txt @@ -0,0 +1 @@ +Orbis Research - Friday, August 17, 2018. This report studies the Motorcycle Engine Control Unit (ECU) market, Motorcycle Engine Control Unit (ECU), also commonly called an engine control unit (ECU), is a type of electronic control unit that controls a series of actuators on an internal combustion engine to ensure optimal engine performance. It does this by reading values from a multitude of sensors within the engine bay, interpreting the data using multidimensional performance maps (called lookup tables), and adjusting the engine actuators accordingly. At present, in the foreign industrial developed countries the Motorcycle Engine Control Unit industry is generally at a more advanced level, the world's large enterprises are mainly concentrated in the United States, Europe, Japan, etc. Meanwhile, foreign companies have more advanced equipment, strong R & D capability, the technical level is in a leading position. But foreign companies' manufacturing cost is relatively high, compared with Chinese companies, the manufacturing cost is competitive disadvantage, as the Chinese Motorcycle Engine Control Unit production enterprise technology continues to improve, their share in the international market is increasing, competitiveness in the international market gradually increase . Chinese Motorcycle Engine Control Unit industry has developed into a national industry with certain research and production capacity, industry product mix has gradually improved, currently China has become international Motorcycle Engine Control Unit large consumption country, but the production technology is relatively laggard, currently can only produce some low-end product, although after 2012 the new production lines is increasing, the technology is still relying on import. With the rapid growth of the national economy as well as the rapid development of downstream industries, Chinese motorcycle market demand is exuberant, providing a good opportunity for the development of Motorcycle Engine Control Unit market and technology. Over the next five years, LPI(LP Information) projects that Motorcycle Engine Control Unit (ECU) will register a -2.1% CAGR in terms of revenue, reach US$ 1750 million by 2023, from US$ 1980 million in 2017. Request Sample of this Report @ http://www.orbisresearch.com/contacts/request-sample/2287298 This report presents a comprehensive overview, market shares, and growth opportunities of Motorcycle Engine Control Unit (ECU) market by product type, application, key manufacturers and key regions. To calculate the market size, LP Information considers value and volume generated from the sales of the following segments: Segmentation by product type \ No newline at end of file diff --git a/input/test/Test5118.txt b/input/test/Test5118.txt new file mode 100644 index 0000000..ce0fce9 --- /dev/null +++ b/input/test/Test5118.txt @@ -0,0 +1 @@ +Visitors view exhibits of China's Song and Ming Dynasties in Hangzhou Xinhua | Updated: 2018-08-17 11:35 Visitors view the exhibits during an exhibition on daily articles of ancient China's Song (960-1279) and Ming (1368-1644) Dynasties in Hangzhou, capital of East China's Zhejiang province, Aug 15, 2018. [Photo/Xinhua] MOBILE Copyright 1995 - . All rights reserved. The content (including but not limited to text, photo, multimedia information, etc) published in this site belongs to China Daily Information Co (CDIC). Without written authorization from CDIC, such content shall not be republished or used in any form. Note: Browsers with 1024*768 or higher resolution are suggested for this site. License for publishing multimedia online 0108263 Registration Number: 13034 \ No newline at end of file diff --git a/input/test/Test5119.txt b/input/test/Test5119.txt new file mode 100644 index 0000000..1b988eb --- /dev/null +++ b/input/test/Test5119.txt @@ -0,0 +1 @@ +MTS Belarus offers accessories discount 12:43 CET | News Mobile operator MTS Belarus has introduced a promotion of accessories for customers buying smartphones or tablets in its shops. Customers buying three accessories for at least BYN 50 are offered a 99 percent discount on one of the accessories. The discount is 70 percent if the spend totals BYN 30 to BYN 50, and the discount amounts to 50 percent if the customer spends less than BYN 50. The rebate is applied to the cheapest accessory \ No newline at end of file diff --git a/input/test/Test512.txt b/input/test/Test512.txt new file mode 100644 index 0000000..60d1eba --- /dev/null +++ b/input/test/Test512.txt @@ -0,0 +1,10 @@ +Tweet +Advisors Preferred LLC acquired a new stake in Dril-Quip, Inc. (NYSE:DRQ) during the 2nd quarter, according to its most recent Form 13F filing with the Securities and Exchange Commission. The fund acquired 2,620 shares of the oil and gas company's stock, valued at approximately $135,000. +Other institutional investors and hedge funds have also recently made changes to their positions in the company. Fisher Asset Management LLC boosted its position in shares of Dril-Quip by 46.9% in the 2nd quarter. Fisher Asset Management LLC now owns 1,085,527 shares of the oil and gas company's stock worth $55,796,000 after buying an additional 346,745 shares in the last quarter. Cullen Frost Bankers Inc. purchased a new stake in shares of Dril-Quip in the 2nd quarter worth about $5,140,000. Stifel Financial Corp boosted its position in shares of Dril-Quip by 13.4% in the 1st quarter. Stifel Financial Corp now owns 79,542 shares of the oil and gas company's stock worth $3,578,000 after buying an additional 9,402 shares in the last quarter. Legal & General Group Plc lifted its holdings in Dril-Quip by 47.1% in the 1st quarter. Legal & General Group Plc now owns 58,331 shares of the oil and gas company's stock valued at $2,613,000 after purchasing an additional 18,685 shares in the last quarter. Finally, Unison Advisors LLC purchased a new position in Dril-Quip in the 2nd quarter valued at about $229,000. Get Dril-Quip alerts: +NYSE:DRQ opened at $50.30 on Friday. The stock has a market capitalization of $1.94 billion, a price-to-earnings ratio of 193.46 and a beta of 0.81. Dril-Quip, Inc. has a 12-month low of $35.85 and a 12-month high of $58.95. Dril-Quip (NYSE:DRQ) last released its earnings results on Thursday, July 26th. The oil and gas company reported ($0.24) earnings per share (EPS) for the quarter, missing the Zacks' consensus estimate of ($0.08) by ($0.16). Dril-Quip had a negative net margin of 27.63% and a negative return on equity of 1.19%. The firm had revenue of $94.86 million during the quarter, compared to analysts' expectations of $94.76 million. During the same quarter last year, the company posted $0.09 earnings per share. Dril-Quip's revenue for the quarter was down 25.8% on a year-over-year basis. equities research analysts predict that Dril-Quip, Inc. will post -0.68 earnings per share for the current year. +Dril-Quip declared that its board has approved a share buyback plan on Thursday, July 26th that authorizes the company to buyback $100.00 million in shares. This buyback authorization authorizes the oil and gas company to reacquire up to 4.7% of its shares through open market purchases. Shares buyback plans are often an indication that the company's board of directors believes its stock is undervalued. +A number of research analysts have issued reports on DRQ shares. Barclays lowered shares of Dril-Quip from an "equal weight" rating to an "underweight" rating and set a $41.00 target price on the stock. in a report on Tuesday, July 31st. TheStreet lowered shares of Dril-Quip from a "c-" rating to a "d+" rating in a report on Tuesday, May 15th. Zacks Investment Research lowered shares of Dril-Quip from a "hold" rating to a "strong sell" rating in a report on Tuesday, July 3rd. Piper Jaffray Companies set a $40.00 target price on shares of Dril-Quip and gave the company a "hold" rating in a report on Friday, July 27th. Finally, ValuEngine upgraded shares of Dril-Quip from a "hold" rating to a "buy" rating in a report on Wednesday, July 4th. One research analyst has rated the stock with a sell rating, eight have assigned a hold rating and two have assigned a buy rating to the stock. Dril-Quip currently has a consensus rating of "Hold" and an average price target of $50.25. +Dril-Quip Profile +Dril-Quip, Inc, together with its subsidiaries, designs, manufactures, sells, and services onshore and offshore drilling and production equipment for use in deepwater, harsh environment, and severe service applications worldwide. It operates through three segments: Western Hemisphere, Eastern Hemisphere, and Asia-Pacific. +Featured Article: Leveraged Buyout (LBO) +Want to see what other hedge funds are holding DRQ? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Dril-Quip, Inc. (NYSE:DRQ). Receive News & Ratings for Dril-Quip Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Dril-Quip and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test5120.txt b/input/test/Test5120.txt new file mode 100644 index 0000000..186ded0 --- /dev/null +++ b/input/test/Test5120.txt @@ -0,0 +1,9 @@ +Tweet +Clorox Co (NYSE:CLX) SVP Michael R. Costello sold 9,265 shares of the company's stock in a transaction dated Monday, August 13th. The shares were sold at an average price of $140.02, for a total value of $1,297,285.30. Following the completion of the sale, the senior vice president now owns 34,293 shares of the company's stock, valued at approximately $4,801,705.86. The transaction was disclosed in a filing with the Securities & Exchange Commission, which is available at this hyperlink . +NYSE:CLX opened at $146.77 on Friday. Clorox Co has a 1 year low of $113.57 and a 1 year high of $150.40. The company has a quick ratio of 0.67, a current ratio of 1.09 and a debt-to-equity ratio of 3.15. The stock has a market capitalization of $18.16 billion, a price-to-earnings ratio of 23.45, a price-to-earnings-growth ratio of 2.90 and a beta of 0.36. Get Clorox alerts: +Clorox (NYSE:CLX) last posted its earnings results on Thursday, August 2nd. The company reported $1.66 earnings per share (EPS) for the quarter, beating analysts' consensus estimates of $1.58 by $0.08. Clorox had a return on equity of 103.18% and a net margin of 13.44%. The firm had revenue of $1.69 billion during the quarter, compared to analysts' expectations of $1.72 billion. During the same period in the previous year, the firm earned $1.53 earnings per share. The company's revenue was up 2.7% on a year-over-year basis. equities research analysts anticipate that Clorox Co will post 6.41 earnings per share for the current year. Clorox declared that its board has initiated a share repurchase plan on Thursday, May 24th that allows the company to repurchase $2.00 billion in shares. This repurchase authorization allows the company to purchase up to 12.6% of its shares through open market purchases. Shares repurchase plans are usually an indication that the company's management believes its shares are undervalued. +The firm also recently announced a quarterly dividend, which will be paid on Friday, August 17th. Shareholders of record on Wednesday, August 1st will be paid a $0.96 dividend. The ex-dividend date of this dividend is Tuesday, July 31st. This represents a $3.84 dividend on an annualized basis and a yield of 2.62%. Clorox's payout ratio is 61.34%. +A number of large investors have recently bought and sold shares of the business. Schroder Investment Management Group grew its stake in Clorox by 57.0% in the second quarter. Schroder Investment Management Group now owns 1,506,358 shares of the company's stock valued at $201,641,000 after acquiring an additional 547,070 shares during the period. Global X Management Co LLC grew its stake in Clorox by 6.0% in the second quarter. Global X Management Co LLC now owns 6,899 shares of the company's stock valued at $933,000 after acquiring an additional 391 shares during the period. California Public Employees Retirement System grew its stake in Clorox by 22.8% in the second quarter. California Public Employees Retirement System now owns 437,670 shares of the company's stock valued at $59,195,000 after acquiring an additional 81,250 shares during the period. Peninsula Asset Management Inc. grew its stake in Clorox by 4.9% in the second quarter. Peninsula Asset Management Inc. now owns 13,735 shares of the company's stock valued at $1,858,000 after acquiring an additional 645 shares during the period. Finally, Pittenger & Anderson Inc. grew its stake in Clorox by 46.5% in the second quarter. Pittenger & Anderson Inc. now owns 45,010 shares of the company's stock valued at $6,088,000 after acquiring an additional 14,290 shares during the period. 76.12% of the stock is owned by hedge funds and other institutional investors. +A number of research firms recently commented on CLX. UBS Group began coverage on Clorox in a report on Wednesday, July 18th. They issued a "sell" rating and a $110.00 price objective for the company. Barclays set a $124.00 price objective on Clorox and gave the company a "hold" rating in a report on Thursday, May 3rd. Bank of America dropped their price objective on Clorox from $140.00 to $130.00 and set a "hold" rating for the company in a report on Thursday, May 3rd. BMO Capital Markets reiterated a "buy" rating and issued a $153.00 price objective on shares of Clorox in a report on Friday, August 3rd. Finally, ValuEngine upgraded Clorox from a "sell" rating to a "hold" rating in a report on Tuesday, June 26th. Three investment analysts have rated the stock with a sell rating, eleven have assigned a hold rating and two have given a buy rating to the company. The company currently has an average rating of "Hold" and an average target price of $130.42. +Clorox Company Profile +The Clorox Company manufactures and markets consumer and professional products worldwide. It operates through four segments: Cleaning, Household, Lifestyle, and International. The company offers laundry additives, including bleach products under the Clorox brand, as well as Clorox 2 stain fighters and color boosters; home care products primarily under the Clorox, Formula 409, Liquid-Plumr, Pine-Sol, S.O.S, and Tilex brands; naturally derived products under the Green Works brand; and professional cleaning and disinfecting products under the Clorox, Dispatch, Aplicare, HealthLink, and Clorox Healthcare brands \ No newline at end of file diff --git a/input/test/Test5121.txt b/input/test/Test5121.txt new file mode 100644 index 0000000..36443ac --- /dev/null +++ b/input/test/Test5121.txt @@ -0,0 +1,4 @@ +Hosting Sale 30% OFF on ALL hosting plans. Use coupon "WHT30� on checkout. Offer ends 24 August 2018 . +<<>> +"Do your best to provide the best customer support, and never overload the servers." +** All payments are processed using Paypal. Paypal guarantees tha \ No newline at end of file diff --git a/input/test/Test5122.txt b/input/test/Test5122.txt new file mode 100644 index 0000000..225b412 --- /dev/null +++ b/input/test/Test5122.txt @@ -0,0 +1,9 @@ +Tweet +Clorox Co (NYSE:CLX) SVP Michael R. Costello sold 9,265 shares of the company's stock in a transaction dated Monday, August 13th. The stock was sold at an average price of $140.02, for a total value of $1,297,285.30. Following the transaction, the senior vice president now directly owns 34,293 shares of the company's stock, valued at $4,801,705.86. The transaction was disclosed in a filing with the Securities & Exchange Commission, which is available through the SEC website . +CLX opened at $146.77 on Friday. Clorox Co has a 52-week low of $113.57 and a 52-week high of $150.40. The stock has a market cap of $18.16 billion, a P/E ratio of 23.45, a P/E/G ratio of 2.90 and a beta of 0.36. The company has a debt-to-equity ratio of 3.15, a quick ratio of 0.67 and a current ratio of 1.09. Get Clorox alerts: +Clorox (NYSE:CLX) last released its earnings results on Thursday, August 2nd. The company reported $1.66 earnings per share (EPS) for the quarter, topping the consensus estimate of $1.58 by $0.08. Clorox had a return on equity of 103.18% and a net margin of 13.44%. The business had revenue of $1.69 billion for the quarter, compared to analyst estimates of $1.72 billion. During the same quarter in the prior year, the company posted $1.53 earnings per share. Clorox's revenue was up 2.7% on a year-over-year basis. equities research analysts predict that Clorox Co will post 6.41 EPS for the current year. Clorox announced that its board has initiated a stock repurchase program on Thursday, May 24th that authorizes the company to buyback $2.00 billion in outstanding shares. This buyback authorization authorizes the company to buy up to 12.6% of its stock through open market purchases. Stock buyback programs are typically a sign that the company's board believes its stock is undervalued. +The business also recently announced a quarterly dividend, which will be paid on Friday, August 17th. Investors of record on Wednesday, August 1st will be issued a dividend of $0.96 per share. The ex-dividend date of this dividend is Tuesday, July 31st. This represents a $3.84 annualized dividend and a yield of 2.62%. Clorox's payout ratio is presently 61.34%. +CLX has been the subject of several recent research reports. BMO Capital Markets reaffirmed a "buy" rating and set a $153.00 price objective on shares of Clorox in a research report on Friday, August 3rd. Barclays set a $124.00 price objective on Clorox and gave the stock a "hold" rating in a research report on Thursday, May 3rd. Bank of America reduced their price objective on Clorox from $140.00 to $130.00 and set a "hold" rating for the company in a research report on Thursday, May 3rd. ValuEngine raised Clorox from a "sell" rating to a "hold" rating in a research report on Tuesday, June 26th. Finally, Zacks Investment Research raised Clorox from a "sell" rating to a "hold" rating in a research report on Tuesday, May 8th. Three research analysts have rated the stock with a sell rating, eleven have assigned a hold rating and two have issued a buy rating to the company's stock. The company currently has an average rating of "Hold" and an average price target of $130.42. +Institutional investors and hedge funds have recently added to or reduced their stakes in the stock. Centaurus Financial Inc. bought a new stake in Clorox during the first quarter worth about $106,000. Ostrum Asset Management bought a new stake in Clorox during the first quarter worth about $112,000. Fort L.P. bought a new stake in Clorox during the second quarter worth about $129,000. IMS Capital Management bought a new stake in Clorox during the second quarter worth about $161,000. Finally, Piedmont Investment Advisors LLC bought a new stake in Clorox during the second quarter worth about $199,000. Institutional investors and hedge funds own 76.12% of the company's stock. +About Clorox +The Clorox Company manufactures and markets consumer and professional products worldwide. It operates through four segments: Cleaning, Household, Lifestyle, and International. The company offers laundry additives, including bleach products under the Clorox brand, as well as Clorox 2 stain fighters and color boosters; home care products primarily under the Clorox, Formula 409, Liquid-Plumr, Pine-Sol, S.O.S, and Tilex brands; naturally derived products under the Green Works brand; and professional cleaning and disinfecting products under the Clorox, Dispatch, Aplicare, HealthLink, and Clorox Healthcare brands \ No newline at end of file diff --git a/input/test/Test5123.txt b/input/test/Test5123.txt new file mode 100644 index 0000000..0f103d8 --- /dev/null +++ b/input/test/Test5123.txt @@ -0,0 +1,9 @@ +UN Green Finance Network For Climate Change to Establish its European Hub in Dublin August 17 by admin A major United Nations programme that encourages global financial centres to place sustainable and green finance at the heart of their operations and help fight climate change, is to establish its European base in Ireland. The new European secretariat will coordinate from Dublin a network of pan-European cities committed to the expansion of green and sustainable financial services. The global Financial Centres for Sustainability (FC4S) network, founded by the United Nations Environment Programme, includes London, Frankfurt, Paris, Dublin, Toronto, Hong Kong, Shanghai and Zurich. The Financial Centres for Sustainability (FC4S) network, supported by an investment of €1.5 million over three-years from Europe's EIT Climate-KIC agency, has chosen Dublin as the base for the network's European hub, and appointed CEO of Sustainable Nation Ireland, Stephen Nolan, as strategic advisor to the body. According to the European Commission, between 2021 to 2030 Europe requires €177 billion in additional yearly investment, notably in clean energy, to keep the increase in global temperature to well below 2 degrees Celsius, as agreed in Paris in 2015. Following the US decision to withdraw from the Paris Agreement, the European Union pledged to take the lead in implementing this historic agreement and delivering the transition to a low-carbon, more resource efficient, and more circular economy. Working with market participants from across Europe including partners in the UK, France, Germany and Switzerland, FC4S Europe will coordinate pan-European initiatives and campaigns around green and sustainable finance. The secretariat will be officially launched at the Climate Innovation Summit in Dublin in November. Welcoming the announcement of the new Dublin hub, Minister for Finance Paschal Donohoe said: "Mobilising the world's financial centres is essential to make progress on climate change and sustainable development. I am delighted that the UN founded FC4S network has chosen Dublin as its European base, supported by EIT Climate-KIC. I am also pleased that Sustainable Nation's CEO Stephen Nolan has been appointed strategic advisor to the network. I wish him all the best in this important endeavour." +Stephen Nolan said: "That the UN Environment founded FC4S network has chosen Ireland as the base for its European secretariat is a tremendous endorsement of the work being done by us and our partners to build Ireland's low-carbon economy. +"Financial centres are the locations where the demand for and supply of finance come together. They are the places where the expansion of green and sustainable financial services will need to be accelerated across banking, capital markets, insurance and investment in order to fully meet the needs of the Paris climate agreement." The FC4S Europe network will be tasked with developing a common European assessment tool to evaluate climate and sustainability credentials for financial centres. It will also pursue collaboration, raise awareness of sustainability issues and assist with the design and delivery of development plans within financial centres yet to fully embed the green finance agenda within their activities. +Stephan Nolan added: "This is a major challenge, but also an opportunity. By re-orientating public and private financial flows towards green and sustainable efforts, Europe can help mitigate the risks posed by climate change, create new jobs and sustainable economic growth in the process." +Europe's EIT Climate-KIC Chief Executive, Kirsten Dunlop said: "Transforming the financial sector so that it can accelerate transition to a zero-carbon economy necessitates not just new relationships with the finance sector, but new business models, new ways of accounting, reporting and understanding social and environmental value. That is why EIT Climate-KIC is supporting the work of the UN founded FC4S network and the establishment of its European hub co-ordinated from Dublin." +Erik Solheim, Executive Director, UN Environment said: "We hope this hub will help catalyse and accelerate the changes we need in the financial sector. We need to get the message out far and wide that sustainability is what the markets want, and that the solutions for making the shift are there." +Nick Robins, Special Adviser on Sustainable Finance, UN Environment said: "Europe is one of the heartlands of sustainable finance and its fantastic to see the commitment and drive shown by both EIT Climate-KIC and Sustainable Nation Ireland to make this European Hub a reality. This will really help to galvanise all of Europe's financial centres." +CAPTION: +Pictured are: Finance minister Paschal Donohoe (centre) with Stephen Nolan, CEO Sustainable Nation Ireland, and Kirsten Dunlop, CEO EIT Climate-KIC \ No newline at end of file diff --git a/input/test/Test5124.txt b/input/test/Test5124.txt new file mode 100644 index 0000000..2914793 --- /dev/null +++ b/input/test/Test5124.txt @@ -0,0 +1,18 @@ +Tax dollars build sports stadiums far more often than they should, which is going to make this entire column possible. Stadium finance is so awash in public money that it is difficult to imagine how stadiums and arenas are built without tax dollars. Occasionally, a city and its taxpayers get a freebie: Anschutz Entertainment Group and MGM Grand covered the cost of T-Mobile Arena in Las Vegas. The New York Jets and Giants built their Met Life Stadium without tax dollars. Los Angeles Rams owner Stan Kroenke so desperately wanted to drag his team out of St. Louis that he's footing the bill for a stadium http://www.fieldofschemes.com/2018/03/28/13606/rams-stadium-to-cost-staggering-5b-or-not/ for both the Rams and the Chargers. The Golden State Warriors , meanwhile, are privately funding a new arena in San Francisco's Mission Bay. +But all of the examples above are exceptions in the modern stadium finance landscape. Since 1997, National Football League franchises have spent an average of more than $250 million in public money on 23 new and massively overhauled stadiums. As pointed out by Georgia State University's Center for Sport and Urban Policy , 54 ballparks, arenas, and stadiums in North America have received nearly $11 billion in public funding since 2006 alone. Taxpayers got to vote on funding for just 15 of those facilities, with just eight getting approval. +In all, roughly $9.3 billion has been spent without a taxpayer vote on the matter. +When I initially proposed an ongoing column dedicated to stadium finance, I was asked if I thought there would be enough to write about. Honestly, if no other stadium projects were announced from this point onward, this column would have enough to get it through the year. Here are just a few places struggling with stadium finance issues right now: +Portland, Ore.: A Portland group and its media cohorts are campaigning for a Major League Baseball team in a city that not only kicked out a AAA team for soccer , but whose nearby minor-league teams have lower attendance than junior-league hockey. MLB Commissioner Rob Manfred has mentioned Portland as a potential expansion site. +Tampa: Major League Baseball's Rays are trying to escape their fairly inaccessible home at Tropicana Field in St. Petersburg and have grand designs for a new ballpark in Tampa's Ybor City . Even Tampa's mayor, however, notes that there will be significant tax dollars attached to any such project. +Calgary: The National Hockey League's Flames want a new arena, but Calgary's mayor rightly responds to requests for $1.2 billion in arena funding with questions about what's in it for citizens. The Flames and Calgary City Council have responded by attempting to talk around the mayor . +Los Angeles: Oh, the NFL stadium is privately funded, but the highly controversial proposal for a new Clippers arena in Inglewood? Not so much. The Clippers want a deal , but residents don't want the building at all. Besides, there's already an arena in Inglewood . +Seattle: The city has paid off baseball's Safeco Field and the long-imploded Kingdome, and is just two years from repaying the cost of building CenturyLink Field for the NFL's Seahawks. However, despite negotiating its way to a s weetheart deal to renovate Key Arena for an NBA or NHL team, the city is now dealing with a $180 million request from baseball's Mariners. Apparently, the ballpark needs fancier toasters and less-2000s furniture. +Las Vegas: T-Mobile Arena came for free, but Vegas threw $750 million in hotel tax money at the NFL's Oakland Raiders for a new stadium and basically anything else Raiders owner Mark Davis desires. +Oakland: Already losing the Warriors and Raiders, Oakland is now dealing with Portland press actively wooing baseball's A's despite the fact that the A's and Oakland have entered exclusive negotiations . While certain potential ballpark sites remain contentious , the A's will be getting a new home one way or the other. +Milwaukee: The NBA's Bucks are opening the season in a new arena that will cost taxpayers upwards of $400 million . From suites with butlers to financial services company Fiserv's name on the place (after taking $12.5 million in subsidies of its own from the state of Wisconsin), this arena is a testament to just how well you can live by raiding the public piggy bank. +Arizona: Everybody but the Cardinals wants a new building. The Diamondbacks, Coyotes and Suns are all seeking new homes – and trying to talk up the importance of sports to Arizona's economy . The Diamondbacks are out of their ballpark lease , Phoenix is being sued over the Suns' arena plans, and the Coyotes want to move out of Glendale, but can't get anyone to give them a building . +New York: The Giants, Jets, Yankees, Mets, Nets, Red Bulls and Devils have all moved into new homes within the last decade. But the New York Islanders didn't like Brooklyn and will be building an arena near Belmont Park that they claim will be privately funded , while asking the state for $6 million to renovate their old home at Nassau Coliseum. https://www.newsday.com/long-island/politics/islanders-nassau-coliseum-1.17736054 NYCFC, meanwhile, wants its own arena and has put forth a puzzling proposal to get it. +Cleveland: Still in debt from just about every sports facility it has ever built, Cleveland not only had to watch LeBron James leave again, but still has to pay for renovations to the Cleveland Cavaliers' arena . +Detroit: Cavaliers owner Dan Gilbert wants to bring Major League Soccer to town and was willing to commit to a $300 million land swap to do it. Now he wants that team to play in the Detroit Lions' home at Ford Field under a retractable roof. https://www.freep.com/story/sports/nfl/lions/2018/07/16/detroit-lions-ford-field-retractable-roof/789284002/ The cost? Likely around $100 million to $150 million . +Austin: Austin's city council just voted to steal the Columbus Crew from Ohio and let their ownership build a $200 million stadium on city-owned land. Though Crew ownership claims the new facility will be privately financed, they still face some legal hurdles back in Ohio. +This column is going to address all of the above and more, while issuing a few reminders about why sports facilities so rarely pay off for taxpayers or their cities. As long as team owners and leagues feel it necessary to help themselves to the most tax dollars they can get for minimal return, there will always be enough outrage to fill this space \ No newline at end of file diff --git a/input/test/Test5125.txt b/input/test/Test5125.txt new file mode 100644 index 0000000..ca76a6b --- /dev/null +++ b/input/test/Test5125.txt @@ -0,0 +1,19 @@ +Full slate of games as high school football returns (1 of ) Casa Grande quarterback Jadon Bosarge scrambles for a gain against Montgomery in the first half on Friday, Nov. 10, 2017. (Photo by Darryl Bush / For The Press Democrat) (2 of ) Casa Grande quarterback Jadon Bosarge throws a pass against Montgomery in the first half on Friday, Nov. 10, 2017. (Photo by Darryl Bush / For The Press Democrat) Full slate of games as high school football returns 8:53PM | Updated 5 Kelseyville at Stellar Prep, 7 p.m. SATURDAY El Molino vs. St. Bernard, 2 p.m. McKinleyville vs. St. Vincent, 2 p.m. St. Helena at Arcata, 7 p.m. High school football kicks off Friday night with a full slate of games throughout the Redwood Empire, marking the first test of a new league alignment that matches some teams with former league rivals and others with foes they've never met before. +More than a dozen games launch the 2018 non-league season that will include a redesigned North Bay League with Oak and Redwood divisions, the newly formed Vine Valley League, the North Central I, North Central III north and south, and a couple of small schools that aren't in formal leagues. +Leading the slate is Casa Grande at Windsor, which last year would have been an important NBL matchup. But this year it's a non-league game, since Casa has moved to the VVL, which encompasses Petaluma, Napa and Sonoma schools. +"It does have a different spin," said Casa coach Denis Brunk. "We'll be playing Windsor and they're not in our league. It's a little weird." +In the other direction is Santa Rosa at Analy. Last year, those would have been non-league rivals. This season, they are both in the NBL — although the Panthers are in the Redwood division and the Tigers in Oak. +Weirder still for Sonoma County residents will be following Napa County schools in league competition with local teams. Napa schools American Canyon, Napa, Vintage and Justin-Siena make up the VVL with southern Sonoma County teams Petaluma, Casa and Sonoma Valley. +Whichever league they're in, teams will kick off the rust Friday and begin the long march toward November and the North Coast Section playoffs. +Brunk said his team put in serious work this offseason to make a run in the VVL. +"Our big belief is that we win games in the offseason. If they come in the weight room and learn the system, we should be able to do good things," he said. +Casa added local coaching mainstay Keith Simons as offensive coordinator this season. Simons had filled the same role at Analy following 17 years as head football coach at Santa Rosa Junior College. +"We'll mix it up, run and throw," Brunk said. +Quarterback Jadon Bosarge returns to lead the spread offense, alongside running back Matt Herrera and receivers Cole Shimek and Dominic McHale. +While Casa's staff has been solid, Windsor's has been a revolving door. Brad Stibi has taken over the Jaguars as the fourth head football coach in five years. +Stibi is no newbie. Born and raised in Windsor, he played for legendary coach Tom Kirkpatrick at Healdsburg High and coached with him for two years when Kirkpatrick filled in for the Jaguars in 2015 and '16. +Stibi was a linebacker at SRJC and Sacramento State before becoming the defensive coordinator for Windsor's junior varsity team. He served the same role for varsity for the past three years under Kirkpatrick and Kevin Ballatore. +It makes sense that as a former linebacker, Stibi starts out talking about the Jaguars' line. +"Those are the guys who are going to get it done for us," he said. "I believe it's won up front." +Returners Austin Jacob and Aidan Boettger and juniors Jacob Thrall and Christian Jernigan will be grinding away in the trenches, he said. +Another solid game to watch is Santa Rosa at Analy. The Panthers will be led by running back Jayvee Long, Emilio Campos, Jamie Lemus and quarterback Trevor Anderson, who transferred from Maria Carrillo \ No newline at end of file diff --git a/input/test/Test5126.txt b/input/test/Test5126.txt new file mode 100644 index 0000000..37b1c47 --- /dev/null +++ b/input/test/Test5126.txt @@ -0,0 +1,13 @@ +Mattis says further Taliban assaults likely in weeks ahead Robert Burns, The Associated Press Friday Aug 17, 2018 at 6:00 AM +BOGOTA, Colombia (AP) " The Taliban is likely to keep up its recent surge of violence in advance of scheduled parliamentary elections in October but Western-backed Afghan defenses will not break, U.S. Defense Secretary Jim Mattis said Thursday. +In his most detailed comments on the Taliban's assault on the eastern city of Ghazni since it began Aug. 10, Mattis said the Taliban had six objectives in and around the city and failed to seize any of them. He would not specify the six sites. +In Ghazni, provincial police chief Farid Mashal said Thursday that roads were being cleared of mines planted by Taliban who temporarily held entire neighborhoods of the city that they had besieged. The fighting continued for five days with more than 100 members of the Afghan National Security forces killed and 20 civilians. Scores of Taliban were also killed, according to Afghan officials. +Mattis said some Taliban fighters were still holed up in houses in the city "trying to get resupplied." He said businesses are reopening, and overall, "it's much more stable" in Ghazni, showing that the Taliban have fallen short. +"They have not endeared themselves, obviously, to the population of Ghazni," Mattis said. "They use terror. They use bombs because they can't win with ballots." +The Taliban operation followed a familiar pattern, Mattis said in remarks to reporters flying with him Thursday evening to Bogota, Colombia, where he was winding up a weeklong tour of South America. +The insurgents likely were trying to gain leverage in advance of an expected cease fire offer by Afghan President Ashraf Ghani, he said. And they likely were hoping to sow fear in advance of the October elections, he added. +"They achieved a degree of disquiet," he said, but nothing more. +"So we'll continue to see this sort of thing," he said, even though the Taliban lack the strength to hold territory they seize for brief periods. "They will never hold against the Afghan army." +The Afghan war has been stalemated for years. The Taliban lack the popular support to prevail, although they benefit from sanctuary in Pakistan. Afghan government forces, on the other hand, are too weak to decisively break the insurgents even as they develop under U.S. and NATO training and advising. +Mattis has said he believes the Afghan security forces are gaining momentum and can wear down the Taliban to the point where the insurgents would choose to talk peace. So far that approach has not produced a breakthrough. +Next week will mark one year since President Donald Trump announced a revised war strategy for Afghanistan, declaring there would be no time limit on U.S. support for the war and making a renewed push for peace negotiations \ No newline at end of file diff --git a/input/test/Test5127.txt b/input/test/Test5127.txt new file mode 100644 index 0000000..4837d3a --- /dev/null +++ b/input/test/Test5127.txt @@ -0,0 +1,23 @@ +Turkish president finds solidarity with his people in a boycott on the iPhone and other U.S. products By Umar Farooq Aug 17, 2018 | 3:00 AM A potential customer at an Apple Store in Istanbul, Turkey. (Chris McGrath / Getty Images) One video shows a man smashing iPhones with a hammer. "This is for our president," he declares. +Another shows men burning dollar bills or using them to blow their noses. Advertisement +Both videos have been shared widely on social media in Turkey as the country's trade war with the U.S. escalates and ordinary citizens and Turkish businesses express solidarity with their government. The sentiment has been boiled down to a meme trending on Twitter: "Don't let the U.S. earn money." +Economists are doubtful that Turkish consumers can do much damage, given their reliance on American products. But that didn't stop President Recep Tayyip Erdogan from calling on them to boycott U.S. goods this week. He singled out the iPhone. +The trade battle started in June, when the Trump administration announced it was raising tariffs on steel from China, the European Union and Turkey by 25% and tariffs on aluminum from those countries by 10%. Turkey, the world's eighth-biggest steel producer, responded with tariff increases on U.S. coal, paper, almonds, tobacco, rice, automobiles, petrochemicals and other products. +Then last week Trump announced he was doubling the tariffs on Turkish steel and aluminum in an effort to apply pressure on authorities to release Andrew Brunson, an American pastor being tried in Turkey on terrorism charges. +The 50-year-old evangelical pastor from North Carolina had long been based in the coastal city of Izmir. Arrested in 2016 after a failed coup, he is accused of being allied with Fethullah Gulen, a Turkish cleric based in Pennsylvania who Erdogan says masterminded the attempted takeover by the military. Some political analysts have suggested that Erdogan is holding Brunson to put pressure on the U.S. to extradite Gulen. +The new tariffs caused the Turkish lira to plummet. +Erdogan retaliated with his call for a consumer boycott, and then on Thursday issued a decree raising tariffs on U.S. cars to 120%, alcohol to 140% and tobacco to 60%. By Associated Press Aug 15, 2018 | 10:10 AM +Online campaigns have offered local alternatives to U.S. products: Torku food products instead of Nestle, iskender kebab in place of McDonald's and Uludag soft drinks over Coca-Cola. +Turkish Airlines — 49% of which is owned by the government — announced this week it would stop advertising on Google and other U.S.-based platforms. The Ministry of Environment and Urbanization, which oversees government development projects, said it would ban the use of construction materials from the U.S. +At Instanbul's Dogubank shopping center, home to some of the country's biggest cellphone stores, retailers announced they would heed Erdogan's call for a boycott and cancel orders for iPhones for the coming month. They said those orders would have amounted to $50 million. +One retailer, Emre Ergul, said the boycott came as a relief of sorts, because the drop in the lira, which lost nearly half its value, was making it harder for him to make money on iPhone sales anyway. +He said that before the crisis he sold as many as 500 iPhones a month — too few for a trillion-dollar company like Apple to even notice. +"But we have to do what we can," Ergul said. "The U.S. and Turkey need to understand this crisis is hurting ordinary people like me, and the U.S. especially needs to understand they cannot deal with my country this way, and that it will eventually hurt them as well." +Nurullah Gur, an economics professor at Istanbul Medipol University, said the resentment against Trump in Turkey stemmed from the belief that he imposed the tariff's for political rather than economic reasons. Advertisement +Turkey and the U.S. are entangled economically in more ways than their leaders seem to realize, Gur said. +One example is the F-35 fighter jet. Trump this week signed a defense budget bill that blocks transfers of F-35 fighter jets to Turkey until the Pentagon issues a report on the country's relationship with the U.S. within the NATO alliance. +He made no mention of the fact that the consortium of global companies building the F-35 includes key Turkish firms, including Ayesas, the sole supplier of the cockpit display and a missile-guidance system. +Istanbul is home to the 39-story Trump Towers, which feature hundreds of luxury apartments and several U.S. retail shops. +Erdogan's son-in-law, Minister of Finance Berat Albayrak, is a graduate of Pace University in New York City, and his two daughters, Esra and Sumeyye, studied at Indiana University. +In his call for a boycott, Erdogan suggested people use phones from the Turkish companies Venus and Vestel. +But during the 2016 coup attempt, when he appeared on the Turkish CNN affiliate and asked supporters to take to the streets, he was speaking over FaceTime on his iPhone. Today's Headlines Newslette \ No newline at end of file diff --git a/input/test/Test5128.txt b/input/test/Test5128.txt new file mode 100644 index 0000000..617c683 --- /dev/null +++ b/input/test/Test5128.txt @@ -0,0 +1,23 @@ +The Real Deal New York The waiting game: why some developers are launching resi sales later A slowing luxury market is playing a part By Kathryn Brenzel | August 17, 2018 07:00AM 308 North Seventh Street in Brooklyn and 150 Wooster Street (Credit: CityRealty, HTO-Architect, and iStock) +While developers have more marketing options today — like immersing buyers into virtual, three-dimensional versions of their future homes — some are sticking with more traditional tactics. +Just a few months before completing construction at 150 Wooster Street, KUB Capital launched sales at the Soho condo building. The developer wanted potential buyers to actually view the units, rather than rely on renderings or floor plans to inform their decisions. +"Our feeling was that the location and real estate spoke for itself," KUB principal Shawn Katz said. "I certainly feel that the ability for buyers to step in and actually experience the finished building and units was a big factor of our success." +KUB began selling apartments — with listing prices between $12 million and $35 million — in October, and then largely completed construction in late December. All six units sold by mid-May, according to StreetEasy. +By waiting until that point, developers can show off tangible living spaces, as well as the building's amenities. And in a softening luxury market, a corporeal product could give a residential project an edge over one that only offers a rendering. +"In today's market, buyers really want to see progress in construction," said Douglas Elliman's Tamir Shemesh. "They want to feel and touch the construction." +Shemesh will be handling sales at Adam America Real Estate's 308 North Seventh Street in Williamsburg. His team plans to launch sales in the 45-unit building once a model unit is ready, which Shemesh expects to be around Labor Day. He noted that it still makes sense for developers building larger projects to rent out spaces offsite for model units or sell off renderings, since they have a longer construction timeline. +"There will always be buyers who will buy off offering plans," he said. "It really depends on the project." +Such was from 2012 to 2014, when developers started marketing as soon as an offering plan was declared effective, according to Jonathan Miller , CEO of appraisal firm Miller Samuel. +"The tighter the market, the earlier the sales effort begins," he said. "As you move toward the end of a cycle, and you have more competition, and buyers want to see the tangible asset, you are going to see this type of marketing." +Still, industry professionals who spoke to The Real Deal said much more is at play when choosing a sales strategy. And part of that is contending with buyer expectations. +Compass Chief Evangelist Leonard Steinberg said that consumers are "spoiled" in that they expect to peruse sophisticated sales galleries. If a project doesn't have the budget to build a $5 million-plus gallery offsite, waiting until an onsite unit is ready might be the next best option. +"We've entered a new phase of the market, and there's definitely a new reality now where you have buyers who have elevated expectations," he said. "How do you compete with $5 million worth of a Broadway production of exquisiteness?" +Though timelines vary on a project-by-project basis, pre-construction sales efforts traditionally start when the building goes vertical, meaning as the concrete shell of a building is rising, Steinberg said. +Extell Development Company, for its part, plans to begin sales at 1010 Park Avenue in the fall, when construction at the building is complete. Donna Gargano, senior vice president of development at the firm, said it was a logical strategy for the project — it's relatively small, with 11 duplex, full-floor units and three floors worth of amenities. Potential buyers will be able to view two different model units and the amenities floors, which include a pool, gym and a playroom. +"We expect a sophisticated buyer, and we wanted to handle sales on a one-on-one basis," she said. +However, waiting until construction is further along can be a gamble. Donna Olshan, head of her eponymous boutique residential firm Olshan Realty, noted that the market can shift during the years-long construction process, as can tastes. +"A lot of buildings start so far back that the design and the finishes were picked three, four, five, six years ago," she said. "By the time the model is installed, it's not that inspiring." +Stephen Kliegerman, president of Terra Development Marketing, said that in particularly active years in New York City — think pre-2008 and then between 2011 and 2014 — it wasn't unusual for buildings to launch two years prior to receiving a temporary certificate of occupancy (TCO). That lead time, especially for buyers in the $1 million to $2 million range, is trending closer to one year, he said. +"We have been advising our clients to wait a little bit closer to projected TCO or potential occupancy to launch sales," he said, noting that middle-market buyers often have shorter-term goals and aren't keen on making major financial decisions so far in advance. +But ultimately, Olshan said, sale success is dependent on the market . +"Everything in this life is timing. It doesn't matter how good the model is if the pricing isn't right and the timing isn't with you," she said. "I don't care what any developer does. You can't out-trick the market. \ No newline at end of file diff --git a/input/test/Test5129.txt b/input/test/Test5129.txt new file mode 100644 index 0000000..3f94dc1 --- /dev/null +++ b/input/test/Test5129.txt @@ -0,0 +1,7 @@ +Tweet +A number of firms have modified their ratings and price targets on shares of Wisdom Tree Investments (NASDAQ: WETF) recently: 8/2/2018 – Wisdom Tree Investments was downgraded by analysts at ValuEngine from a "sell" rating to a "strong sell" rating. 8/2/2018 – Wisdom Tree Investments was upgraded by analysts at Zacks Investment Research from a "sell" rating to a "hold" rating. According to Zacks, "INDIVIDUAL INVESTOR GROUP INC. is an information services company that publishes and markets Individual Investor magazine and Individual Investor's Special Situations Report. In addition, the Company, through wholly owned subsidiaries, is the investment manager of private investment funds. " 8/2/2018 – Wisdom Tree Investments had its price target lowered by analysts at Morgan Stanley from $11.00 to $10.00. They now have an "equal weight" rating on the stock. 7/31/2018 – Wisdom Tree Investments was downgraded by analysts at Citigroup Inc from a "neutral" rating to a "sell" rating. They now have a $7.00 price target on the stock, down previously from $10.00. 7/30/2018 – Wisdom Tree Investments had its "buy" rating reaffirmed by analysts at Gabelli. 7/14/2018 – Wisdom Tree Investments was downgraded by analysts at BidaskClub from a "sell" rating to a "strong sell" rating. 7/13/2018 – Wisdom Tree Investments was downgraded by analysts at Citigroup Inc from a "buy" rating to a "neutral" rating. 7/13/2018 – Wisdom Tree Investments was downgraded by analysts at Keefe, Bruyette & Woods from an "outperform" rating to a "mkt perform" rating. 6/28/2018 – Wisdom Tree Investments was downgraded by analysts at BidaskClub from a "hold" rating to a "sell" rating. 6/27/2018 – Wisdom Tree Investments was downgraded by analysts at ValuEngine from a "hold" rating to a "sell" rating. +WETF opened at $8.19 on Friday. The stock has a market capitalization of $1.22 billion, a PE ratio of 34.13, a price-to-earnings-growth ratio of 1.47 and a beta of 2.56. The company has a current ratio of 1.63, a quick ratio of 1.57 and a debt-to-equity ratio of 0.55. Wisdom Tree Investments Inc has a one year low of $7.70 and a one year high of $13.41. Get Wisdom Tree Investments Inc alerts: +Wisdom Tree Investments (NASDAQ:WETF) last released its quarterly earnings results on Friday, July 27th. The asset manager reported $0.09 earnings per share (EPS) for the quarter, hitting analysts' consensus estimates of $0.09. The firm had revenue of $74.80 million for the quarter, compared to the consensus estimate of $75.22 million. Wisdom Tree Investments had a return on equity of 16.31% and a net margin of 13.54%. The firm's quarterly revenue was up 33.1% compared to the same quarter last year. During the same quarter last year, the business posted $0.06 EPS. research analysts expect that Wisdom Tree Investments Inc will post 0.36 earnings per share for the current year. The company also recently declared a quarterly dividend, which will be paid on Wednesday, August 22nd. Investors of record on Wednesday, August 8th will be paid a dividend of $0.03 per share. The ex-dividend date of this dividend is Tuesday, August 7th. This represents a $0.12 dividend on an annualized basis and a yield of 1.47%. Wisdom Tree Investments's dividend payout ratio is presently 50.00%. +A number of large investors have recently added to or reduced their stakes in WETF. Victory Capital Management Inc. purchased a new position in Wisdom Tree Investments during the 2nd quarter worth approximately $22,638,000. BlackRock Inc. grew its stake in Wisdom Tree Investments by 12.1% during the 2nd quarter. BlackRock Inc. now owns 15,185,561 shares of the asset manager's stock worth $137,884,000 after buying an additional 1,641,879 shares during the last quarter. Janus Henderson Group PLC grew its stake in Wisdom Tree Investments by 30.1% during the 2nd quarter. Janus Henderson Group PLC now owns 5,843,638 shares of the asset manager's stock worth $53,060,000 after buying an additional 1,352,345 shares during the last quarter. FMR LLC grew its stake in Wisdom Tree Investments by 33.7% during the 2nd quarter. FMR LLC now owns 3,488,433 shares of the asset manager's stock worth $31,676,000 after buying an additional 878,486 shares during the last quarter. Finally, Massachusetts Financial Services Co. MA grew its stake in Wisdom Tree Investments by 132.6% during the 1st quarter. Massachusetts Financial Services Co. MA now owns 1,461,432 shares of the asset manager's stock worth $13,401,000 after buying an additional 833,142 shares during the last quarter. Hedge funds and other institutional investors own 70.63% of the company's stock. +WisdomTree Investments, Inc, through its subsidiaries, operates as an exchange-traded funds (ETFs) sponsor and asset manager. It offers ETFs in equities, currency, fixed income, and alternatives asset classes. The company also licenses its indexes to third parties for proprietary products, as well as offers a platform to promote the use of WisdomTree ETFs in 401(k) plans. +Read More: Marijuana Stocks Future Looks Bright Receive News & Ratings for Wisdom Tree Investments Inc Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Wisdom Tree Investments Inc and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test513.txt b/input/test/Test513.txt new file mode 100644 index 0000000..87e363d --- /dev/null +++ b/input/test/Test513.txt @@ -0,0 +1,23 @@ +News 'Queen of Soul' Aretha Franklin dies in Detroit at 76 In this file photo, Aretha Franklin performs at New York's Radio City Music Hall. Franklin died Thursday at her home in Detroit. She was 76. Mario Suriani — The Associated Press file By Mesfin Fekadu and Hillel Italie, The Associated Press Posted: # Comments FILE- In this file photo, Aretha Franklin performs at the world premiere of "Clive Davis: The Soundtrack of Our Lives" at Radio City Music Hall, during the 2017 Tribeca Film Festival in New York. Franklin died Thursday at her home in Detroit. She was 76. Photo by Charles Sykes — Invision — AP, File +NEW YORK >> Aretha Franklin, the undisputed "Queen of Soul" who sang with matchless style on such classics as "Think,""I Say a Little Prayer" and her signature song, "Respect," and stood as a cultural icon around the globe, has died from pancreatic cancer. She was 76. +Publicist Gwendolyn Quinn told The Associated Press through a family statement that Franklin died Thursday at 9:50 a.m. at her home in Detroit. +"Aretha Franklin used the power of her unforgettable voice to lift up others and shine a light on injustice," Gov. Andrew Cuomo said. "Today, we mourn the Queen." +A professional singer and pianist by her late teens, a superstar by her mid-20s, Franklin had long ago settled any arguments over who was the greatest popular vocalist of her time. Her gifts, natural and acquired, were a multi-octave mezzo-soprano, gospel passion and training worthy of a preacher's daughter, taste sophisticated and eccentric, and the courage to channel private pain into liberating song. Advertisement +She recorded hundreds of tracks and had dozens of hits over the span of a half century, including 20 that reached No. 1 on the R&B charts. But her reputation was defined by an extraordinary run of top 10 smashes in the late 1960s, from the morning-after bliss of "(You Make Me Feel Like) A Natural Woman," to the wised-up "Chain of Fools" to her unstoppable call for "Respect." +The music industry couldn't honor her enough. Franklin won 18 Grammy awards. In 1987, she became the first woman inducted into the Rock and Roll Hall of Fame. +Fellow singers bowed to her eminence and political and civic leaders treated her as a peer. The Rev. Martin Luther King Jr. was a longtime friend, and she sang at the dedication of King's memorial, in 2011. She performed at the inaugurations of Presidents Bill Clinton and Jimmy Carter, and at the funeral for civil rights pioneer Rosa Parks. Clinton gave Franklin the National Medal of Arts. President George W. Bush awarded her the Presidential Medal of Freedom, the nation's highest civilian honor, in 2005. +Franklin's best-known appearance with a president was in January 2009, when she sang "My Country 'tis of Thee" at Barack Obama's inauguration. She wore a gray felt hat with a huge, Swarovski rhinestone-bordered bow that became an Internet sensation and even had its own website. +Franklin endured the exhausting grind of celebrity and personal troubles dating back to childhood. She was married from 1961 to 1969 to her manager, Ted White, and their battles are widely believed to have inspired her performances on several songs, including "(Sweet Sweet Baby) Since You've Been Gone,""Think" and her heartbreaking ballad of despair, "Ain't No Way." The mother of two sons by age 16 (she later had two more), she was often in turmoil as she struggled with her weight, family problems and financial predicaments. Her best known producer, Jerry Wexler, nicknamed her "Our Lady of Mysterious Sorrows." +Despite growing up in Detroit, and having Smokey Robinson as a childhood friend, Franklin never recorded for Motown Records; stints with Columbia and Arista were sandwiched around her prime years with Atlantic Records. But it was at Detroit's New Bethel Baptist Church, where her father was pastor, that Franklin learned the gospel fundamentals that would make her a soul institution. +Aretha Louise Franklin was born March 25, 1942, in Memphis, Tennessee. The Rev. C.L. Franklin soon moved his family to Buffalo, New York, then to Detroit. C.L. Franklin was among the most prominent Baptist ministers of his time. Music was the family business and performers from Sam Cooke to Lou Rawls were guests at the Franklin house. In the living room, young Aretha awed Robinson and other friends with her playing on the grand piano. +Franklin was in her early teens when she began touring with her father, and she released a gospel album in 1956 through J-V-B Records. Four years later, she signed with Columbia Records producer John Hammond, who called Franklin the most exciting singer he had heard since a vocalist he promoted decades earlier, Billie Holiday. Franklin knew Motown founder Berry Gordy Jr. and considered joining his label, but decided it was just a local company at the time. +Franklin recorded several albums for Columbia Records over the next six years. She had a handful of minor hits, including "Rock-A-Bye Your Baby With a Dixie Melody" and "Runnin' Out of Fools," but never quite caught on as the label tried to fit into her a variety of styles, from jazz and show songs to such pop numbers as "Mockingbird." Franklin jumped to Atlantic Records when her contract ran out, in 1966. +"But the years at Columbia also taught her several important things," critic Russell Gersten later wrote. "She worked hard at controlling and modulating her phrasing, giving her a discipline that most other soul singers lacked. She also developed a versatility with mainstream music that gave her later albums a breadth that was lacking on Motown LPs from the same period. +"Most important, she learned what she didn't like: to do what she was told to do." +At Atlantic, Wexler teamed her with veteran R&B musicians from FAME Studios in Muscle Shoals, and the result was a tougher, soulful sound, with call-and-response vocals and Franklin's gospel-style piano, which anchored "I Say a Little Prayer,""Natural Woman" and others. +Of Franklin's dozens of hits, none was linked more firmly to her than the funky, horn-led march "Respect" and its spelled out demand for "R-E-S-P-E-C-T." +Writing in Rolling Stone magazine in 2004, Wexler said: "It was an appeal for dignity combined with a blatant lubricity. There are songs that are a call to action. There are love songs. There are sex songs. But it's hard to think of another song where all those elements are combined." +Franklin had decided she wanted to "embellish" the R&B song written by Otis Redding, whose version had been a modest hit in 1965. +"When she walked into the studio, it was already worked out in her head," the producer wrote. "Otis came up to my office right before 'Respect' was released, and I played him the tape. He said, 'She done took my song.' He said it benignly and ruefully. He knew the identity of the song was slipping away from him to her." +In a 2004 interview with the St. Petersburg (Fla.) Times, Franklin was asked whether she sensed in the '60s that she was helping change popular music. +"Somewhat, certainly with 'Respect,' that was a battle cry for freedom and many people of many ethnicities took pride in that word," she answered. "It was meaningful to all of us. \ No newline at end of file diff --git a/input/test/Test5130.txt b/input/test/Test5130.txt new file mode 100644 index 0000000..9dd80e4 --- /dev/null +++ b/input/test/Test5130.txt @@ -0,0 +1 @@ +About This Game Immerse yourself in this super fun soccer goalkeeper simulator! You can test your skills in four different tournaments: - FA Cup - Champions League - World Cup You can start off by competing in the relatively easy FA Cup to hone your goalkeeping skills and improve your hand reflexes. Or if you're confident enough you can dive straight into the more challenging tournaments like the Champions League or World Cup! You can play for the club that you've always supported! Or perhaps don the goalkeeping jersey of your national team and achieve your boyhood dream of bringing home the World Cup System Requirement \ No newline at end of file diff --git a/input/test/Test5131.txt b/input/test/Test5131.txt new file mode 100644 index 0000000..850b8ca --- /dev/null +++ b/input/test/Test5131.txt @@ -0,0 +1,14 @@ +We promise you won't be eaten by a megalodon By Eleanor Imster in Earth | Human World | August 17, 2018 +So go ahead and get scared at the new movie "The Meg," but don't worry. Scientists have officially debunked the myth that megalodon sharks still exist. Via "The Meg": Official Trailer. +If you're planning to go see the new summer blockbuster movie " The Meg " this weekend, be scared in the theater – but you don't need to worry at the beach. Scientists have officially debunked the myth that megalodon sharks still exist. The whale-eating monsters became extinct about 2.6 million years ago. +Catalina Pimiento , of Florida Museum of Natural History at University of Florida, is lead author of a study, published in the peer-reviewed journal PLOS ONE that determined the date of extinction for Carcharocles megalodon – the largest predatory shark to ever live. Pimiento said in a statement : +I was drawn to the study of Carcharocles megalodon 's extinction because it is fundamental to know when species became extinct to then begin to understand the causes and consequences of such an event. +I also think people who are interested in this animal deserve to know what the scientific evidence shows, especially following Discovery Channel specials that implied megalodon may still be alive. megalodon pursuing 2 whales. Image via Karen Carr/Wikipedia . +Scientists think that megalodon looked like a stockier version of the great white shark, with strong, thick teeth, built for grabbing prey and breaking bone. Regarded as one of the largest and most powerful predators to have ever lived, fossil remains of megalodon suggest that this giant shark reached a length of about 60 feet (18 meters). Their large jaws could exert a bite force of up to 24,000 – 41,000 lbf (110,000 to 180,000 newtons). Size comparison of Carcharodon carcharias or great white shark (green), and current maximum estimate of the largest adult size of Carcharodon megalodon (gray), with a human. Image via Wikipedia . +Pimiento said that because modern top predators, especially large sharks, are significantly declining worldwide due to the current biodiversity crisis, this study could help serve as a basis to better understand the consequences of these changes. +When you remove large sharks, then small sharks are very abundant and they consume more of the invertebrates that we humans eat. Recent estimations show that large-bodied, shallow-water species of sharks are at greatest risk among marine animals, and the overall risk of shark extinction is substantially higher than for most other vertebrates. +Pimiento plans to further investigate possible correlations between changes in megalodon's distribution and the evolutionary trends of marine mammals, such as whales and other sharks. She said: +When we calculated the time of megalodon's extinction, we noticed that the modern function and gigantic sizes of filter feeder whales became established around that time. Future research will investigate if megalodon's extinction played a part in the evolution of these new classes of whales. +For the study, researchers used databases and scientific literature of the most recent megalodon records and calculated the extinction using a mathematical model. +Bottom line: Megalodon sharks are extinct. Eleanor Imster +Eleanor Imster has helped write and edit EarthSky since 1995. She was an integral part of the award-winning EarthSky radio series almost since it began until it ended in 2013. Today, as Lead Editor at EarthSky.org, she helps present the science and nature stories and photos you enjoy. She also serves as one of the voices of EarthSky on social media platforms including Facebook, Twitter and G+. She and her husband live in Tennessee and have two grown sons. MORE ARTICLE \ No newline at end of file diff --git a/input/test/Test5132.txt b/input/test/Test5132.txt new file mode 100644 index 0000000..bdfa06c --- /dev/null +++ b/input/test/Test5132.txt @@ -0,0 +1,8 @@ +Tweet +Workday Inc (NASDAQ:WDAY) hit a new 52-week high on Wednesday . The company traded as high as $142.50 and last traded at $136.93, with a volume of 110842 shares changing hands. The stock had previously closed at $136.63. +WDAY has been the topic of a number of analyst reports. BidaskClub lowered shares of Workday from a "buy" rating to a "hold" rating in a report on Saturday, July 21st. OTR Global lowered shares of Workday to a "positive" rating in a report on Wednesday, May 23rd. Barclays reduced their price objective on shares of Workday from $129.00 to $128.00 and set an "equal weight" rating on the stock in a report on Friday, June 1st. BMO Capital Markets raised their price objective on shares of Workday from $135.00 to $137.00 and gave the company a "market perform" rating in a report on Friday, June 1st. Finally, Credit Suisse Group raised their price objective on shares of Workday from $110.00 to $120.00 and gave the company a "neutral" rating in a report on Friday, June 1st. One analyst has rated the stock with a sell rating, sixteen have assigned a hold rating and twenty have issued a buy rating to the stock. Workday has a consensus rating of "Buy" and a consensus price target of $128.19. Get Workday alerts: +The company has a current ratio of 1.77, a quick ratio of 1.77 and a debt-to-equity ratio of 0.57. The company has a market capitalization of $29.63 billion, a P/E ratio of -110.28 and a beta of 1.83. Workday (NASDAQ:WDAY) last announced its quarterly earnings results on Thursday, May 31st. The software maker reported $0.33 EPS for the quarter, topping the Thomson Reuters' consensus estimate of $0.26 by $0.07. Workday had a negative net margin of 14.53% and a negative return on equity of 14.60%. The firm had revenue of $619.00 million for the quarter, compared to analyst estimates of $609.66 million. During the same period last year, the business earned $0.29 EPS. Workday's revenue for the quarter was up 29.0% compared to the same quarter last year. research analysts expect that Workday Inc will post -0.78 EPS for the current year. +In other Workday news, insider Gomez Luciano Fernandez sold 11,447 shares of the firm's stock in a transaction on Monday, June 4th. The shares were sold at an average price of $126.63, for a total transaction of $1,449,533.61. The sale was disclosed in a filing with the SEC, which is available through this hyperlink . Also, CEO Aneel Bhusri sold 75,000 shares of the firm's stock in a transaction on Tuesday, June 5th. The stock was sold at an average price of $128.68, for a total transaction of $9,651,000.00. The disclosure for this sale can be found here . Insiders have sold a total of 922,773 shares of company stock worth $118,117,147 over the last three months. 33.59% of the stock is currently owned by insiders. +A number of institutional investors have recently modified their holdings of the business. IFM Investors Pty Ltd grew its position in Workday by 8.6% during the 1st quarter. IFM Investors Pty Ltd now owns 4,578 shares of the software maker's stock worth $582,000 after purchasing an additional 364 shares during the last quarter. Motley Fool Asset Management LLC boosted its holdings in shares of Workday by 18.7% in the second quarter. Motley Fool Asset Management LLC now owns 2,328 shares of the software maker's stock valued at $282,000 after acquiring an additional 366 shares in the last quarter. Cambridge Investment Research Advisors Inc. boosted its holdings in shares of Workday by 4.5% in the first quarter. Cambridge Investment Research Advisors Inc. now owns 8,603 shares of the software maker's stock valued at $1,094,000 after acquiring an additional 368 shares in the last quarter. Great West Life Assurance Co. Can boosted its holdings in shares of Workday by 0.6% in the second quarter. Great West Life Assurance Co. Can now owns 72,114 shares of the software maker's stock valued at $8,736,000 after acquiring an additional 426 shares in the last quarter. Finally, Fiera Capital Corp boosted its holdings in shares of Workday by 16.0% in the first quarter. Fiera Capital Corp now owns 3,317 shares of the software maker's stock valued at $422,000 after acquiring an additional 458 shares in the last quarter. 69.02% of the stock is currently owned by institutional investors. +Workday Company Profile ( NASDAQ:WDAY ) +Workday, Inc provides enterprise cloud applications for finance and human resources worldwide. It provides applications for customers to manage critical business functions to optimize their financial and human capital resources. The company offers Workday Financial Management application that provides functions of general ledger, accounting, accounts payable and receivable, cash and asset management, employee expense and revenue management, projects, procurement, inventory, and grants management \ No newline at end of file diff --git a/input/test/Test5133.txt b/input/test/Test5133.txt new file mode 100644 index 0000000..eefb98d --- /dev/null +++ b/input/test/Test5133.txt @@ -0,0 +1 @@ +Press release from: Market Research Hub A newly compiled business intelligent report, titled "Global Seismic Survey Market Size, Status and Forecast 2018-2025" has been publicized to the vast archive of Market Research Hub (MRH) online repository. The study revolves around the analysis of (Seismic Survey) market, covering key industry developments and market opportunity map during the mentioned forecast period. This report further conveys quantitative & qualitative analysis on the concerned market, providing a 360 view on current and future market prospects. As the report proceeds, information regarding the prominent trends as well as opportunities in the key geographical segments have also been explained, thus enabling companies to be able to make region-specific strategies for gaining competitive lead.Request Free Sample Report: www.marketresearchhub.com/enquiry.php?type=S&repid=1873018 This report focuses on the global Seismic Survey status, future forecast, growth opportunity, key market and key players. The study objectives are to present the Seismic Survey development in United States, Europe and China.The seismic survey is one form of geophysical survey that aims at measuring the earth's (geo-) properties by means of physical (-physics) principles such as magnetic, electric, gravitational, thermal, and elastic theories. The African market will offer opportunities for the growth of the seismic survey market. There are large hydrocarbons fields that are yet to be explored in Africa, Thus, creating an opportunity for exploration companies. In 2017, the global Seismic Survey market size was 6030 million US$ and it is expected to reach 8320 million US$ by the end of 2025, with a CAGR of 4.1% during 2018-2025.The key players covered in this study Agile Seismi \ No newline at end of file diff --git a/input/test/Test5134.txt b/input/test/Test5134.txt new file mode 100644 index 0000000..b239070 --- /dev/null +++ b/input/test/Test5134.txt @@ -0,0 +1,7 @@ +Tweet +Greenleaf Trust boosted its stake in shares of Schwab Emerging Markets Equity ETF (NYSEARCA:SCHE) by 140.2% during the 2nd quarter, HoldingsChannel.com reports. The institutional investor owned 21,210 shares of the company's stock after purchasing an additional 12,380 shares during the quarter. Greenleaf Trust's holdings in Schwab Emerging Markets Equity ETF were worth $549,000 at the end of the most recent quarter. +A number of other hedge funds and other institutional investors also recently bought and sold shares of the business. River Wealth Advisors LLC raised its holdings in Schwab Emerging Markets Equity ETF by 19.6% during the 1st quarter. River Wealth Advisors LLC now owns 11,590 shares of the company's stock worth $333,000 after buying an additional 1,898 shares during the period. Parallel Advisors LLC raised its holdings in Schwab Emerging Markets Equity ETF by 22.2% during the 1st quarter. Parallel Advisors LLC now owns 11,238 shares of the company's stock worth $323,000 after buying an additional 2,041 shares during the period. Bailard Inc. raised its holdings in Schwab Emerging Markets Equity ETF by 1.9% during the 1st quarter. Bailard Inc. now owns 112,416 shares of the company's stock worth $3,226,000 after buying an additional 2,063 shares during the period. Hanson & Doremus Investment Management raised its holdings in Schwab Emerging Markets Equity ETF by 27.6% during the 1st quarter. Hanson & Doremus Investment Management now owns 9,528 shares of the company's stock worth $273,000 after buying an additional 2,063 shares during the period. Finally, PNC Financial Services Group Inc. raised its holdings in Schwab Emerging Markets Equity ETF by 62.4% during the 1st quarter. PNC Financial Services Group Inc. now owns 5,617 shares of the company's stock worth $162,000 after buying an additional 2,159 shares during the period. Get Schwab Emerging Markets Equity ETF alerts: +NYSEARCA SCHE opened at $25.16 on Friday. Schwab Emerging Markets Equity ETF has a 1 year low of $24.75 and a 1 year high of $31.08. Schwab Emerging Markets Equity ETF Company Profile +Schwab Emerging Markets Equity ETF (the Fund) seeks to track the total return of the FTSE All-Emerging Index (the Index). The Fund's index consists of large and mid capitalization companies in emerging market countries. The Index defines the large and mid capitalization universe as approximately the top 90% of the eligible universe. +Featured Story: Using the New Google Finance Tool +Want to see what other hedge funds are holding SCHE? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Schwab Emerging Markets Equity ETF (NYSEARCA:SCHE). Receive News & Ratings for Schwab Emerging Markets Equity ETF Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Schwab Emerging Markets Equity ETF and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test5135.txt b/input/test/Test5135.txt new file mode 100644 index 0000000..a60c3c8 --- /dev/null +++ b/input/test/Test5135.txt @@ -0,0 +1,7 @@ +Tweet +A number of firms have modified their ratings and price targets on shares of Wisdom Tree Investments (NASDAQ: WETF) recently: 8/2/2018 – Wisdom Tree Investments was downgraded by analysts at ValuEngine from a "sell" rating to a "strong sell" rating. 8/2/2018 – Wisdom Tree Investments was upgraded by analysts at Zacks Investment Research from a "sell" rating to a "hold" rating. According to Zacks, "INDIVIDUAL INVESTOR GROUP INC. is an information services company that publishes and markets Individual Investor magazine and Individual Investor's Special Situations Report. In addition, the Company, through wholly owned subsidiaries, is the investment manager of private investment funds. " 8/2/2018 – Wisdom Tree Investments had its price target lowered by analysts at Morgan Stanley from $11.00 to $10.00. They now have an "equal weight" rating on the stock. 7/31/2018 – Wisdom Tree Investments was downgraded by analysts at Citigroup Inc from a "neutral" rating to a "sell" rating. They now have a $7.00 price target on the stock, down previously from $10.00. 7/30/2018 – Wisdom Tree Investments had its "buy" rating reaffirmed by analysts at Gabelli. 7/14/2018 – Wisdom Tree Investments was downgraded by analysts at BidaskClub from a "sell" rating to a "strong sell" rating. 7/13/2018 – Wisdom Tree Investments was downgraded by analysts at Citigroup Inc from a "buy" rating to a "neutral" rating. 7/13/2018 – Wisdom Tree Investments was downgraded by analysts at Keefe, Bruyette & Woods from an "outperform" rating to a "mkt perform" rating. 6/28/2018 – Wisdom Tree Investments was downgraded by analysts at BidaskClub from a "hold" rating to a "sell" rating. 6/27/2018 – Wisdom Tree Investments was downgraded by analysts at ValuEngine from a "hold" rating to a "sell"rating. +WETF opened at $8.19 on Friday. The stock has a market capitalization of $1.22 billion, a PE ratio of 34.13, a price-to-earnings-growth ratio of 1.47 and a beta of 2.56. The company has a current ratio of 1.63, a quick ratio of 1.57 and a debt-to-equity ratio of 0.55. Wisdom Tree Investments Inc has a one year low of $7.70 and a one year high of $13.41. Get Wisdom Tree Investments Inc alerts: +Wisdom Tree Investments (NASDAQ:WETF) last released its quarterly earnings results on Friday, July 27th. The asset manager reported $0.09 earnings per share (EPS) for the quarter, hitting analysts' consensus estimates of $0.09. The firm had revenue of $74.80 million for the quarter, compared to the consensus estimate of $75.22 million. Wisdom Tree Investments had a return on equity of 16.31% and a net margin of 13.54%. The firm's quarterly revenue was up 33.1% compared to the same quarter last year. During the same quarter last year, the business posted $0.06 EPS. research analysts expect that Wisdom Tree Investments Inc will post 0.36 earnings per share for the current year. The company also recently declared a quarterly dividend, which will be paid on Wednesday, August 22nd. Investors of record on Wednesday, August 8th will be paid a dividend of $0.03 per share. The ex-dividend date of this dividend is Tuesday, August 7th. This represents a $0.12 dividend on an annualized basis and a yield of 1.47%. Wisdom Tree Investments's dividend payout ratio is presently 50.00%. +A number of large investors have recently added to or reduced their stakes in WETF. Victory Capital Management Inc. purchased a new position in Wisdom Tree Investments during the 2nd quarter worth approximately $22,638,000. BlackRock Inc. grew its stake in Wisdom Tree Investments by 12.1% during the 2nd quarter. BlackRock Inc. now owns 15,185,561 shares of the asset manager's stock worth $137,884,000 after buying an additional 1,641,879 shares during the last quarter. Janus Henderson Group PLC grew its stake in Wisdom Tree Investments by 30.1% during the 2nd quarter. Janus Henderson Group PLC now owns 5,843,638 shares of the asset manager's stock worth $53,060,000 after buying an additional 1,352,345 shares during the last quarter. FMR LLC grew its stake in Wisdom Tree Investments by 33.7% during the 2nd quarter. FMR LLC now owns 3,488,433 shares of the asset manager's stock worth $31,676,000 after buying an additional 878,486 shares during the last quarter. Finally, Massachusetts Financial Services Co. MA grew its stake in Wisdom Tree Investments by 132.6% during the 1st quarter. Massachusetts Financial Services Co. MA now owns 1,461,432 shares of the asset manager's stock worth $13,401,000 after buying an additional 833,142 shares during the last quarter. Hedge funds and other institutional investors own 70.63% of the company's stock. +WisdomTree Investments, Inc, through its subsidiaries, operates as an exchange-traded funds (ETFs) sponsor and asset manager. It offers ETFs in equities, currency, fixed income, and alternatives asset classes. The company also licenses its indexes to third parties for proprietary products, as well as offers a platform to promote the use of WisdomTree ETFs in 401(k) plans. +Read More: Marijuana Stocks Future Looks Bright Receive News & Ratings for Wisdom Tree Investments Inc Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Wisdom Tree Investments Inc and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test5136.txt b/input/test/Test5136.txt new file mode 100644 index 0000000..80cd3b8 --- /dev/null +++ b/input/test/Test5136.txt @@ -0,0 +1,12 @@ +Tweet +Catalyst Capital Advisors LLC acquired a new position in Hexcel Co. (NYSE:HXL) during the 2nd quarter, HoldingsChannel reports. The firm acquired 8,600 shares of the aerospace company's stock, valued at approximately $571,000. +Other hedge funds also recently modified their holdings of the company. Private Capital Group LLC increased its stake in Hexcel by 1,522.4% during the 1st quarter. Private Capital Group LLC now owns 2,028 shares of the aerospace company's stock worth $131,000 after buying an additional 1,903 shares during the period. Contravisory Investment Management Inc. purchased a new stake in Hexcel during the 2nd quarter worth approximately $148,000. BNP Paribas Arbitrage SA increased its stake in Hexcel by 441.6% during the 2nd quarter. BNP Paribas Arbitrage SA now owns 2,237 shares of the aerospace company's stock worth $148,000 after buying an additional 1,824 shares during the period. Glen Harbor Capital Management LLC increased its stake in Hexcel by 35.7% during the 1st quarter. Glen Harbor Capital Management LLC now owns 2,926 shares of the aerospace company's stock worth $189,000 after buying an additional 770 shares during the period. Finally, First Mercantile Trust Co. purchased a new stake in Hexcel during the 1st quarter worth approximately $191,000. Hedge funds and other institutional investors own 98.61% of the company's stock. Get Hexcel alerts: +In other news, Director Jeffrey A. Graves acquired 1,550 shares of the company's stock in a transaction on Friday, July 27th. The shares were bought at an average cost of $69.00 per share, with a total value of $106,950.00. Following the transaction, the director now owns 3,000 shares in the company, valued at approximately $207,000. The purchase was disclosed in a filing with the SEC, which can be accessed through the SEC website . Also, insider Robert George Hennemuth sold 17,885 shares of the stock in a transaction that occurred on Tuesday, May 29th. The shares were sold at an average price of $70.46, for a total transaction of $1,260,177.10. Following the completion of the sale, the insider now directly owns 47,279 shares in the company, valued at $3,331,278.34. The disclosure for this sale can be found here . Corporate insiders own 1.30% of the company's stock. Shares of NYSE:HXL opened at $68.07 on Friday. Hexcel Co. has a 52 week low of $51.92 and a 52 week high of $73.42. The company has a current ratio of 2.41, a quick ratio of 1.37 and a debt-to-equity ratio of 0.66. The company has a market capitalization of $6.01 billion, a price-to-earnings ratio of 25.40, a PEG ratio of 2.68 and a beta of 1.16. +Hexcel (NYSE:HXL) last announced its quarterly earnings data on Monday, July 23rd. The aerospace company reported $0.75 EPS for the quarter, meeting the Zacks' consensus estimate of $0.75. Hexcel had a net margin of 13.78% and a return on equity of 17.56%. The company had revenue of $547.50 million for the quarter, compared to the consensus estimate of $541.92 million. During the same period in the prior year, the firm posted $0.67 EPS. The company's quarterly revenue was up 11.4% compared to the same quarter last year. research analysts forecast that Hexcel Co. will post 3.03 earnings per share for the current year. +Hexcel announced that its Board of Directors has approved a share buyback plan on Monday, May 7th that permits the company to repurchase $500.00 million in outstanding shares. This repurchase authorization permits the aerospace company to repurchase up to 8.4% of its shares through open market purchases. Shares repurchase plans are generally an indication that the company's management believes its stock is undervalued. +The company also recently disclosed a quarterly dividend, which was paid on Friday, August 10th. Shareholders of record on Friday, August 3rd were given a $0.15 dividend. The ex-dividend date was Thursday, August 2nd. This is an increase from Hexcel's previous quarterly dividend of $0.13. This represents a $0.60 dividend on an annualized basis and a dividend yield of 0.88%. Hexcel's dividend payout ratio is currently 22.39%. +Several equities research analysts recently weighed in on HXL shares. Jefferies Financial Group set a $69.00 target price on shares of Hexcel and gave the stock a "hold" rating in a research note on Tuesday, April 24th. Credit Suisse Group upped their target price on shares of Hexcel from $67.00 to $70.00 and gave the stock a "neutral" rating in a research note on Wednesday, April 25th. Loop Capital raised shares of Hexcel from a "hold" rating to a "buy" rating and set a $77.00 target price on the stock in a research note on Tuesday, April 24th. Stephens set a $80.00 target price on shares of Hexcel and gave the stock a "buy" rating in a research note on Wednesday, July 25th. Finally, Cowen reaffirmed a "buy" rating and set a $75.00 target price on shares of Hexcel in a research note on Tuesday, June 12th. One research analyst has rated the stock with a sell rating, five have assigned a hold rating and seven have assigned a buy rating to the company's stock. The stock has a consensus rating of "Hold" and an average target price of $73.17. +Hexcel Company Profile +Hexcel Corporation, together with its subsidiaries, develops, manufactures, and markets structural materials for use in commercial aerospace, space and defense, and industrial markets. The company operates in two segments, Composite Materials and Engineered Products. The Composite Materials segment manufactures and markets carbon fibers, fabrics and specialty reinforcements, prepregs and other fiber-reinforced matrix materials, structural adhesives, honeycombs, molding compounds, tooling materials, polyurethane systems, and laminates that are used in military and commercial aircraft, wind turbine blade, recreational product, and other industrial applications, as well as in cars, boats, and trains. +Featured Article: Book Value Of Equity Per Share – BVPS Explained +Want to see what other hedge funds are holding HXL? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Hexcel Co. (NYSE:HXL). Receive News & Ratings for Hexcel Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Hexcel and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test5137.txt b/input/test/Test5137.txt new file mode 100644 index 0000000..2c9fee2 --- /dev/null +++ b/input/test/Test5137.txt @@ -0,0 +1,8 @@ +Tweet +Shares of Workday Inc (NASDAQ:WDAY) reached a new 52-week high during trading on Wednesday . The company traded as high as $142.50 and last traded at $136.93, with a volume of 110842 shares. The stock had previously closed at $136.63. +WDAY has been the topic of a number of research analyst reports. BidaskClub downgraded shares of Workday from a "strong-buy" rating to a "buy" rating in a report on Thursday, April 26th. Piper Jaffray Companies reissued an "overweight" rating and set a $150.00 price objective (up previously from $140.00) on shares of Workday in a report on Monday, May 21st. OTR Global downgraded shares of Workday to a "positive" rating in a report on Wednesday, May 23rd. Royal Bank of Canada boosted their price objective on shares of Workday to $155.00 and gave the stock an "outperform" rating in a report on Tuesday, May 29th. Finally, BMO Capital Markets lifted their target price on shares of Workday from $135.00 to $137.00 and gave the stock a "market perform" rating in a research report on Friday, June 1st. One equities research analyst has rated the stock with a sell rating, sixteen have given a hold rating and twenty have assigned a buy rating to the company. Workday presently has an average rating of "Buy" and a consensus target price of $128.19. Get Workday alerts: +The company has a debt-to-equity ratio of 0.57, a quick ratio of 1.77 and a current ratio of 1.77. The stock has a market cap of $29.63 billion, a price-to-earnings ratio of -110.28 and a beta of 1.83. Workday (NASDAQ:WDAY) last posted its quarterly earnings data on Thursday, May 31st. The software maker reported $0.33 earnings per share for the quarter, beating analysts' consensus estimates of $0.26 by $0.07. The business had revenue of $619.00 million during the quarter, compared to analyst estimates of $609.66 million. Workday had a negative net margin of 14.53% and a negative return on equity of 14.60%. The company's revenue was up 29.0% on a year-over-year basis. During the same quarter in the previous year, the business posted $0.29 earnings per share. research analysts anticipate that Workday Inc will post -0.78 earnings per share for the current fiscal year. +In other news, Director David A. Duffield sold 392,758 shares of the business's stock in a transaction that occurred on Monday, July 9th. The shares were sold at an average price of $127.34, for a total value of $50,013,803.72. The transaction was disclosed in a document filed with the Securities & Exchange Commission, which is accessible through this link . Also, SVP James P. Shaughnessy sold 2,178 shares of the business's stock in a transaction that occurred on Monday, July 16th. The shares were sold at an average price of $134.53, for a total transaction of $293,006.34. The disclosure for this sale can be found here . In the last three months, insiders sold 922,773 shares of company stock valued at $118,117,147. Company insiders own 33.59% of the company's stock. +Several large investors have recently bought and sold shares of the company. Fox Run Management L.L.C. acquired a new position in Workday during the second quarter worth approximately $548,000. Fiera Capital Corp increased its position in Workday by 20.7% during the second quarter. Fiera Capital Corp now owns 4,005 shares of the software maker's stock worth $485,000 after purchasing an additional 688 shares during the last quarter. Franklin Resources Inc. increased its position in Workday by 19.7% during the first quarter. Franklin Resources Inc. now owns 1,342,790 shares of the software maker's stock worth $170,682,000 after purchasing an additional 220,640 shares during the last quarter. Aperio Group LLC increased its position in Workday by 48.1% during the first quarter. Aperio Group LLC now owns 31,321 shares of the software maker's stock worth $3,981,000 after purchasing an additional 10,172 shares during the last quarter. Finally, Steward Partners Investment Advisory LLC increased its position in Workday by 685.0% during the second quarter. Steward Partners Investment Advisory LLC now owns 7,748 shares of the software maker's stock worth $938,000 after purchasing an additional 6,761 shares during the last quarter. 69.02% of the stock is owned by institutional investors and hedge funds. +Workday Company Profile ( NASDAQ:WDAY ) +Workday, Inc provides enterprise cloud applications for finance and human resources worldwide. It provides applications for customers to manage critical business functions to optimize their financial and human capital resources. The company offers Workday Financial Management application that provides functions of general ledger, accounting, accounts payable and receivable, cash and asset management, employee expense and revenue management, projects, procurement, inventory, and grants management \ No newline at end of file diff --git a/input/test/Test5138.txt b/input/test/Test5138.txt new file mode 100644 index 0000000..7d5881d --- /dev/null +++ b/input/test/Test5138.txt @@ -0,0 +1,9 @@ +Time running out to strike Brexit deal, warns Danish minister Menu Time running out to strike Brexit deal, warns Danish minister 0 comments The Danish finance minister has echoed warnings that there is a 50% chance of the UK crashing out of the European Union without a deal. +Kristian Jensen said time is running out to strike a deal that is positive for both Britain and the EU, after Latvia's foreign minister claimed the chance of a no-deal Brexit is "50-50". +Earlier this week, Edgars Rinkevics said there was a "very considerable risk" of a no-deal scenario but stressed he remained optimistic an agreement with Britain on its withdrawal from the European Union could be reached. +Mr Jensen, appearing on BBC Radio 4's Today programme, was asked about Mr Rinkevics' remarks. +He said: "I also believe that 50-50 is a very good assessment because time is running out and we need to move really fast if we've got to strike a deal that is positive both for the UK and EU. +"Every forces who wants there to be a good deal needs to put in some effort in the months to come otherwise I'm afraid that time will run out." +He went on to describe Theresa May's Chequers plan as a "realistic proposal for good negotiations". +"We need to go into a lot of details but I think it's a very positive step forward and a necessary step," he told the programme. +Mr Jensen refused to say whether new Foreign Secretary Jeremy Hunt would be easier to work with than Boris Johnson, but said: "I do believe that we had a good co-operation with Boris and I'm sure that we will have good co-operation with Jeremy. \ No newline at end of file diff --git a/input/test/Test5139.txt b/input/test/Test5139.txt new file mode 100644 index 0000000..f7b8fe5 --- /dev/null +++ b/input/test/Test5139.txt @@ -0,0 +1,5 @@ +- Leave a Comment According to a correspondent for the Android development team on the Google Issue Tracker , a future Android release will allow users to start a manual app data backup to Google Drive. This includes backing up your application data, call history, device settings, and text messages. As it stands, your backups go to Google Drive automatically under certain conditions like time, power status, and more, without the possibility of user intervention through normal means. Thankfully, users will be able to trigger the backup themselves in a future Android release so that you can change phones with the knowledge your data is safely stored in the cloud. +It's not the case, however, that you can't trigger a backup manually at all . The functionality does exist, but you'll need to set up ADB on your computer by enabling USB debugging on your Android smartphone. You can then use the following command on your computer to trigger a manual backup of all your data onto Google Drive. adb shell bmgr backupnow --all +While you can switch on and off auto-backup by going to Settings -> System -> Backup & Reset on an Android Pie device like the Google Pixel 2 XL, the only real way to trigger a backup manually is via the ADB command above. Settings –> System –> Backup settings on the Google Pixel 2 XL running Android 9 Pie +Once Google adds this feature to Android, you won't have to rely on an obscure ADB command anymore. It's not going to be the most useful of features for the average consumer, but it will certainly be used by some. Fortunately, apps backed up via the built-in Android backup manager do not use up your Google Drive's storage quota. Application-specific backups such as WhatsApp do count against your storage space when backing up, though that's set to change for the hugely popular messaging client . We'll be keeping an eye out for this feature to go live, and we're hopeful that it could potentially launch with the next iteration of Android Pie. +Want more posts like this delivered to your inbox? Enter your email to be subscribed to our newsletter \ No newline at end of file diff --git a/input/test/Test514.txt b/input/test/Test514.txt new file mode 100644 index 0000000..5986fc1 --- /dev/null +++ b/input/test/Test514.txt @@ -0,0 +1 @@ +Cancel (with viewed) 190 Seo Company San Francisco - Rdkmedia Digital Marketing Agency San F...-172983 114 Digital Marketing Company | Digital Marketing Agency-171760 116 Professional Digital Marketing Company In Noidancr-171736 82 Finest Digital Marketing Company In Delhi Ncr-170842 118 Digital Marketing Company In Chennai-165552 126 Digital Marketing Company In Coimbatore | Best Marketing Agency India-165434 93 Simple Easy & High Paid Jobs At Sms Marketing Company-174251 92 Packers And Movers In Pune | Relocation Company Pune | Top10quotes.in-174088 173 Digital Marketing Course In Laxmi Nagar-173834 94 Digital Marketing Agency In Toronto Ontario | Designx Global-173474 Cloud Searche \ No newline at end of file diff --git a/input/test/Test5140.txt b/input/test/Test5140.txt new file mode 100644 index 0000000..6552915 --- /dev/null +++ b/input/test/Test5140.txt @@ -0,0 +1,4 @@ +August 16, 2018 10:27pm 0 Comments Adam Conway Future Android release will bring manual Google Drive backup support According to a correspondent for the Android development team on the Google Issue Tracker , a future Android release will allow users to start a manual app data backup to Google Drive. This includes backing up your application data, call history, device settings, and text messages. As it stands, your backups go to Google Drive automatically under certain conditions like time, power status, and more, without the possibility of user intervention through normal means. Thankfully, users will be able to trigger the backup themselves in a future Android release so that you can change phones with the knowledge your data is safely stored in the cloud. +It's not the case, however, that you can't trigger a backup manually at all . The functionality does exist, but you'll need to set up ADB on your computer by enabling USB debugging on your Android smartphone. You can then use the following command on your computer to trigger a manual backup of all your data onto Google Drive. adb shell bmgr backupnow --all +While you can switch on and off auto-backup by going to Settings -> System -> Backup & Reset on an Android Pie device like the Google Pixel 2 XL, the only real way to trigger a backup manually is via the ADB command above. Settings –> System –> Backup settings on the Google Pixel 2 XL running Android 9 Pie +Once Google adds this feature to Android, you won't have to rely on an obscure ADB command anymore. It's not going to be the most useful of features for the average consumer, but it will certainly be used by some. Fortunately, apps backed up via the built-in Android backup manager do not use up your Google Drive's storage quota. Application-specific backups such as WhatsApp do count against your storage space when backing up, though that's set to change for the hugely popular messaging client . We'll be keeping an eye out for this feature to go live, and we're hopeful that it could potentially launch with the next iteration of Android Pie \ No newline at end of file diff --git a/input/test/Test5141.txt b/input/test/Test5141.txt new file mode 100644 index 0000000..700f9b0 --- /dev/null +++ b/input/test/Test5141.txt @@ -0,0 +1,12 @@ +Fri, 17 Aug 2018 12:00:00 +0100 Share: 7 +No one likes kicking the bucket in a game. Whether you're licking your wounds in a beat-'em-up or lamenting a mistimed jump in a platformer, death is the constant that keeps us coming back for more with respawns, 'Game Over' screens and more. But what if popping your proverbial clogs could be used as a gaming mechanic that actually helps you? Not an ominous bloodstain on the floor or a warning-like corpse, but an army of ghosts ready to help fight the fight they couldn't finish? +That's the premise behind Next Up Hero , and it makes for a Diablo -lite dungeon crawler that's both immensely fun and utterly frustrating in equal measure. With a bright, hand-drawn art style somewhere between a Pop Cap mobile game and Skylanders , Digital Continue's latest project has bags of charm right from the off. Its procedurally generated levels come in all manner of sizes, offering a vast selection of randomised setups that refresh every few days. You can even create your own and share these monster-filled levels with others. +Known as the Ceaseless Dirge in the game's story, these enemies aren't just there to provide a challenge. They also happen to drop items that can help shape your loadout. Once you've picked your chosen Hero (including a dual-wielding DJ called Mixtape and a bongo drum-toting warrior by the name of Symposer), you can unlock new abilities and buffs by collecting enough enemy-specific tokens. There are also Prestige Tokens, which are used to unlock new Heroes, upgrade existing ones and - in a neat twist - increase the chances of encountering rare enemies (and, thus, rarer loot) in a level. +As a top-down dungeon crawler, you'll likely know what to expect when it comes to the familiar grind of killing every enemy in the vicinity and collecting stuff to spend later. However, don't be lulled into a false sense of sword-swinging superiority. Next Up Hero is mercilessly difficult, even on its easiest difficulty setting. Health can't be restored once lost and it won't be replenished after completing each level, so you'll need to rely on the support of those ghost-like Echoes and the Ancients they unlock. +Ah yes, those 'ghosts' we were talking about. Everytime a player dies, they leave behind a spectral version of themselves. You'll find a handful of these beings lying on the floor of each colourful dungeon, and you'll need to hold 'X' to revive them. Once restored, you can recruit up to eight of them at once and they'll automatically follow you and attack any nearby enemy without the need to command them. A couple of Echoes won't make much difference to an enemy's health pool, but get a horde of them going and they're a welcome way to distract more powerful foes. +Echoes can also perish, and there's only a pre-determined number on each level, so there's a satisfying reward to using them sparingly, especially on the harder difficulties. Ancients use Echoes like a sacrificial currency, enabling you to unlock additional powers (such as Ely's temporary health boost or Numbskull's melee assistance). You can customise which Ancients you want to use in the pre-game loadout, and you'll need to decide whether sacrificing your Echoes to unlock a certain power is worth the risk of going it alone. +These are all really rewarding systems that show Digital Continue is a developer with real talent and vision, but there are real problems with the game that hold it back from gelling as a cohesive procedural whole. Enemy AI is far too aggressive, and their individual damage outlays are far too high. Add in the fact that the game's dash mechanic is mapped to a press of the right analog stick (which never feels natural), and that it has a cooldown timer, and you realise the only viable option is to choose a ranged character and pepper every enemy from afar. +You can play the game in online co-op, which does alleviate some of the steep difficulty (you can drop into another player's game mid-battle, or have another Hero join your quest while you're doing the same), but it's a balance issue that should have been addressed by now. It should be noted that this is an online-only experience as every level is stored and shared on a server. If you're playing away from a Wi-Fi connection, or you have poor connection issues, you simply won't be able to enjoy it. +There's also the many serious technical issues Next Up Hero brings with it to Switch. Slowdown is a real problem for this game, especially when there are lots of characters on screen at once. Considering the game is all about having lots of Echoes fighting in your corner, and a wave of enemy types trying to rush you, you'll start encountering serious drops in frames a handful of times per level. +Then there's the fact that it continually crashes, freezing the game and locking the HD Rumble into a perpetual state of angry vibration. There's no way to save the game in this state, so a hard reset of the software is the only way to solve it; all those foes you just ground through, all those Prestige Tokens you collected and all that time you spent carefully finding Echoes is gone. Our review copy froze in this way three times in our first couple of hours alone and the problem persisted throughout our playthrough. Conclusion +There's plenty to like about Next Up Hero. Turning death into an applicable AI co-op mechanic is a neat spin on a game with a high death turnover, and its cartoon art style complements an impressively large menagerie of monsters to kill. Unfortunately, there are inherent problems with balancing and some disastrous technical problems. Its grinding takes too long, melee characters are all but pointless due to the high damage output of enemies, and those technical issues make committing time and effort a constant risk. Average 5 / 1 \ No newline at end of file diff --git a/input/test/Test5142.txt b/input/test/Test5142.txt new file mode 100644 index 0000000..a2a1ad1 --- /dev/null +++ b/input/test/Test5142.txt @@ -0,0 +1,57 @@ +Aug 16, 2018 at 9:45 AM Aug 16, 2018 at 7:57 PM +ANKARA, Turkey (AP) " The latest on Turkey's currency crisis (all times local): +2:55 a.m. +President Donald Trump is calling on jailed pastor Andrew Brunson to serve as a "great patriot hostage" while he's being held in Turkey. +Tweeting on Thursday, Trump says: "Turkey has taken advantage of the United States for many years" and is criticizing the country for "holding our wonderful Christian Pastor." +Trump adds, "We will pay nothing for the release of an innocent man, but we are cutting back on Turkey!" +Brunson has been detained on espionage and terrorism-related charges. +The Trump administration has said Turkey could face additional sanctions if he isn't quickly released. +___ +1:15 a.m. +The White House is telling Turkey to release detained American pastor Andrew Brunson to cool diplomatic and economic tensions between the two countries. +An administration official says President Donald Trump's National Security Adviser John Bolton spoke Monday with the Turkish ambassador to the U.S. and told him to release Brunson. +The official says the White House thought it had a deal to secure Brunson's release last month, apparently referring to U.S. pressure on Israel to release a Turkish citizen imprisoned there. Instead, Brunson was placed under house arrest. +The official says Turkey missed a big opportunity to bring about an end to the tensions over Brunson's imprisonment, which has sparked U.S. economic sanctions on Turkey. +The official spoke on the condition of anonymity to describe internal discussions. +" Zeke Miller +___ +11 p.m. +The Trump administration says Turkey could face additional sanctions if an American pastor detained on espionage and terrorism-related charges isn't quickly released. +Treasury Secretary Steven Mnuchin (mih-NOO'-shin) says the sanctions would be in addition to penalties recently imposed on two Turkish officials in the case of Andrew Craig Brunson. The American pastor continues to be detained in Turkey " a NATO ally " despite Trump's demands that Brunson be freed. +Mnuchin commented during a White House meeting Thursday at which President Donald Trump said Turkey has "not proven to be a good friend." +Trump said it's "not fair, not right" that Turkey is holding "a very innocent man." +Trump has also authorized higher steel and aluminum tariffs against Turkey. The White House says the move is unrelated to Brunson's case. +___ +6:55 p.m. +A top Turkish official says Turkey, France and Germany "are on the same page" concerning their opposition to U.S. sanctions and tariffs restricting trade. +Presidential spokesman Ibrahim Kalin also told reporters Thursday that their like-minded position could present an "opportunity" for Turkey and European countries to further improve relations. +Kalin's comments came after Turkish President Recep Tayyip Erdogan held telephone conversations with German Chancellor Angela Merkel and President Emmanuel Macron of France amid a trade and diplomatic dispute with the United States that helped trigger a Turkish currency crisis. +Kalin said the German and French leaders told Erdogan that "they were also suffering and that they were also complaining about" U.S. President Donald Trump's administration's tendency to "use trade, dollars, taxes as weapons." +___ +4:45 p.m. +Turkish media reports say Treasury and Finance Minister Berat Albayrak has told international investors that Turkey would come out of the current "currency fluctuation" stronger than before. +Albayrak addressed thousands of investors in a teleconference on Thursday to update about the state of the economy. +Private NTV quoted Albayrak as reassuring investors' that Turkey's banks are "healthy and strong" and that fighting inflation, implementing structural reforms and strict monetary policy remained a priority. +The minister ruled out imposing limits on money flows, NTV said. +International investors have been worried by Turkey's high levels of foreign debt and Erdogan's refusal to allow the central bank to raise interest rates to support the currency, as experts say it should. +___ +4:20 p.m. +The drop in the Turkish lira is attracting more interest from tourists, including last minute travelers, as well as prospective real estate buyers. +U.K.-based online travel agent �Travel Republic �says bookings to Turkey increased by 21 percent in the last three days. +The company said the number of nights that tourists are staying in Turkey has also increased, by 47 percent, likely due to costs in resort being low as a result of the currency devaluation. +Price comparison site TravelSupermarket.com says it has seen a 19 percent increase in searches for Turkey in the Aug. 9-15 period compared with the previous week. +Some are looking for a longer-term bargain " property. +Spotblue, a British website focused on Turkish real estate, says the number of people visiting its site has more than doubled since last week. It is too early to say how much of that interest will turn into a deal. +___ +3:40 p.m. +Turkish officials say President Recep Tayyip Erdogan has spoken with French President Emmanuel Macron, during which Macron said that Turkey's economic stability is important for France. +Officials at Erdogan's office say the two presidents on Thursday stressed the importance of expanding economic and trade ties as well as mutual investments. They added that the Turkish and French finance ministers would meet soon. +The high-level conversation comes as Turkey shows signs of a rapprochement with European countries amid an on-going trade and diplomatic spat with the United States that help trigger a Turkish currency crisis. Erdogan held a similar conversation with German Chancellor Angela Merkel on Wednesday. +The officials provided the information only on condition of anonymity, in line with rules. +___ +10:30 a.m. +The Turkish lira is rebounding from record losses a day after Qatar pledged US$15 billion in investments to help Turkey's economy. +The currency strengthened some 3 percent against the dollar on Thursday, trading at around 5.75 per dollar, hours before Turkey's treasury and finance minister were scheduled to reassure international investors about the economy. +The lira had nosedived in recent weeks, hitting a record low of 7.24 last week, amid a diplomatic and trade dispute with the United States. +Washington imposed sanctions and tariffs over the continued detention of an American pastor, while Turkey retaliated with some US$500 million of tariffs on some U.S. imports and said it would boycott U.S. electronic goods. +The currency recovered after authorities took steps to help bank liquidity and limit swap transactions \ No newline at end of file diff --git a/input/test/Test5143.txt b/input/test/Test5143.txt new file mode 100644 index 0000000..2dfde19 --- /dev/null +++ b/input/test/Test5143.txt @@ -0,0 +1 @@ +Get $300 Back With This Outrageous New Credit Card
follow us!
Most stock quote data provided by BATS. Market indices are shown in real time, except for the DJIA, which is delayed by two minutes. All times are ET.
. Morningstar: ©
Morningstar, Inc. All Rights Reserved. Factset: FactSet Research Systems Inc.
. All rights reserved. Chicago Mercantile Association: Certain market data is the property of Chicago Mercantile Exchange Inc. and its licensors. All rights reserved. Dow Jones: The Dow Jones branded indices are proprietary to and are calculated, distributed and marketed by DJI Opco, a subsidiary of S&P Dow Jones Indices LLC and have been licensed for use to S&P Opco, LLC and CNN. Standard & Poor's and S&P are registered trademarks of Standard & Poor's Financial Services LLC and Dow Jones is a registered trademark of Dow Jones Trademark Holdings LLC. All content of the Dow Jones branded indices © S&P Dow Jones Indices LLC
and/or its affiliates.
> Click here for the latest discount on the Tunze 8850.000 LED Full Spectrum and to read the great customer reviews << Weekly Top Sellers Availability: Usually ships in 24 hours Price: $ 145.39 +Rating: ★★★★☆ List Price: $ 145.39 Find out more What is the Tunze 8850.000 LED Full Spectrum good for? +LED Full Spectrum 8850, includes magnet holder for 3/8″ thick glass, plastic waterproof body (submersible), integrated lens, Nichia and Osama LED's, 26W peak performance, automatically adjusts for temperature compensation, color can be adjusted between 5000-25000K, ideal for Nano reef aquariums up to 18″ cubed, multiples can be used on larger aquariums…. Read full review here Compare with similar items +Helios T6 36-Inch Daylight Aquarium Lights, 30-watt, 6-Pack For Sale Price: $ 57.19 Where can you buy the best aquarium light Tunze 8850.000 LED Full Spectrum +Customer rating: 4 / 5 stars ★★★★☆ List Price: 145.39 Discount: updating... save off your order + Free Shipping Availability: New, original packaging – In stock Sold by and Shipping: Check store below » Help you save money when you shop online $ 145.39 +( Friday, August 17, 2018 ) » Buy It Now "The condition of the Tunze 8850.000 LED Full Spectrum you buy and its timely delivery are guaranteed under the Amazon A-to-z Guarantee." +We have found most affordable price of Tunze 8850.000 LED Full Spectrum from Amazon store. It offers fast and free shipping. Best aquarium light for sale will be limited stock of certain product and discount only for limited time, so do order now to get the best deals. Before you buy, check to see if a product is available online at store, read and compare experiences customers have had with aquarium light below. +Free Shipping >> Buy from Amazon.com Ratings & reviews about the best aquarium light +All the latest best aquarium light reviews consumer reports are written by real customers on websites. You should read more consumer reviews and answered questions of Tunze 8850.000 LED Full Spectrum below. >> If you can't see all comments, click here to read full customer reviews on Tunze 8850.000 LED Full Spectrum at Amazon.com << Categorised in: Aquarium Lights Discount Finder: Coupon Codes And Special Offers +Amazon often offers 75% and better discounts, yet it directs people to other, higher profit margin products instead. There's a geeky way to manipulate Amazon's web links to display all heavily-reduced bargains. All you need to do is fiddle with Amazon web addresses to bring up lists of knock-down prices. The problem is these are a faff to make yourself. So we built the Amazon Hidden Discount Finder tool (below). It creates your own bespoke pages in seconds, where you choose the discount and department. Get the best discount Tunze 8850.000 LED Full Spectrum Review deals from top brands is on sale at Amazon.com Enter the Product Name here... Customers who bought this item also bough \ No newline at end of file diff --git a/input/test/Test551.txt b/input/test/Test551.txt new file mode 100644 index 0000000..2adf5e8 --- /dev/null +++ b/input/test/Test551.txt @@ -0,0 +1,9 @@ +Tweet +Advisors Preferred LLC grew its position in shares of National Storage Affiliates Trust (NYSE:NSA) by 105.7% in the 2nd quarter, according to the company in its most recent filing with the Securities and Exchange Commission (SEC). The fund owned 3,548 shares of the real estate investment trust's stock after buying an additional 1,823 shares during the quarter. Advisors Preferred LLC's holdings in National Storage Affiliates Trust were worth $109,000 as of its most recent filing with the Securities and Exchange Commission (SEC). +A number of other institutional investors and hedge funds also recently bought and sold shares of the stock. SG Americas Securities LLC lifted its holdings in National Storage Affiliates Trust by 380.0% in the 2nd quarter. SG Americas Securities LLC now owns 41,886 shares of the real estate investment trust's stock worth $1,291,000 after purchasing an additional 33,159 shares during the last quarter. Bank of New York Mellon Corp lifted its holdings in National Storage Affiliates Trust by 3.1% in the 2nd quarter. Bank of New York Mellon Corp now owns 755,761 shares of the real estate investment trust's stock worth $23,293,000 after purchasing an additional 22,838 shares during the last quarter. Rhumbline Advisers lifted its holdings in National Storage Affiliates Trust by 3.7% in the 2nd quarter. Rhumbline Advisers now owns 130,772 shares of the real estate investment trust's stock worth $4,030,000 after purchasing an additional 4,675 shares during the last quarter. Zurcher Kantonalbank Zurich Cantonalbank lifted its holdings in National Storage Affiliates Trust by 152.5% in the 2nd quarter. Zurcher Kantonalbank Zurich Cantonalbank now owns 14,406 shares of the real estate investment trust's stock worth $444,000 after purchasing an additional 8,700 shares during the last quarter. Finally, Commonwealth of Pennsylvania Public School Empls Retrmt SYS acquired a new stake in National Storage Affiliates Trust in the 2nd quarter worth approximately $329,000. Hedge funds and other institutional investors own 94.28% of the company's stock. Get National Storage Affiliates Trust alerts: +Shares of NYSE NSA opened at $28.94 on Friday. The company has a current ratio of 0.87, a quick ratio of 0.87 and a debt-to-equity ratio of 1.05. The company has a market capitalization of $1.61 billion, a price-to-earnings ratio of 23.34, a price-to-earnings-growth ratio of 2.63 and a beta of 0.50. National Storage Affiliates Trust has a 12 month low of $21.17 and a 12 month high of $32.28. National Storage Affiliates Trust (NYSE:NSA) last issued its quarterly earnings results on Monday, August 6th. The real estate investment trust reported $0.07 EPS for the quarter, missing the Thomson Reuters' consensus estimate of $0.34 by ($0.27). The business had revenue of $79.72 million during the quarter, compared to the consensus estimate of $79.68 million. National Storage Affiliates Trust had a return on equity of 1.29% and a net margin of 4.63%. The business's quarterly revenue was up 23.9% on a year-over-year basis. During the same period in the prior year, the firm earned $0.31 earnings per share. research analysts forecast that National Storage Affiliates Trust will post 1.36 earnings per share for the current fiscal year. +Several equities research analysts recently weighed in on the company. Jefferies Financial Group lowered National Storage Affiliates Trust from a "buy" rating to a "hold" rating and set a $32.00 target price for the company. in a report on Tuesday, July 17th. SunTrust Banks boosted their target price on National Storage Affiliates Trust from $25.00 to $28.00 and gave the stock a "hold" rating in a report on Thursday, July 12th. DA Davidson set a $37.00 target price on National Storage Affiliates Trust and gave the stock a "buy" rating in a report on Thursday, July 12th. Zacks Investment Research lowered National Storage Affiliates Trust from a "buy" rating to a "hold" rating in a report on Saturday, July 21st. Finally, Morgan Stanley boosted their target price on National Storage Affiliates Trust from $26.00 to $27.00 and gave the stock an "equal weight" rating in a report on Thursday, June 14th. One analyst has rated the stock with a sell rating, nine have assigned a hold rating and four have assigned a buy rating to the company. The stock has an average rating of "Hold" and a consensus price target of $28.36. +National Storage Affiliates Trust Company Profile +National Storage Affiliates Trust is a Maryland real estate investment trust focused on the ownership, operation and acquisition of self storage properties located within the top 100 metropolitan statistical areas throughout the United States. The Company currently holds ownership interests in and operates 533 self storage properties located in 29 states with approximately 33 million rentable square feet. +See Also: Marijuana Stocks Investing Considerations +Want to see what other hedge funds are holding NSA? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for National Storage Affiliates Trust (NYSE:NSA). Receive News & Ratings for National Storage Affiliates Trust Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for National Storage Affiliates Trust and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test552.txt b/input/test/Test552.txt new file mode 100644 index 0000000..d9e258b --- /dev/null +++ b/input/test/Test552.txt @@ -0,0 +1,38 @@ +Horoscopes THINGS CANCER MADE ME SAY Screening for bowel cancer at 50 is a victory – but you MUST learn the 5 red-flag signs of the disease +Last week the Government agreed to lower the bowel cancer screening age from 60 to 50 - after The Sun launched the No Time 2 Lose campaign Comment 17th August 2018, 10:00 10:00 am +POWER to the people, power to US! +This week I've realised just what's possible if we all stick together and shout at the same time. Deborah James We did it! The Government HAS agreed to lower the bowel cancer screening age from 60 to 50 Leela Bennett While screening is a vital, it is only half the battle. It is important everyone knows the signs and symptoms to watch out for, to lower their risk +When we all shout loud enough, we really can make ourselves heard. +I've realised when people tell you something can't be done, that's when you have to shout even louder. +I am in awe of Lauren Backler, the 27-year-old who has turned her mum's death into a huge force for change. +Her mum, Fiona, died of bowel cancer three years ago , and her loss became Lauren's inspiration to make a difference. Lauren Backler 8 Lauren Backler started a petition calling for bowel cancer screening to start at 50 after losing her mum Fiona to the disease at 55 +To make sure no other family has to face what hers has, losing their mum at just 55 years old, to a disease that can be cured, if it's caught early enough. +Lauren believes that had her mum been screened for bowel cancer from the age of 50, she would still be here today. +It's already 50 in Scotland, but us lot south of the border in England, Wales and Northern Ireland have been at the mercy of a postcode lottery, having to wait another ten years before having routine tests every two years. Jon Bond - The Sun 8 Lauren is an inspiration, without her this wouldn't have happened +At The Sun we got behind Lauren's petition, joining forces with her and leading charity Bowel Cancer UK , to pile the pressure on the powers that be with our No Time 2 Lose campaign. +We believed that by shouting loudly and together we could make a change. +And we have! +Last Friday, the Government announced it WILL lower the screening age to 50 , after doctors agreed it will save lives. +It means six million people will be included in the NHS screening programme - that's more than an extra 4,500 lives a year potentially saved. +The announcement comes after the Department of Health agreed to introduce the new FIT test, which makes screening easier, and more effective. +It's reduced the process from three poo samples, to just one - so there really is no excuse not to do it. +Screening is so important because it helps diagnose people in the earliest stages. Deborah James We joined forces with Lauren and Bowel Cancer UK to put pressure on the Government to listen THE NO TIME 2 LOSE CAMPAIGN IT'S A WIN! Victory for The Sun as bowel cancer screening age is lowered from 60 to 50 'COULD'VE SAVED MUM' BBC star backs Sun call for bowel cancer screening at 50 NOT 60 #NOTIME2LOSE Dad's bowel cancer is terminal - he's proof screening must start at 50 NOT 60 MUM'S THE WORD I have to be dad on Father's Day after bowel cancer stole my husband 'TIME IS PRECIOUS' I'm spending Father's Day as if it's my last - after bowel cancer struck DAD'S DAY Football legends urge all dads to learn bowel cancer signs after personal ordeals STEP UP Matthew Wright put through his paces by The Sun on air for bowel cancer campaign THE SUN'S WRIGHT Matthew Wright backs Sun's bowel cancer campaign after dad's death at 53 DEBORAH JAMES Get fit WITHOUT spending loads - it's one simple thing that can stop cancer NO TIME 2 LOOS How often do YOU go to the loo? What's normal and when it's a serious sign #NOTIME2LOSE The 1 simple thing you can do every day to slash your risk of bowel cancer DEBORAH JAMES Exercise got me through my darkest cancer days but it can help you PREVENT it +If you catch bowel cancer at stage one, a patient has a 97 per cent chance of living five years or more. +But at stage 4 - when mine was caught - that chance falls right off a cliff to just seven per cent. +So, after all that Lauren and Bowel Cancer UK have done to make this change, all you 50-year-olds owe it to them to actually do the test, and lower you risk of ever having to face this b*stard disease. +But, screening isn't the only way we can ensure early diagnosis. +And while it's great that so many more people will now be checked, it's vital that every single person in this country knows the signs and symptoms of bowel cancer. Jon Bond - The Sun Lauren handed her petition to the Department of Health in April this year, complete with more than 400,000 signatures +It is a disease that typically affects people over the age of 50. +But I was 35 when it came calling at my door. +I am, and sadly countless others, are all the proof you need that you're never too young to develop bowel cancer. +That's why our No Time 2 Lose campaign also aims to raise awareness of the signs of the disease. Deborah James Bowel cancer screening is a vital part of saving lives, but it is really important everyone knows the signs of the disease - I was diagnosed at 35, proof you're never too young +Yes, we have lots more to do. +This is only the start, we now need to ensure that a comprehensive plan is put in place to roll out screening from 50 ASAP. +But, before we get shouting again, I want to say thank you, thank you to everyone who signed Lauren's petition, to everyone who shared their story, to everyone who has worked so hard to shout about this. MORE THINGS CANCER MADE ME SAY DEBORAH JAMES My top 3 tips to help you deal with the mental mindf*** that is cancer DEBORAH JAMES Cancer doesn't just f*** with your body - it messes with your mind too DEBORAH JAMES Ten years of marriage and we're stronger than ever - thanks to CANCER DEBORAH JAMES That feeling in my gut was right...my cancer is back - and it's inoperable DEBORAH JAMES Today is ALL that matters, that and the ones you love - cancer opened my eyes DEBORAH JAMES Dear NHS, thank you for saving my son, mum, dad, brother and keeping me alive DEBORAH JAMES The 10 simple ways to help a friend with cancer feel better - and less alone DEBORAH JAMES Flying was my biggest fear...then I got cancer - it's taught me to live life ALISTAIR JAMES As your dad I wish I was the one with cancer not you - it breaks my heart DEBORAH JAMES Get fit WITHOUT spending loads - it's one simple thing that can stop cancer DEBORAH JAMES Exercise got me through my darkest cancer days but it can help you PREVENT it +Because of you all, lives will be saved. +Because of you all, fewer people and families will have to face the rollercoaster that is cancer. +Because of you all, more than 4,500 lives a year could be saved. +Thank you for getting behind the campaign, and helping to save lives. +Come join the BowelBabe Facebook community. I'd love to hear from you about #thethingscancermademesay. +Tell me your journey, show off your scars, share what keeps you smiling, or how you are giving two fat fingers to cancer (or anything else for that matter!) +To contact me email and you can also follow me on Twitter and Instagra \ No newline at end of file diff --git a/input/test/Test553.txt b/input/test/Test553.txt new file mode 100644 index 0000000..2bfa775 --- /dev/null +++ b/input/test/Test553.txt @@ -0,0 +1,7 @@ +Tweet +Shares of Galmed Pharmaceuticals Ltd (NASDAQ:GLMD) have received an average recommendation of "Buy" from the eleven brokerages that are currently covering the stock, Marketbeat reports. One research analyst has rated the stock with a hold rating, eight have given a buy rating and one has issued a strong buy rating on the company. The average 1 year price objective among brokerages that have issued a report on the stock in the last year is $36.78. +A number of brokerages have recently issued reports on GLMD. HC Wainwright upped their price objective on shares of Galmed Pharmaceuticals from $24.00 to $43.00 and gave the company a "buy" rating in a research note on Tuesday, June 12th. ValuEngine raised shares of Galmed Pharmaceuticals from a "buy" rating to a "strong-buy" rating in a research note on Tuesday, June 12th. Maxim Group upped their price objective on shares of Galmed Pharmaceuticals from $14.00 to $30.00 and gave the company a "buy" rating in a research note on Tuesday, June 12th. SunTrust Banks upped their price objective on shares of Galmed Pharmaceuticals from $15.00 to $31.00 in a research note on Tuesday, June 12th. Finally, Stifel Nicolaus began coverage on shares of Galmed Pharmaceuticals in a research note on Friday, July 13th. They issued a "buy" rating and a $35.00 price objective for the company. Get Galmed Pharmaceuticals alerts: +A number of large investors have recently bought and sold shares of GLMD. Vivo Capital LLC bought a new stake in Galmed Pharmaceuticals during the 2nd quarter valued at $9,433,000. Baker BROS. Advisors LP bought a new stake in Galmed Pharmaceuticals during the 2nd quarter valued at $7,570,000. Point72 Asset Management L.P. bought a new stake in Galmed Pharmaceuticals during the 2nd quarter valued at $7,449,000. Nantahala Capital Management LLC raised its holdings in Galmed Pharmaceuticals by 140.1% during the 2nd quarter. Nantahala Capital Management LLC now owns 741,108 shares of the biopharmaceutical company's stock valued at $8,819,000 after buying an additional 432,480 shares during the last quarter. Finally, Millennium Management LLC raised its holdings in Galmed Pharmaceuticals by 1,768.2% during the 2nd quarter. Millennium Management LLC now owns 315,356 shares of the biopharmaceutical company's stock valued at $3,753,000 after buying an additional 298,476 shares during the last quarter. Institutional investors own 18.29% of the company's stock. Shares of Galmed Pharmaceuticals stock opened at $11.51 on Friday. Galmed Pharmaceuticals has a 52-week low of $3.61 and a 52-week high of $27.06. The firm has a market capitalization of $194.87 million, a PE ratio of -11.74 and a beta of 2.68. +Galmed Pharmaceuticals (NASDAQ:GLMD) last announced its quarterly earnings data on Thursday, August 2nd. The biopharmaceutical company reported ($0.17) earnings per share (EPS) for the quarter, missing the Zacks' consensus estimate of ($0.16) by ($0.01). Galmed Pharmaceuticals had a negative net margin of 1,072.44% and a negative return on equity of 36.66%. The business had revenue of $0.27 million during the quarter, compared to analysts' expectations of $0.27 million. analysts forecast that Galmed Pharmaceuticals will post -0.59 earnings per share for the current fiscal year. +Galmed Pharmaceuticals Company Profile +Galmed Pharmaceuticals Ltd., a clinical-stage biopharmaceutical company, focuses on the development of therapeutics for the treatment of liver diseases. The company is develops Aramchol, an oral therapy, which is in ARREST study, a Phase IIb clinical study for the treatment of patients with overweight or obesity, and who are pre-diabetic or type-II-diabetic with non-alcoholic steato-hepatitis \ No newline at end of file diff --git a/input/test/Test554.txt b/input/test/Test554.txt new file mode 100644 index 0000000..8c75f80 --- /dev/null +++ b/input/test/Test554.txt @@ -0,0 +1 @@ +47 Steven Alvey Best Price Viking PLR FIRE SALE 5 For 1 Rebrandable Digital Content Package Released Online marketing expert Steven Alvey announced the launch of the Viking PLR FIRE SALE 5 For 1, a rebrandale PLR package allowing digital marketers to use it to provide high-quality video courses, e-books and other content to their clients. The package features professionally developed, high-engagement materials which can be completely personalized using each marketers details, making it ideal as lead magnets, bonuses for other products, or stand-alone online marketing products. More information can be found at http://letsgolook.at/VikingPLRFIRESALE5for1. Private Label Rights (PLR) products are an effective way for digital marketers to use pre-developed content without any restrictions and without significant investments in content development. PLR products allow marketers to buy content rights, modify and use the material as their own. One of the main drawbacks of this type of content is that it is generally relatively generic and low-quality, making it inefficient if not heavily edited. Steven Alvey launched the Viking PLR Fire Sale 5 For 1 to provide digital marketers with a high-quality alternative to the traditional PLR products. The packages includes a wide range of PLR content which can be used for multiple marketing and lead generation purposes, making it ideal for any digital marketer looking to improve the efficiency of their campaigns. Marketers will find a report on internet marketing, which can be used as the entry-point of a lead generation campaign. For the second stage of the process, digital marketers can use the Viking e-book to turn prospects into paying customers. The main products of the course are a multi-level, professionally developed video course and a set of professional audio lessons which provide high value to paying customers while allowing marketers to promote their brands. The Viking package also features a rebranding tutorial, an editable video series, a full e-mail sequence and various other products. Interested parties can find more information by visiting the above-mentioned website, as well as at https://muncheye.com/viking-plr-videomarketing \ No newline at end of file diff --git a/input/test/Test555.txt b/input/test/Test555.txt new file mode 100644 index 0000000..a3fda38 --- /dev/null +++ b/input/test/Test555.txt @@ -0,0 +1,8 @@ +We're still in disarray around here, so it's another simple (but great!) prize package for August! I cannot wait to share before and after pictures and more innovative prizes in the months ahead. Please cross your fingers and send us good vibes and maybe we'll have these repairs done by Labor Day! +This prize package includes a $25 Amazon gift card as well as a fun swag package. +The monthly prize is awarded to one lucky newsletter subscriber. New subscribers each month have their own giveaway in addition to being eligible for the grand prize package! ( Full subscriber perks detailed here ) Winners are notified through the email address used to subscribe. Be sure to invite a friend to join the fun! +What's that? You're not getting my emails yet? Subscribing only takes a few seconds – just use the form over there on the right. You'll receive an original short story immediately and you're automatically eligible for this and all future giveaways. Don't worry – subscribing won't make your inbox groan! I send an email once a month to give you a peek as to what's new, what's next, what happened behind the scenes, a recipe, and more. We'd love to have you join us! +Good luck in the giveaways and always… live the adventure! +Live the adventure! +11Aug2018 +ps You can check out all my books right here, just click the Books tab above to see all the titles urrently available as well as those that will be arriving soon \ No newline at end of file diff --git a/input/test/Test556.txt b/input/test/Test556.txt new file mode 100644 index 0000000..58b5aa3 --- /dev/null +++ b/input/test/Test556.txt @@ -0,0 +1,11 @@ +JP Morgan Cazenove Reaffirms The Underweight Rating They've had for Admiral Group PLC (LON:ADM) Shares +August 17, 2018 - By Hazel Jackson +Investors sentiment increased to 1.11 in Q1 2018. Its up 0.11, from 1 in 2017Q4. It increased, as 44 investors sold Admiral Group plc shares while 200 reduced holdings. 80 funds opened positions while 192 raised stakes. 414.45 million shares or 1.20% less from 419.48 million shares in 2017Q4 were reported. +Fdx Advsrs Inc owns 82,489 shares. Invest Advsrs Ltd Co accumulated 0.02% or 5,545 shares. Fmr Ltd holds 0% of its portfolio in Admiral Group plc (LON:ADM) for 319,904 shares. Denver Invest Advsrs Lc reported 17,039 shares. 34,172 are owned by Commerce Retail Bank. Dimensional Fund Advisors L P owns 4.14 million shares. Amer Assets Invest Management Ltd Liability Corp stated it has 30,830 shares or 0.25% of all its holdings. Arcadia Investment Corporation Mi holds 210 shares or 0% of its portfolio. Twin Incorporated owns 17,540 shares for 0.04% of their portfolio. Welch Grp has 3,115 shares for 0.02% of their portfolio. Ameritas Partners invested 0.06% in Admiral Group plc (LON:ADM). The New York-based Mackay Shields Limited Liability has invested 0.14% in Admiral Group plc (LON:ADM). Heritage Invsts Management owns 263,611 shares. City Holdings holds 0.02% or 1,266 shares. Stevens First Principles Investment Advsrs holds 3.2% or 120,725 shares in its portfolio. +Since March 12, 2018, it had 0 insider purchases, and 5 sales for $5.95 million activity. 399 shares valued at $17,749 were sold by Cuddy Christopher M on Monday, March 12. D AMBROSE MICHAEL had sold 100,151 shares worth $4.84 million. Admiral Group PLC (LON:ADM) Rating Reaffirmed +In an analyst report issued to clients on Friday morning, Admiral Group PLC (LON:ADM) shares had their Underweight Rating maintained by analysts at JP Morgan Cazenove. Admiral Group plc (LON:ADM) Ratings Coverage +Among 8 analysts covering Admiral Group PLC ( LON:ADM ), 1 have Buy rating, 3 Sell and 4 Hold. Therefore 13% are positive. Admiral Group PLC has GBX 2078 highest and GBX 1720 lowest target. GBX 1944's average target is -5.03% below currents GBX 2047 stock price. Admiral Group PLC had 15 analyst reports since February 28, 2018 according to SRatingsIntel. JP Morgan maintained it with "Underweight" rating and GBX 1900 target in Thursday, March 22 report. As per Wednesday, May 9, the company rating was maintained by HSBC. The rating was maintained by Deutsche Bank with "Hold" on Thursday, March 1. The stock has "Add" rating by Peel Hunt on Monday, July 16. The firm has "Add" rating given on Wednesday, February 28 by Peel Hunt. Investec upgraded it to "Reduce" rating and GBX 1780 target in Monday, March 12 report. The stock of Admiral Group plc (LON:ADM) earned "Add" rating by Peel Hunt on Monday, April 16. The rating was maintained by Peel Hunt with "Add" on Wednesday, April 25. Deutsche Bank maintained it with "Hold" rating and GBX 2075 target in Wednesday, March 21 report. Citigroup maintained the stock with "Sell" rating in Wednesday, April 25 report. +The stock decreased 0.15% or GBX 3 during the last trading session, reaching GBX 2047. About 15,455 shares traded. Admiral Group plc (LON:ADM) has 0.00% since August 17, 2017 and is . It has underperformed by 12.57% the S&P500. +Analysts await Admiral Group plc (LON:ADM) to report earnings on October, 30. They expect $0.77 EPS, up 71.11 % or $0.32 from last year's $0.45 per share. ADM's profit will be $2.07M for 664.61 P/E if the $0.77 EPS becomes a reality. After $1.02 actual EPS reported by Admiral Group plc for the previous quarter, Wall Street now forecasts -24.51 % negative EPS growth. +Admiral Group plc provides car insurance products primarily in the United Kingdom, Spain, Italy, France, and the United States. The company has market cap of 5.52 billion GBP. The firm operates through four divisions: UK Car Insurance, International Car Insurance, Price Comparison, and Other. It has a 17.5 P/E ratio. It underwrites car insurance and other insurance products; offers van insurance and associated products primarily to small businesses, as well as general insurance products; and provides household insurance, and commercial vehicle insurance broking services. - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings with our FREE daily email newsletter. +By Hazel Jackson Free Email Newsletter Enter your email address below to get the latest news and analysts' ratings for your stocks with our FREE daily email newsletter: Recent Post \ No newline at end of file diff --git a/input/test/Test557.txt b/input/test/Test557.txt new file mode 100644 index 0000000..b434b10 --- /dev/null +++ b/input/test/Test557.txt @@ -0,0 +1,8 @@ +Tweet +Acadia Realty Trust (NYSE:AKR) had its price target increased by stock analysts at Citigroup from $27.00 to $29.00 in a report issued on Wednesday. The firm currently has a "neutral" rating on the real estate investment trust's stock. Citigroup's target price would suggest a potential upside of 4.17% from the stock's current price. +AKR has been the subject of several other reports. Zacks Investment Research lowered shares of Acadia Realty Trust from a "hold" rating to a "sell" rating in a research report on Wednesday, April 25th. ValuEngine lowered shares of Acadia Realty Trust from a "hold" rating to a "sell" rating in a research report on Thursday, April 19th. Finally, Boenning Scattergood reissued a "buy" rating and set a $33.00 price target on shares of Acadia Realty Trust in a research report on Thursday, May 3rd. Two equities research analysts have rated the stock with a sell rating, two have given a hold rating and one has assigned a buy rating to the company's stock. The stock currently has a consensus rating of "Hold" and a consensus price target of $31.00. Get Acadia Realty Trust alerts: +AKR stock opened at $27.84 on Wednesday. The stock has a market cap of $2.17 billion, a price-to-earnings ratio of 18.44, a PEG ratio of 2.23 and a beta of 0.41. Acadia Realty Trust has a one year low of $21.34 and a one year high of $30.63. The company has a quick ratio of 1.00, a current ratio of 1.00 and a debt-to-equity ratio of 0.69. Acadia Realty Trust (NYSE:AKR) last released its quarterly earnings results on Tuesday, July 24th. The real estate investment trust reported $0.09 EPS for the quarter, missing the Thomson Reuters' consensus estimate of $0.33 by ($0.24). The firm had revenue of $63.60 million for the quarter, compared to analysts' expectations of $48.00 million. Acadia Realty Trust had a net margin of 19.11% and a return on equity of 2.25%. The business's quarterly revenue was up 6.9% compared to the same quarter last year. During the same period in the previous year, the company posted $0.37 earnings per share. analysts predict that Acadia Realty Trust will post 1.38 earnings per share for the current year. +In related news, insider Christopher Conlon sold 9,200 shares of the stock in a transaction that occurred on Friday, June 15th. The shares were sold at an average price of $27.57, for a total value of $253,644.00. The sale was disclosed in a document filed with the Securities & Exchange Commission, which is available through this hyperlink . Also, VP Jason Blacksberg sold 3,500 shares of the stock in a transaction that occurred on Thursday, June 14th. The shares were sold at an average price of $27.34, for a total transaction of $95,690.00. Following the completion of the transaction, the vice president now directly owns 3,500 shares of the company's stock, valued at $95,690. The disclosure for this sale can be found here . Company insiders own 2.15% of the company's stock. +Several institutional investors have recently made changes to their positions in the stock. TD Asset Management Inc. raised its position in shares of Acadia Realty Trust by 9.7% in the 2nd quarter. TD Asset Management Inc. now owns 24,900 shares of the real estate investment trust's stock valued at $682,000 after purchasing an additional 2,200 shares during the last quarter. US Bancorp DE raised its position in shares of Acadia Realty Trust by 13.8% in the 2nd quarter. US Bancorp DE now owns 19,648 shares of the real estate investment trust's stock valued at $538,000 after purchasing an additional 2,387 shares during the last quarter. Prudential Financial Inc. raised its position in shares of Acadia Realty Trust by 2.0% in the 1st quarter. Prudential Financial Inc. now owns 141,606 shares of the real estate investment trust's stock valued at $3,484,000 after purchasing an additional 2,800 shares during the last quarter. Nomura Asset Management Co. Ltd. raised its position in shares of Acadia Realty Trust by 7.2% in the 1st quarter. Nomura Asset Management Co. Ltd. now owns 50,500 shares of the real estate investment trust's stock valued at $1,242,000 after purchasing an additional 3,380 shares during the last quarter. Finally, Natixis Advisors L.P. raised its position in shares of Acadia Realty Trust by 3.7% in the 1st quarter. Natixis Advisors L.P. now owns 105,027 shares of the real estate investment trust's stock valued at $2,584,000 after purchasing an additional 3,755 shares during the last quarter. +About Acadia Realty Trust +Acadia Realty Trust is an equity real estate investment trust focused on delivering long-term, profitable growth via its dual – Core and Fund – operating platforms and its disciplined, location-driven investment strategy. Acadia Realty Trust is accomplishing this goal by building a best-in-class core real estate portfolio with meaningful concentrations of assets in the nation's most dynamic urban and street-retail corridors; making profitable opportunistic and value-add investments through its series of discretionary, institutional funds; and maintaining a strong balance sheet \ No newline at end of file diff --git a/input/test/Test558.txt b/input/test/Test558.txt new file mode 100644 index 0000000..6839060 --- /dev/null +++ b/input/test/Test558.txt @@ -0,0 +1,61 @@ +Weapons of Mass Destruction (WMD) Further Reading Briefing on the Creation of the Iran Action Group +Special Briefing Brian Hook, Special Representative for Iran Washington, DC August 16, 2018 +MR HOOK: I'd like to thank the Secretary. In May, the Secretary announced our new Iran strategy to protect America's national security, the security of our allies and partners, and to promote a brighter future for the Iranian people. And we have taken a comprehensive approach to Iran because the scope of Iranian malign activity is so wide-ranging, from its aspirations of nuclear weapons, its support for terrorism, its cyber activity, its proliferation of ballistic missiles, and much more. The Iran regime has been a force for instability and violence. +Our new strategy addresses all manifestations of the Iranian threat and the new Iran Action Group will be focused on implementing that strategy. We have an elite team of foreign affairs professionals here at the State Department and across the administration. The Iran Action Group will play a critical role in leading our efforts within the department and executing the President's Iran strategy across the interagency. +The administration will also build – continue to build the broadest level of international support for our strategy. Just yesterday, I was in London, meeting with senior officials from Germany, France, and the United Kingdom for productive discussions on Iran. We will continue to build on those areas where we are in agreement with our allies and partners around the world and we will work to find consensus on those areas where we are not. +I've worked on Iran throughout my career in foreign policy, beginning in 2006 on the UN Security Council, serving as an advisor to UN Ambassador Bolton. I thank Secretary Pompeo for this opportunity and the confidence he has placed in me and my colleagues to execute the strategy. +And I'm glad to answer a few questions. +QUESTION: So Brian -- +MR GREENAN: Matt. +QUESTION: Yeah. This is three, but they're so brief it'll seem like just one. (Laughter.) You talk about an elite team. Can you tell us who else is part – or at least some of who else is going to be joining you? That's number one. Two is what exactly is this – you envision this doing? Is it – does it have any resemblance to the Future of Iraq Project that was initiated many years ago with respect to a neighbor of Iran? And then lastly, it has been not – it has not gone unnoticed that this announcement is coming right at the 65th anniversary of the 1953 coup in Iran and has prompted lots of speculation about this being the formal group that is going to oversee some kind of – or try to oversee some kind of regime change. Can you dispel or confirm that speculation? +MR HOOK: Yes. Three questions, three brief answers. On number one: The Iran Action Group will launch with a core staff of several permanent personnel, and additional experts will be detailed from the department. The Secretary is committed to ensuring that the team has all necessary resources to do its job and to drive implementation of the new strategy. We want to be very closely synchronized with our allies and partners around the world. This team is committed to a strong, global effort to change the Iranian regime's behavior. +On the second question about -- +QUESTION: But you don't have any specific names that you can offer us at the moment? +MR HOOK: Not yet. +QUESTION: Okay. +MR HOOK: For now we have a team that's assembled, and in time we'll be happy to talk about it. +QUESTION: (Inaudible) just a follow-up? +MR HOOK: He's got two more questions I've got to answer. +QUESTION: Okay. +MR HOOK: Number two: No connection. Number three: Pure coincidence. +QUESTION: That's it? Okay. +QUESTION: Thank you. Hi, Brian. +MR HOOK: Hi. +QUESTION: Do you believe that the U.S. should be talking to Iran right now? Is it the time? And is that going to be part of your brief, to try to get some kind of negotiation going and some direct talks with Tehran? +MR HOOK: Well, if the Iranian regime demonstrates a commitment to make fundamental changes in its behavior, then the President is prepared to engage in dialogue in order to find solutions. But the sanctions relief, the reestablishment of full diplomatic and commercial relations with the United States, and economic cooperation with the United States can only begin after we see that the Iranian regime is serious about changing its behavior. +And in the Secretary's speech in May, he outlined 12 requirements. These are the kinds of things that we would expect any normal nation to do. And a lot of our work is going to be built around advancing those 12 areas – mostly around nukes, terrorism, and the detention of American citizens arbitrarily detained. +MR GREENAN: We'll go to the back here. Michele Kelemen, NPR. +QUESTION: Hi. I'm wondering how you intend to make this a multilateral effort, given the fact that this administration has imposed tariffs on many of the countries that you need as partners and is re-imposing sanctions on companies that are doing business that's allowed under the JCPOA. +MR HOOK: No. Well, the purpose of the sanctions is simply to deny the Iranian regime revenues to finance terrorism. That's the purpose of maximum economic pressure. The point is not to create any rifts with other nations. But when you look at the kind of money that Iran provides to Assad and to Shia militias, to Lebanese Hizballah, it's billions and billions of dollars. And we need to get at drying up those revenue streams. And so that is the purpose of our maximum economic pressure campaign. +We have had teams from the State Department and the Treasury Department who've now visited, I want to say, 24 countries in most regions of the world. That work will continue in the coming months. And we have very good discussions with allies around the world, because when you look at the range of Iranian threats, especially around missiles and cyber, maritime aggression, terrorism, these are concerns of other nations. The United States is not alone in that regard. And I find that when we sit down and talk with other nations there are shared interests that we're able to pursue and we'll continue doing it. +MR GREENAN: Andrea. +QUESTION: Can you explain how you work with the quote "regime" when it's evidenced this week by the Ayatollah's speech criticizing Rouhani for even dealing with the United States and negotiating the nuclear deal? This is obviously not the same as dealing with North Korea, dealing with Moscow. This is a divided political system, and the repercussions of whatever may happen have to be dealt with accordingly. +MR HOOK: And? +QUESTION: And so how does – how do you expect, quote, "the regime" to change when there's so many disparate political forces, especially to -- +MR HOOK: Well, the burden is – yeah. The burden is on the Iranian regime to change its behavior. The President has made clear that he is prepared to engage in dialogue with the regime. We have made it very clear about the kind of normal behavior that we would like to see from Iran. But as for the internal divisions within the regime and whether they want to talk to us, that's up to them. You'd have to ask them. +QUESTION: But don't you think that the policy – the withdrawal from the nuclear deal and other policies – are actually making it more difficult to deal with President Rouhani because of criticism that he dealt with you in the first place – not you, but the previous administration? +MR HOOK: Yeah. I – the President decided to leave the Iran deal because it was a bad deal, and it didn't address the totality of Iranian threats – the sunset provisions, the weak inspections regime, the absence of ICBMs in the deal. And so the President makes decisions based on advancing America's national security interest. The Iran deal, as we inherited it, did not do that sufficiently. It did not address the broad range of Iranian threats. And now that we are out of the deal, we have a great – a lot more diplomatic freedom to pursue the entire range of Iran's threats. +MR GREENAN: Michelle Kosinski. +QUESTION: Thanks. Just a couple of weeks ago there was all this talk about meeting with Iran without preconditions, being willing to do so. So can you just clarify this now? You mention that Iran first needs to show that it's serious. Is that right? Before you will engage Iran they need to do something to show that they're serious? Like, what is the precondition, if any? +MR HOOK: Well, the President has spoken on this and so has the Secretary. +QUESTION: But it's never clear. +MR HOOK: Well, it's – we don't think it's unclear. +QUESTION: Okay. So -- +MR HOOK: The Secretary has presented 12 areas where Iran needs to change its behavior. That is our strategy. And we have launched a campaign of maximum economic pressure and diplomatic isolation of Iran in order to advance those 12 requirements. The President has also said that he is prepared to talk with the Iranian regime, and those two things occur in a parallel track. +QUESTION: So do they need – but before that happens, Iran needs to show that they are serious about -- +MR HOOK: I've said everything I can on the subject. These proceed in parallel tracks. +MR GREENAN: (Inaudible.) +QUESTION: So China has said that they don't plan to cut oil imports. In fact, they might even increase them. So I was wondering, what is your strategy as part of this group towards China? +MR HOOK: On China? +QUESTION: What kind of measures could you take to get China to comply? Or will you address – will you do anything to sanction them, I guess, if they continue to import oil from Iran or increase imports? +MR HOOK: Well, our goal is to reduce every country's import of Iranian oil to zero by November 4th, and we are prepared to work with countries that are reducing their imports on a case-by-case basis. As you know, those sanctions will come into effect on November 5th. Those will include sanctions on Iran's energy sector, transactions by foreign financial institutions with the Central Bank of Iran, Iran's shipping and shipbuilding sectors, among others. And the United States certainly hopes for full compliance by all nations in terms of not risking the threat of U.S. secondary sanctions if they continue with those transactions. +QUESTION: Thank you very much. +QUESTION: Is it clear -- +MR HOOK: We can do one more. +QUESTION: Do you see other countries are in risk of violating U.S. financial sanctions? +MR HOOK: No, I'm saying that we then – +QUESTION: Third party -- +MR HOOK: In our sanctions regime, yes, we will – we are prepared to impose secondary sanctions on regimes – I'm sorry, on other governments that continue this sort of trade with Iran. +QUESTION: So this is like the North Korea strategy? +MR HOOK: I'm only speaking about the Iran strategy. +Okay. Thank you. Join the GlobalSecurity.org mailing list Enter Your Email Addres \ No newline at end of file diff --git a/input/test/Test559.txt b/input/test/Test559.txt new file mode 100644 index 0000000..4959ba7 --- /dev/null +++ b/input/test/Test559.txt @@ -0,0 +1,6 @@ +Ankush Nikam 0 Comments With evolving technologies the material demand in various sectors has evolved significantly, be it automotive, aerospace, marine, electronic components, oil & gas machinery etc. All these sectors are focused towards utilizing materials in manufacturing that have capabilities such as corrosion resistance, high temperature resistance, chemical resistance, light weight etc. such demands brought 'alloys' in the pictures, and now these alloys are under phase of transformation in accordance with the changing demands from end use sectors. +One such important material in this infinite list is nickel alloy. Nickel alloy is a versatile material which find its application in diverse application such as turbines in power generation, aircraft gas turbines, aircrafts parts & accessories, marine fasteners, electronics, etc. Apart from these nickel alloys find its application in industries such as electronics, energy & power, pulp & paper, oil & gas, defense and automotive. Nickel is a material that can easily form alloy with other metals; another major factors behind popularity of nickel alloy is its high corrosion and heat resistance, good machining capabilities, high chemical resistance etc. +Robust growth of the end use sectors is one of the crucial factor determining the growth of the nickel alloy market. End use sectors such as automotive and aerospace & defense has been growing at a stable pace, this in turn will act as a growth driver for nickel alloy market. Nickel alloys has a wide acceptance in aircraft component manufacturing such as blades, exhaust system, engine components, blades etc. Increasing civil and military aircraft production will supplement growth of the market. Furthermore, automotive sales has witnessed upward trend particularly in developing markets, this in turn will create opportunities for the market growth in the region. On the other hand, the fluctuating oil & gas end user industry is also anticipated to impact market growth, however the intensity is anticipated to remain moderate. Further, the increase in raw material prices across regions is anticipated to negatively hamper the growth of nickel alloy market over the forecast period. With the robust growth of automotive, aerospace & defense and energy & power sector in the region Asia Pacific is anticipated to dominate the demand for nickel alloy over the forecast period. China, Japan, India and South Korea are anticipated to remain major contributor to the growth of the market. Europe is anticipated to be the next promising market, in terms of demand for nickel alloy, following next is North America. North America is anticipated to hold a prominent position in the market, a major share of the demand is anticipated to be accounted by the U.S. +Middle East on the other hand will have a significant demand for nickel alloys from oil & gas sector. Further investments in offshore exploration could create significant growth opportunity for the market over the forecast period 2017–2027 +Make an Enquiry @ https://www.futuremarketinsights.com/reports/sample/rep-gb-4884 +The global market for nickel alloy witnesses presence of big number of public and private category of manufacturers. Examples of some of the key players identified in the global nickel alloy market includes ThyssenKrupp AG, Sandvik Materials Technology, VDM Metals GmbH, Precision Castparts Corporation, Haynes International Inc., Precision Castparts Corporation, Aperam S.A., Allegheny Technologies Incorporated, Carpenter Technology Corporation, Kennametal Inc., Ametek Inc., Voestalpine AG, Rolled Alloys Inc. Mild Hybrid Vehicles Market to Penetrate Untapped Regions During 2017 – 2027 → Ankush Nikam Ankush Nikam is a seasoned digital marketing professional, having worked for numerous online firms in his distinguished career. He believes in continuous learning, considering that the digital marketing sector's rapidly evolving nature. Ankush is an avid music listener and loves to travel. You May Also Lik \ No newline at end of file diff --git a/input/test/Test56.txt b/input/test/Test56.txt new file mode 100644 index 0000000..2e2f242 --- /dev/null +++ b/input/test/Test56.txt @@ -0,0 +1 @@ +No posts were found Global Smart Refrigerator Market estimated to grow at a CAGR of 15.5% over the forecast period 2018-2024 – Research Nester August 17 Share it With Friends Smart refrigerator market is expected to expand at a CAGR of 15.5% over the forecast period i.e 2017-2024. Smart refrigerator market is expected to witness a lucrative growth in near future owing to rise in need for advanced refrigerator for the consumers. Rapid growth in urbanization change in lifestyle is estimated to attract consumers to buy smart refrigerator. "Smart Refrigerator Market: Global Demand Analysis & Opportunity Outlook 2024" The global smart refrigerator market is segmented into technology such as Wi-Fi, radio frequency identification (RFID), cellular technology, Bluetooth, zigbee and touchscreen. Among these segments, bluetooth segment is expected to grow at highest CAGR in overall global smart refrigerator market during the forecast period. Growing demand for advanced refrigerators in the consumers is believed to impetus the growth of the smart refrigerator over the forecast period. Global Smart Refrigerator Market is expected to flourish at a significant CAGR of 15.5% over the forecast period. Increasing disposable income and expanding urban population all across the globe is anticipated to drive the growth of the global smart refrigerator market over the forecast period. Moreover, rising technological advancement in electronics and communication sector is expected to intensify the overall market of smart refrigerator over the forecast period i.e. 2018-2024. In 2017, North America dominated the overall smart refrigerator market and is expected to continue its control over the forecast period. Growing awareness among the customers regarding smart refrigerator is projected to accelerate the growth of the market in the upcoming years which in turn is likely to propel the demand for smart refrigerator. Europe smart refrigerator market is anticipated to witness robust growth during the forecast period. Further, rising purchasing power and improving lifestyles is expected to positively impact the growth of the global smart refrigerator in Europe. Request Report Sample @ https://www.researchnester.com/sample-request/2/rep-id-294 Rising Disposable Income and Expanding Urban Population The growing urban population across the globe, characterized by urban upper class and high net worth individuals, has led to a strong demand for smart and connected products such as smart TV and smart refrigerators. Further, this factor is believed to positively impact the growth of the smart refrigerator over the forecast period. Moreover, rising trend of adoption of smart appliances all across the globe is anticipated to intensify the growth of global smart refrigerator market over the forecast period. Technological Advancements in Smart Refrigerators Increasing technological advancement in smart refrigerators such as wireless connectivity through smart phones and other smart devices is expected to positively drive the growth of the global smart refrigerator market over the upcoming years. Apart from this, massive adoption of advanced refrigerators with high end features is providing many opportunities for the smart refrigerator manufacturers to grow and diversify their portfolio. However, high cost of smart refrigerators and lack of awareness about the benefits of smart refrigerators in undeveloped regions are some of the key factors which are expected to limit the growth of global smart refrigerator market over the forecast period. Request for TOC Here @ https://www.researchnester.com/toc-request/1/rep-id-294 The report titled " Smart Refrigerator Market: Global Demand Analysis & Opportunity Outlook 2024" delivers detailed overview of the global smart refrigerator market in terms of market segmentation by product, by technology, by price range, by distribution channel and by region. Further, for the in-depth analysis, the report encompasses the industry growth drivers, restraints, supply and demand risk, market attractiveness, BPS analysis and Porter's five force model. This report also provides the existing competitive scenario of some of the key players of the global smart refrigerator market which includes company profiling of AB Electrolux, Haier Group Corporation, LG Electronics, Samsung Electronics Co. Ltd, Whirlpool Corporation, Siemens AG, GE Appliance, Hisense Co. Ltd., Midea Group and Panasonic Corporation. The profiling enfolds key information of the companies which encompasses business overview, products and services, key financials and recent news and developments. On the whole, the report depicts detailed overview of the global smart refrigerator market that will help industry consultants, equipment manufacturers, existing players searching for expansion opportunities, new players searching possibilities and other stakeholders to align their market centric strategies according to the ongoing and expected trends in the future. Buy This Premium Reports Now @ https://www.researchnester.com/payment/rep-id-294 About Research Nester: Research Nester is a leading service provider for strategic market research and consulting. We aim to provide unbiased, unparalleled market insights and industry analysis to help industries, conglomerates and executives to take wise decisions for their future marketing strategy, expansion and investment etc. We believe every business can expand to its new horizon, provided a right guidance at a right time is available through strategic minds. Our out of box thinking helps our clients to take wise decision so as to avoid future uncertainties. For more details visit @ https://www.researchnester.com/reports/smart-refrigerator-market-global-demand-analysis-opportunity-outlook-2024/294 Media Contac \ No newline at end of file diff --git a/input/test/Test560.txt b/input/test/Test560.txt new file mode 100644 index 0000000..51652fe --- /dev/null +++ b/input/test/Test560.txt @@ -0,0 +1,9 @@ +Tweet +Associated Banc Corp lifted its stake in Stryker Co. (NYSE:SYK) by 12.2% in the second quarter, HoldingsChannel.com reports. The firm owned 2,994 shares of the medical technology company's stock after buying an additional 325 shares during the period. Associated Banc Corp's holdings in Stryker were worth $506,000 at the end of the most recent quarter. +Several other institutional investors also recently made changes to their positions in SYK. Bellevue Group AG lifted its stake in shares of Stryker by 4.8% during the 2nd quarter. Bellevue Group AG now owns 118,770 shares of the medical technology company's stock worth $20,056,000 after acquiring an additional 5,470 shares during the last quarter. ST Germain D J Co. Inc. bought a new stake in shares of Stryker during the 2nd quarter worth approximately $292,000. Trust Co. of Virginia VA bought a new stake in shares of Stryker during the 2nd quarter worth approximately $930,000. Cedar Capital LLC lifted its stake in shares of Stryker by 49.3% during the 2nd quarter. Cedar Capital LLC now owns 2,200 shares of the medical technology company's stock worth $371,000 after acquiring an additional 726 shares during the last quarter. Finally, Penobscot Investment Management Company Inc. lifted its stake in shares of Stryker by 3.2% during the 2nd quarter. Penobscot Investment Management Company Inc. now owns 36,855 shares of the medical technology company's stock worth $6,223,000 after acquiring an additional 1,145 shares during the last quarter. Hedge funds and other institutional investors own 74.40% of the company's stock. Get Stryker alerts: +Shares of NYSE SYK opened at $168.69 on Friday. The company has a debt-to-equity ratio of 0.63, a current ratio of 1.83 and a quick ratio of 1.15. The firm has a market cap of $62.04 billion, a price-to-earnings ratio of 25.96, a PEG ratio of 2.35 and a beta of 0.62. Stryker Co. has a twelve month low of $137.70 and a twelve month high of $179.84. Stryker (NYSE:SYK) last issued its earnings results on Tuesday, July 24th. The medical technology company reported $1.76 earnings per share for the quarter, beating the Zacks' consensus estimate of $1.73 by $0.03. The business had revenue of $3.32 billion during the quarter, compared to analyst estimates of $3.31 billion. Stryker had a return on equity of 26.93% and a net margin of 8.28%. Stryker's revenue was up 10.3% on a year-over-year basis. During the same period in the previous year, the company posted $1.53 EPS. research analysts expect that Stryker Co. will post 7.25 earnings per share for the current fiscal year. +A number of equities research analysts recently issued reports on SYK shares. Zacks Investment Research raised Stryker from a "hold" rating to a "buy" rating and set a $192.00 price target for the company in a research note on Monday, May 21st. Canaccord Genuity raised their price target on Stryker from $176.00 to $185.00 and gave the stock a "buy" rating in a research note on Friday, April 27th. Stifel Nicolaus raised their price target on Stryker from $183.00 to $187.00 and gave the stock a "buy" rating in a research note on Friday, April 27th. ValuEngine raised Stryker from a "hold" rating to a "buy" rating in a research note on Tuesday, June 26th. Finally, Royal Bank of Canada reissued a "buy" rating and set a $184.00 price target on shares of Stryker in a research note on Wednesday, July 25th. One analyst has rated the stock with a sell rating, nine have given a hold rating and sixteen have assigned a buy rating to the company. Stryker presently has a consensus rating of "Buy" and a consensus target price of $176.43. +Stryker Company Profile +Stryker Corporation operates as a medical technology company. The company operates through three segments: Orthopaedics, MedSurg, and Neurotechnology and Spine. The Orthopaedics segment provides implants for use in hip and knee joint replacements, and trauma and extremities surgeries. The MedSurg segment offers surgical equipment and surgical navigation systems, endoscopic and communications systems, patient handling, emergency medical equipment and intensive care disposable products, reprocessed and remanufactured medical devices, and other medical devices for use in various medical specialties. +Recommended Story: Investing in Growth Stocks +Want to see what other hedge funds are holding SYK? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Stryker Co. (NYSE:SYK). Receive News & Ratings for Stryker Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Stryker and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test561.txt b/input/test/Test561.txt new file mode 100644 index 0000000..496ace2 --- /dev/null +++ b/input/test/Test561.txt @@ -0,0 +1,8 @@ +Nokia, China Mobile complete single user 5G test 17 AUG 2018 Tweet +China Mobile, the world's largest operator, and Finland-based Nokia claimed a 5G first after completing a single user downlink test using a third-party device. +In a joint statement the companies said they achieved a peak data rate of 1.4GB/s in the trial, which conformed with 3GPP-compliant 5G New Radio (NR) specifications and used a device from Prisma Telecom Testing. +Nokia provided 5G NR massive MIMO equipment and 3GPP-compliant software on a 5G base station. +Yuhong Huang, deputy GM of China Mobile Research Institute, said: "We're satisfied with the test result. In the future, we'll work closely with our domestic and international partners, [for example] Nokia, to accelerate the commercial deployment of 5G and ensure the technology will be widely used in the industries." +Enrico Bendinelli, chairman of Prisma Telecom Testing said: "With our capabilities in 5G, we're confident we can provide fast, efficient wireless network access tests to the CSPs [communications service providers] and the equipment vendors to accelerate the deployment of 5G and equipment verification." World first and #5G fast! Nokia and China Mobile successfully demonstrated 5G single user downlink peak throughput of 1.4Gbps with 3rd party device. Landmark case brings industry and consumers one step closer to 5G. https://t.co/f5l7KT7k4X #3GPP pic.twitter.com/UpSDVvoDsQ +— Nokia for Communications Service Providers (@nokianetworks) August 16, 2018 +Rival Ericsson last month completed a 5G data call on Australian operator Telstra's network, using 3GPP non-standalone specifications \ No newline at end of file diff --git a/input/test/Test562.txt b/input/test/Test562.txt new file mode 100644 index 0000000..e964872 --- /dev/null +++ b/input/test/Test562.txt @@ -0,0 +1,11 @@ +Bearing the Philippine flag with pride. The Philippines Team at the International Physics Olympiad (L-R)Prof. Ian Vega, Mikhail Torio, Steven Reyes, Charles Bartolo, and Prof. Perry Esguerra. +THREE Filipino students became a nigh-unstoppable force at the 49th International Physics Olympiad (IPhO), taking the country closer to gold than it has ever been at the annual worldwide competition. +Steven Reyes, who hails from St. Jude Catholic School (SJSC), bagged a silver medal for the Philippines. Meanwhile, Mikhail Torio from the Philippine Science High School-Main Campus (PSHS-MC) and Charles Bartolo from the Philippine Science High School-Central Luzon Campus (PSHS-CLC) each brought home a bronze medal. +Dr. Josette Biyo, Director of the Department of Science and Technology – Science Education Institute (DOST-SEI), congratulated the team for placing 34th out of 87 delegations that participated in this year's IPhO– achieving the best ranking in 13 years of participation. Reyes, Torio, and Bartolo ranked in the 88th, 68th, and 58th percentiles, respectively, out of a total of 396 student-delegates. +"The triumph of our IPhO Team is nothing short of remarkable. Our latest S&T HRD Stat Updates reveal that the number of physicists in the country decreased significantly, yet technological advances are fueled by physics-based researches. We hope they will continue their interest in the field and soon pursue a career in physics. I cannot emphasize enough the need for skilled physicists and their innovative application of physics to enable our economy to move forward swiftly," said Biyo. +Each year, the IPhO gathers teams of secondary school students from around the world to compete against each other in a set of individual theoretical and laboratory physics exams. +This year's problems involved the detection of gravitational waves, the ATLAS instrument at the Large Hadron Collider, and the physics of blood flow and tumor growth– for the theoretical exam– and paper transistors and the viscoelastic properties of a polymer thread– for the experimental exam. +Accompanied by team co-leaders Prof. Perry Esguerra and Prof. Ian Vega (both from the UP National Institute of Physics), the team competed in Lisbon, Portugal last July 21 to 29. +To prepare for the competition, Reyes, Torio, and Bartolo underwent intensive training under Prof. Esguerra, Prof. Vega, and Michael Solis of the Theoretical Physics Group and team co- leader Prof. Nathaniel Hermosa of the Photonics Research Laboratory at the National Institute of Physics. They also received training and guidance from coaches Russel Odi (SJSC), Vinni Dajac (PSHS-MC), Rex Forteza (PSHS-CLC), and Lemuel Pelagio Jr. (PSHS-CLC). +The team competed in the 2018 IPhO with generous support from the Unilab Foundation, the Philippine Science High School Foundation, Inc. (PSHSFI), PSHS-MC, PSHS-CLC, SJCS, and individual donors from the physics community. Dr. Reina Reyes, IPhO Team co-leader, expressed hope for the team to gain more institutional and funding support. +The Philippine team plans to send another delegation to the 2019 IPhO, which will be held in Tel Aviv, Israel. (DOST) Sharin \ No newline at end of file diff --git a/input/test/Test563.txt b/input/test/Test563.txt new file mode 100644 index 0000000..3d34833 --- /dev/null +++ b/input/test/Test563.txt @@ -0,0 +1 @@ +Benefits of Telecalling and Telemarketing Outsourcing 1. Concentrate on core business rather than setting up an in-house call center.2. Reduced cost of business expansion.3. Ability to work with set targets to generate leads with the telemarketing company.4. Access to multilingual and bilingual Telecalling services. Choose DK Business Patron for Telecalling Services At DK Business Patron, we provide our customers with a dedicated team of telecalling and telemarketing experts. We have supported our customers' business telemarketing and small business marketing needs and made their business expansion plans a success by offering bilingual and multilingual calling services and inbound and outbound call center services.For More Details Visit at www.dkbusinesspatron.com OR Contact Us atDK Business Patron Pvt. Ltd. C/134, 3rd Floor, Main Najafgarh Road, Ramesh Nagar, New Delhi (India) – 110015+91 11-42381218, +91 995353581 \ No newline at end of file diff --git a/input/test/Test564.txt b/input/test/Test564.txt new file mode 100644 index 0000000..c7bdff6 --- /dev/null +++ b/input/test/Test564.txt @@ -0,0 +1,5 @@ +Tweet +Capreit (TSE:CAR) – Investment analysts at Raymond James lifted their FY2019 earnings per share (EPS) estimates for shares of Capreit in a research report issued to clients and investors on Monday, August 13th. Raymond James analyst K. Avalos now expects that the company will post earnings per share of $2.03 for the year, up from their previous estimate of $1.93. Get Capreit alerts: +A number of other equities research analysts also recently commented on the stock. National Bank Financial downgraded shares of Capreit from an "outperfrom under weight" rating to a "sector perform under weight" rating in a research report on Monday, April 23rd. Desjardins raised shares of Capreit from a "hold" rating to a "buy" rating in a research report on Sunday, May 6th. TSE:CAR opened at C$44.47 on Thursday. Capreit has a 12 month low of C$20.71 and a 12 month high of C$50.88. +The business also recently announced a monthly dividend, which was paid on Wednesday, August 15th. Shareholders of record on Tuesday, July 31st were given a $0.111 dividend. This represents a $1.33 dividend on an annualized basis and a yield of 3.00%. The ex-dividend date was Monday, July 30th. +See Also: Growth Stocks Receive News & Ratings for Capreit Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Capreit and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test565.txt b/input/test/Test565.txt new file mode 100644 index 0000000..097c875 --- /dev/null +++ b/input/test/Test565.txt @@ -0,0 +1,12 @@ +Orbis Research +The Study discussed brief overview and in-depth assessment on Global Implant Abutment Market 2018 including key market trends,upcoming technologies,industry drivers,challenges,regulatory policies,with key company profiles and overall competitive scenario.The market study can help them to make critical business decisions on production techniques,raw materials procurement,and to increase industry chain cycle of market across the globe. +Get Sample of Global Implant Abutment Market 2018 Report @ http://www.orbisresearch.com/contacts/request-sample/2138993 +In our aim to provide our erudite clients with the best research material with absolute in-depth information of the market, our new report on Global Implant Abutment Market is confident in meeting their needs and expectations. The 2018 market research report on Global Implant Abutment Market is an in-depth study and analysis of the market by our industry experts with unparalleled domain knowledge. The report will shed light on many critical points and trends of the industry which are useful for our esteemed clients. The report covers a vast expanse of information including an overview, comprehensive analysis, definitions and classifications, applications, and expert opinions, among others. With the extent of information filled in the report, the presentation and style of the Global Implant Abutment Market report is a noteworthy.The Global Implant Abutment Industry report provides key information about the industry, including invaluable facts and figures, expert opinions, and the latest developments across the globe. Not only does the report cover a holistic view of the industry from a global standpoint, but it also covers individual regions and their development. The Global Implant Abutment Industry report showcases the latest trends in the global and regional markets on all critical parameters which include technology, supplies, capacity, production, profit, price, and competition. The key players covered in the report provide a detailed analysis of the competition and their developments in the Global Implant Abutment Industry. Accurate forecasts and expert opinion from credible sources, and the recent R&D development in the industry is also a mainstay of the Implant Abutment Market report. +Enquiry About Global Implant Abutment Market 2018 Report @ http://www.orbisresearch.com/contacts/enquiry-before-buying/2138993 The report also focuses on the significance of industry chain analysis and all variables, both upstream and downstream. These include equipment and raw materials, client surveys, marketing channels, and industry trends and proposals. Other significant information covering consumption, key regions and distributors, and raw material suppliers are also a covered in this report.Finally, the Implant Abutment Market report ends with a detailed SWOT analysis of the market, investment feasibility and returns, and development trends and forecasts. As with every report on Orbis Research, the Implant Abutment Industry is the holy grail of information which serious knowledge seekers can benefit from. The report which is the result of ultimate dedication of pedigree professionals has a wealth of information which can benefit anyone, irrespective of their commercial or academic interest. +Browse Global Implant Abutment Market 2018 Report @ http://www.orbisresearch.com/reports/index/2018-market-research-report-on-global-implant-abutment-industry +Some of Major Point From TOC of Global Implant Abutment Market 2018 +Chapter One: Implant Abutment Market Overview 1.1 Product Overview and Scope of Implant Abutment1.2 Implant Abutment Segment by Type (Product Category)1.2.1 Global Implant Abutment Production and CAGR (%) Comparison by Type (Product Category)(2013-2025)1.2.2 Global Implant Abutment Production Market Share by Type (Product Category) in 20171.2.3 0.641.3 Global Implant Abutment Segment by Application1.3.1 Implant Abutment Consumption (Sales) Comparison by Application (2013-2025)1.3.2 Hospital1.4 Global Implant Abutment Market by Region (2013-2025)1.4.1 Global Implant Abutment Market Size (Value) and CAGR (%) Comparison by Region (2013-2025)1.4.2 Status and Prospect (2013-2025)1.4.3 24 Status and Prospect (2013-2025)1.4.4 North America Status and Prospect (2013-2025)1.4.5 Europe Status and Prospect (2013-2025)1.4.6 China Status and Prospect (2013-2025)1.4.7 Japan Status and Prospect (2013-2025)1.5 Global Market Size (Value) of Implant Abutment (2013-2025)1.5.1 Global Implant Abutment Revenue Status and Outlook (2013-2025)1.5.2 Global Implant Abutment Capacity, Production Status and Outlook (2013-2025) +Continued... About Orbis Research +Orbis Research ( orbisresearch.com ) is a single point aid for all your market research requirements. We have vast database of reports from the leading publishers and authors accross the globe. We specialize in delivering customised reports as per the requirements of our clients. We have complete information about our publishers and hence are sure about the accuracy of the industries and verticals of their specialisation. This helps our clients to map their needs and we produce the perfect required market research study for our clients. +4144N Central Expressway, Suite 600, +Dallas, Texas - 75204, U.S.A \ No newline at end of file diff --git a/input/test/Test566.txt b/input/test/Test566.txt new file mode 100644 index 0000000..b970ec7 --- /dev/null +++ b/input/test/Test566.txt @@ -0,0 +1,9 @@ +Tweet +Aperio Group LLC raised its position in shares of Equity Commonwealth (NYSE:EQC) by 71.9% in the 2nd quarter, according to the company in its most recent disclosure with the SEC. The fund owned 117,221 shares of the real estate investment trust's stock after buying an additional 49,022 shares during the quarter. Aperio Group LLC's holdings in Equity Commonwealth were worth $3,692,000 at the end of the most recent reporting period. +Other hedge funds have also recently added to or reduced their stakes in the company. Brown Advisory Inc. purchased a new stake in shares of Equity Commonwealth during the first quarter valued at about $222,000. Millennium Management LLC purchased a new position in shares of Equity Commonwealth in the 4th quarter valued at approximately $232,000. Port Capital LLC raised its position in shares of Equity Commonwealth by 23.1% in the 2nd quarter. Port Capital LLC now owns 121,170 shares of the real estate investment trust's stock valued at $3,817,000 after purchasing an additional 22,700 shares during the last quarter. Pwmco LLC purchased a new position in shares of Equity Commonwealth in the 2nd quarter valued at approximately $1,256,000. Finally, Nisa Investment Advisors LLC raised its position in shares of Equity Commonwealth by 20.0% in the 2nd quarter. Nisa Investment Advisors LLC now owns 30,000 shares of the real estate investment trust's stock valued at $945,000 after purchasing an additional 5,000 shares during the last quarter. 97.85% of the stock is owned by institutional investors and hedge funds. Get Equity Commonwealth alerts: +Several equities analysts recently commented on the stock. ValuEngine raised shares of Equity Commonwealth from a "hold" rating to a "buy" rating in a research report on Wednesday. Citigroup increased their price objective on shares of Equity Commonwealth from $31.00 to $32.00 and gave the company a "neutral" rating in a research report on Thursday, August 9th. Zacks Investment Research raised shares of Equity Commonwealth from a "hold" rating to a "buy" rating and set a $36.00 price objective for the company in a research report on Thursday, August 2nd. Stifel Nicolaus lowered shares of Equity Commonwealth from a "buy" rating to a "hold" rating and set a $34.00 price objective for the company. in a research report on Wednesday, August 1st. They noted that the move was a valuation call. Finally, JMP Securities increased their price objective on shares of Equity Commonwealth to $33.00 and gave the company a "market outperform" rating in a research report on Tuesday, May 8th. Two equities research analysts have rated the stock with a hold rating and three have given a buy rating to the company's stock. The company presently has an average rating of "Buy" and an average price target of $33.75. Shares of Equity Commonwealth stock opened at $31.89 on Friday. The company has a market capitalization of $3.83 billion, a P/E ratio of 34.67 and a beta of 0.18. The company has a quick ratio of 63.57, a current ratio of 63.57 and a debt-to-equity ratio of 0.08. Equity Commonwealth has a 52 week low of $27.96 and a 52 week high of $32.31. +Equity Commonwealth (NYSE:EQC) last announced its quarterly earnings data on Monday, July 30th. The real estate investment trust reported $0.17 EPS for the quarter, beating the Thomson Reuters' consensus estimate of $0.14 by $0.03. The firm had revenue of $48.60 million during the quarter, compared to analyst estimates of $59.06 million. Equity Commonwealth had a net margin of 92.07% and a return on equity of 7.27%. Equity Commonwealth's revenue was down 46.9% on a year-over-year basis. During the same period last year, the firm posted $0.22 EPS. analysts expect that Equity Commonwealth will post 0.61 EPS for the current fiscal year. +About Equity Commonwealth +Equity Commonwealth (NYSE: EQC) is a Chicago based, internally managed and self-advised real estate investment trust (REIT) with commercial office properties in the United States. As of June 30, 2018, EQC's portfolio comprised 13 properties and 6.3 million square feet. +Featured Article: How Short Selling Works +Want to see what other hedge funds are holding EQC? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Equity Commonwealth (NYSE:EQC). Receive News & Ratings for Equity Commonwealth Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Equity Commonwealth and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test567.txt b/input/test/Test567.txt new file mode 100644 index 0000000..5e741c5 --- /dev/null +++ b/input/test/Test567.txt @@ -0,0 +1 @@ +PSA expects new JNPT cranes to increase speed, attract business
India Special Correspondent |
Aug 24, 2018 8:58AM EDT
Bharat Mumbai Container Terminals, which has handled about 150,000 TEU as of August 2018, this month added nine, new rubber-tire gantry cranes, bringing the total cranes to 27, PSA India officials said.SM
is a service mark of Cboe Exchange, Inc. All other trademarks and service marks are the property of their respective owners.
Cboe Global Markets, Inc. and its affiliates do not recommend or make any representation as to possible benefits from any securities, futures or investments, or third-party products or services. Cboe Global Markets, Inc. is not affiliated with iShares or IHS Markit. Investors should undertake their own due diligence regarding their securities, futures and investment practices. This press release speaks only as of this date. Cboe Global Markets, Inc. disclaims any duty to update the information herein.
Nothing in this announcement should be considered a solicitation to buy or an offer to sell any securities or futures in any jurisdiction where the offer or solicitationwould be unlawful under the laws of such jurisdiction. Nothing contained in this communication constitutes tax, legal or investment advice. Investors must consult their tax adviser or legal counsel for advice and information concerning their particular situation.
Cboe Global Markets, Inc. and its affiliates make no warranty, expressed or implied, including, without limitation, any warranties as of merchantability, fitness for a particular purpose, accuracy, completeness or timeliness, the results to be obtained by recipients of the products and services described herein, or as to the ability of iBoxx iShares $ High Yield Corporate Bond Index to track the performance of the fixed income securities market, generally, or the performance of HYG or any subset of fixed income securities, and shall not in any way be liable for any inaccuracies, errors. Cboe Global Markets, Inc. and its affiliates have not calculated, composed or determined the constituents or weightings of the fixed income securities that comprise iBoxx iShares $ High Yield Corporate Bond Index and shall not in any way be liable for any inaccuracies, errors.
Forward-Looking Statements
Certain information contained in this news release may constitute forward-looking statements. We caution readers not to place undue reliance on any forward-looking statements, which speak only as of the date made and are subject to a number of risks and uncertainties.
The iBoxx iShares $ High Yield Corporate Bond Index (the "Index") referenced herein is the property of Markit Indices Limited ("Index Sponsor") and has been licensed for use in connection with Cboe iBoxx iShares $ High Yield Corporate Bond Index Futures. Each party to a Cboe iBoxx iShares $ High Yield Corporate Bond Index Futures transaction acknowledges and agrees that the transaction is not sponsored, endorsed or promoted by the Index Sponsor. The Index Sponsor makes no representation whatsoever, whether express or implied, and hereby expressly disclaims all warranties (including, without limitation, those of merchantability or fitness for a particular purpose or use), with respect to the Index or any data included therein or relating thereto, and in particular disclaims any warranty either as to the quality, accuracy and/or completeness of the Index or any data included therein, the results obtained from the use of the Index and/or the composition of the Index at any particular time on any particular date or otherwise and/or the creditworthiness of any entity, or the likelihood of the occurrence of a credit event or similar event (however defined) with respect to an obligation, in the Index at any particular time on any particular date or otherwise. The Index Sponsor shall not be liable (whether in negligence or otherwise) to the parties or any other person for any error in the Index, and the Index Sponsor is under no obligation to advise the parties or any person of any error therein.
The Index Sponsor makes no representation whatsoever, whether express or implied, as to the advisability of purchasing or selling Cboe iBoxx iShares $ High Yield Corporate Bond Index Futures, the ability of the Index to track relevant markets' performances, or otherwise relating to the Index or any transaction or product with respect thereto, or of assuming any risks in connection therewith. The Index Sponsor has no obligation to take the needs of any party into consideration in determining, composing or calculating the Index. No party purchasing or selling Cboe iBoxx iShares $ High Yield Corporate Bond Index Futures, nor the Index Sponsor, shall have any liability to any party for any act or failure to act by the Index Sponsor in connection with the determination, adjustment, calculation or maintenance of the Index.
iBoxx® is a service mark of IHS Markit Limited.
The iBoxx iShares $ High Yield Corporate Bond Index (the "Index") and futures contracts on the Index ("Contracts") are not sponsored by, or sold by BlackRock, Inc. or any of its affiliates (collectively, "BlackRock"). BlackRock makes no representation or warranty, express or implied to any person regarding the advisability of investing in securities, generally, or in the Contracts in particular. Nor does BlackRock make any representation or warranty as to the ability of the Index to track the performance of the fixed income securities market, generally, or the performance of HYG or any subset of fixed income securities.
BlackRock has not calculated, composed or determined the constituents or weightings of the fixed income securities that comprise the Index ("Underlying Data"). BlackRock is not responsible for and has not participated in the determination of the prices and amounts of the Contracts, or the timing of the issuance or sale of such Contracts or in the determination or calculation of the equation by which the Contracts are to be converted into cash (if applicable). BlackRock has no obligation or liability in connection with the administration or trading of the Contracts. BlackRock does not guarantee the accuracy or the completeness of the Underlying Data and any data included therein and BlackRock shall have no liability for any errors, omissions or interruptions related thereto.
BlackRock makes no warranty, express or implied, as to results to be obtained by Markit or its affiliates, the parties to the Contracts or any other person with respect to the use of the Underlying Data or any data included therein. BlackRock makes no express or implied warranties and expressly disclaims all warranties of merchantability or fitness for a particular purpose or use with respect to the Underlying Data or any data included therein. Without limiting any of the foregoing, in no event shall BlackRock have any liability for any special, punitive, direct, indirect or consequential damages (including lost profits) resulting from the use of the Underlying Data or any data included therein, even if notified of the possibility of such damages.
iShares® is a registered trade mark of BlackRock Fund Advisors and its affiliates.
SOURCE Cboe Global Markets, Inc.
Related Links
The
report has been added to
ResearchAndMarkets.com's
The global gene therapy market size is expected to reach
USD 39.54 million
by 2026
Rising competition among manufacturers and high number of molecules in pipeline are supporting the growth of the market.
Gene therapy development is aimed to cure rare diseases and even some hereditary diseases, which are caused by a mutated or faulty gene. Moreover, ever-increasing need for new cures for orphan diseases and rising incidence of cancer caused due to mutations in genes are likely to stir up the demand for gene therapy.
As of early 2016, there were more than 1000 molecules in the pipeline in various clinical phases. However, around 76.0% of the molecules are in the developmental or preclinical stages and expected to hit the market in late 2020's.
A great number of large pharma/biotech players are estimated to acquire small firms as many have been trying to develop in-house expertise and build their own pipelines. This trend is anticipated to help the market gain tremendous traction over the coming years. Combination of gene therapy with small molecules or protein therapy is said to have lesser side effects and better efficacy as compared to gene therapy alone.
Cancer held the dominant share in the market in 2017 owing to relatively high adoption of gene therapies for cancer treatment. Continual rise in new cancer cases and related mortality per year triggers the need for development of robust treatment options. Ongoing developments in cancer gene studies have provided significant information about cancer-related molecular signatures, which in turn, is projected to support ongoing clinical trials for cancer therapeutics
Further Key Findings from the Study Suggest:
More than 60.0% of the market is occupied by cancer research owing to a large pipeline.
Adenoviral vectors are the most used in pipeline development, closely followed by retroviral vectors.
Europe
and the U.S. are poised to occupy the largest cumulative share in the market throughout the forecast period.
Asia Pacific
is set to post noteworthy CAGR during the forecast period, owing to growing pipeline molecules and a large number of companies competing in the market.
Key Topics Covered:
> BOOK DESCRIPTION : A practical guide for providing exceptional client service Most advertising and marketing people would claim great client service is an elusive, ephemeral pursuit, not easily characterized by a precise skill set or inventory of responsibilities; this book and its author argue otherwise, claiming there are definable, actionable methods to the role, and provide guidance designed to achieve more effective work. Written by one of the industry s most knowledgeable client services executives, the book begins with a definition, then follows a path from an initial new business win to beginning, building, losing, then regaining trust with clients. It is a powerful source of counsel for those new to the business, for industry veterans who want to refresh or validate what they know, and for anyone in the middle of the journey to get better at what they do. download now : https://fsg5tr.blogspot.com/?book=1119227828 .. \ No newline at end of file diff --git a/input/test/Test594.txt b/input/test/Test594.txt new file mode 100644 index 0000000..ad509ab --- /dev/null +++ b/input/test/Test594.txt @@ -0,0 +1 @@ +. A replay of the webcast will be archived on the Company's website and will be available for 30 days.
About Regeneron Pharmaceuticals, Inc.
REGN
) is a leading biotechnology company that invents life-transforming medicines for people with serious diseases. Founded and led for 30 years by physician-scientists, our unique ability to repeatedly and consistently translate science into medicine has led to six FDA-approved treatments and numerous product candidates in development, all of which were homegrown in our laboratories. Our medicines and pipeline are designed to help patients with eye disease, heart disease, allergic and inflammatory diseases, pain, cancer, infectious diseases and rare diseases.
Regeneron is accelerating and improving the traditional drug development process through our proprietary
VelociSuite
Azalea Hill
is surrounded by abundant green space and includes a competitive amenity package, including 24-hour maintenance, 24-hour poolside fitness center, dog park, clubhouse, complimentary coffee bar, concierge dry cleaning and package service, among others.
"
Willow Creek
is a seasoned commercial real estate investor that focuses on secondary and tertiary real estate markets that provide attractive investment opportunities in the
Southeastern United States
," added Cope. "The Southeast is an attractive multifamily investment market relative to other geographic markets and offers a variety of unique investment opportunities. The borrower owns eight properties for a total of 948 units all within the region. We were pleased to deliver on this loan to a quality local sponsor."
Greenville
has experienced dramatic population and job growth in recent years, as the population has grown roughly 10% since 2010 and job creation has surpassed the national average by approximately 50 basis points. The continued influx of new residents has resulted in strong demand in recent years.
About Hunt Real Estate Capital
, part of Hunt Companies, Inc., is a leader in financing commercial real estate throughout
the United States
. The Company finances all types of commercial real estate: multifamily properties (including small balance), affordable housing, office, retail, manufactured housing, healthcare/senior living, industrial, and self-storage facilities. It offers Fannie Mae, Freddie Mac, FHA financing and its own Proprietary loan products. Since inception, the Company has structured more than
$27 billion
of loans and today maintains a servicing portfolio of more than
$15 billion
About FinancialBuzz.com
FinancialBuzz.com, a leading financial news informational web portal designed to provide the latest trends in Market News, Investing News, Personal Finance, Politics, Entertainment, in-depth broadcasts on Stock News, Market Analysis and Company Interviews. A pioneer in the financially driven digital space, video production and integration of social media, FinancialBuzz.com creates 100% unique original content. FinancialBuzz.com also provides financial news PR dissemination, branding, marketing and advertising for third parties for corporate news and original content through our unique media platform that includes Newswire Delivery, Digital Advertising, Social Media Relations, Video Production, Broadcasting, and Financial Publications.
Please Note: FinancialBuzz.com is not a financial advisory or advisor, investment advisor or broker-dealer and do not undertake any activities that would require such registration. The information provided on
http://www.FinancialBuzz.com
(the 'Site') is either original financial news or paid advertisements provided [exclusively] by our affiliates (sponsored content), FinancialBuzz.com, a financial news media and marketing firm enters into media buys or service agreements with the companies which are the subject to the articles posted on the Site or other editorials for advertising such companies. We are not an independent news media provider and therefore do not represent or warrant that the information posted on the Site is accurate, unbiased or complete. FinancialBuzz.com receives fees for producing and presenting high quality and sophisticated content on FinancialBuzz.com along with other financial news PR media services. FinancialBuzz.com does not offer any personal opinions, recommendations or bias commentary as we purely incorporate public market information along with financial and corporate news. FinancialBuzz.com only aggregates or regurgitates financial or corporate news through our unique financial newswire and media platform. For Glance Technologies Inc. financial news dissemination and PR services, FinancialBuzz.com has been compensated
five thousand dollars
by the company. Our fees may be either a flat cash sum or negotiated number of securities of the companies featured on this editorial or site, or a combination thereof. The securities are commonly paid in segments, of which a portion is received upon engagement and the balance is paid on or near the conclusion of the engagement. FinancialBuzz.com will always disclose any compensation in securities or cash payments for financial news PR advertising. FinancialBuzz.com does not undertake to update any of the information on the editorial or Site or continue to post information about any companies the information contained herein is not intended to be used as the basis for investment decisions and should not be considered as investment advice or a recommendation. The information contained herein is not an offer or solicitation to buy, hold or sell any security. FinancialBuzz.com, members and affiliates are not responsible for any gains or losses that result from the opinions expressed on this editorial or Site, company profiles, quotations or in other materials or presentations that it publishes electronically or in print. Investors accept full responsibility for any and all of their investment decisions based on their own independent research and evaluation of their own investment goals, risk tolerance, and financial condition. FinancialBuzz.com. By accessing this editorial and website and any pages thereof, you agree to be bound by the Terms of Use and Privacy Policy, as may be amended from time to time. None of the content issued by FinancialBuzz.com constitutes a recommendation for any investor to purchase, hold or sell any particular security, pursue a particular investment strategy or that any security is suitable for any investor. This publication is provided by FinancialBuzz.com. Each investor is solely responsible for determining whether a particular security or investment strategy is suitable based on their objectives, other securities holdings, financial situation needs, and tax status. You agree to consult with your investment advisor, tax and legal consultant before making any investment decisions. We make no representations as to the completeness, accuracy or timeless of the material provided. All materials are subject to change without notice. Information is obtained from sources believed to be reliable, but its accuracy and completeness are not guaranteed. For our full disclaimer, disclosure and Terms of Use, please visit:
An Overview of Satellite Communications
Factors Affecting the Satellite Sector
Short-Term Market Opportunities
Key Factors Driving the Market
Global Satellite Industry: Drivers vs. Restraints
Stable Economy to Augment Market Demand
Emerging Markets Witness Strong Demand for Transponders
Efforts by Emerging Economies to Put Satellites into Orbit
Satellite Services - The Largest Revenue Contributor
Broadcasting: The Largest End-Use Application
Ku-band and Ka-band Satellite Transponders Driving Growth
Transponder Agreements Key to Fixed Satellite Services (FSS) Revenue Growth
3. MARKET TRENDS, GROWTH DRIVERS AND ISSUES
Commercial Services Boost the Satellite Sector
Strong Demand for Commercial Satellite Transponders on the Cards
Optimistic Look of Satellite Services Sector Lends Platform for Remote Sensing
Earth Observation Small Satellites Provide High Resolution Imagery for Immediate Analysis
Growing Demand for Bigger Satellites to Push Transponders Market
Increasing Number of Transponders per Satellite - An Emerging Trend
Ku-band Capacity Transponders Driving the Growth
Ka-band Vs. Ku-band
Band Frequency and Spectrum C, Ku and Ka-bands
Ka-band Vs Ku-band
Enhanced Compression Technologies to Ease Capacity Pressure
Satellite Cellular Backhaul Propels Market
Private Networks Lead Data Market
Satellite Communication - A Key Market
ITU's Role in Satellite Industry
Emerging Trends in Satellite Communications - HTS in GEO, LEO and MEO
Flexible Payloads
Flexible Bandwidth and Power Allocation
High Throughput Satellites (HTS) in GEO
HTS Satellites Current and Planned Launches (2010-2019)
High Throughput Satellites (HTS) in LEO
HT Communication Satellites Serve Unprecedented Demands for Video and Data Services
Satellite TV - Driving Satellite Transponders Market
DTH Market: Major Catalyst for Growth
4k
Channels to Drive Use of Transponders
Newer TV Platforms - Effect on the Market
Digitalization Transforms Satellite Power Amplification Technologies
Digital Transition Timeline in Major Countries
Superior Video Codecs Impede Satellite Transponders Market
Expanding Internet User Base: A Key Driving Force
Rising Mobile Internet Penetration Bodes Well for Satellite Transponders Market
In-Flight Entertainment Grows in Prominence - A Commercial Opportunity for Airlines
Military & Defense: A Key Sector for Satellite Services
Technological Innovations Propel the Market - Select Recent Innovations
PERSEUS Pro by V-Nova
On-Board GPS Transponders for Tracking Small Satellites
Microwave & Imaging Sub-Systems by Thales
Voice Represents a Small Segment
Optimizing Efficiency and Cost Cutting
Overcoming Overcapacity - A Major Hurdle
Last Mile Data Sector to Even Out
Backup Satellites and Transponders Show a Viable Alternate over Standard Insurance
ISP-to-Backbone Peaks in Several Regions
4. PRODUCT OVERVIEW Authorities say the remains found at a remote New Mexico compound have been identified a missing Georgia boy. More > +PARIS (AP) - Unions at Air France-KLM voiced concern after the company appointed Benjamin Smith as the new CEO with the support of the French state. +The company said Thursday that Smith, who is 46 and was previously Air Canada's chief operating officer, will fill the role by Sept. 30. +Vincent Salles, unionist at CGT-Air France union, said on France Info radio that unions fear Smith's mission is to implement plans that would "deteriorate working conditions and wages." +The previous CEO, Jean-Marc Janaillac, resigned in May after Air France employees held 13 days of strike over pay and rejected the company's wage proposal, considered too low. +Finance Minister Bruno Le Maire welcomed an "opportunity" for Air France-KLM and expressed his confidence in Smith's ability to "re-establish social dialogue. \ No newline at end of file diff --git a/input/test/Test613.txt b/input/test/Test613.txt new file mode 100644 index 0000000..adb96a4 --- /dev/null +++ b/input/test/Test613.txt @@ -0,0 +1 @@ +Travel Industry's Early Adopters Of Crypto-Currencies Will Prosper In Distant Future August 17 Share it With Friends Crypto-currencies like bitcoin and other fellow digital alternatives are proven to be real game changers. As technology promises a new way of doing things the travel industry adopting this payment method is reaping the rewards. In order to adequately address the economic and financial issues, the businesses are increasingly turning towards crypto-currencies. Crypto-currencies have taken over the financial market and are highly being used by the travel agencies as well. They happen to increase the availability of financial services. A large portion of local population across the globe lacks the access to the basic banking sector. According to the World Bank Report of 2015, about 50% of the residents do not have a bank account across the globe. Foreign exchange costs are expected to reduce as the crypto-currency takes over, as it can be used in both international and regional trade. Recently no financial news has passed by without confronting crypto-currencies. Cryptocurrencies have seen a meteoric rise of up to 161% ($10,567) in value just in last month. And every month as the business and industries grow finance is going to affect the overall economy of a nation. The world of travel and tourism has been embracing the new digital payment alternatives that are offered encouraging travel with the crypto plan. Along with decreasing the consumer costs, the Booking travels with cryptocurrencies can increase profits for the industry. The technology can come to the fore of releasing the international travelers from the woes of currency exchanges, withdrawal fees, amount of in hand cash and frauds. The established players in the tourism and travel industry are already embracing the opportunities of cryptocurrency. Bookings have become much easier thru fly with cryptocurrency policies. The travel and tourism industry contributed around $7.6 trillion to the global economy in 2016 according to the economists. The travel industry is a foremost revenue driver for the global economy and each year the revenues grow. This time around as the cryptocurrencies are being used it is expected that the industry will flourish further as the world of travel appears to be open towards the concept of digital money. The sooner the better has been in the call when it comes to adopting the new technology. The early adopters are winning the game and more business there by the travel industry is responsible for as much as 10.6% of the world's GDP. About Company – More Stamps Global It is an online tour booking company that has made booking a trip completely effortless. It's a one-stop destination that has everything to make the trip a perfect one. More Stamps Global is the first online travel platform to accept over 40 crypto-currencies giving an easy payment plan. Their main objective is to make the traveling experience as unique as possible. They help one plan a perfect trip all across the globe. Further about this travel planner can be read over https://www.morestamps.global/ . Media Contac \ No newline at end of file diff --git a/input/test/Test614.txt b/input/test/Test614.txt new file mode 100644 index 0000000..23f1575 --- /dev/null +++ b/input/test/Test614.txt @@ -0,0 +1,43 @@ +Home » Lead Generation Tips » No More Struggle – Lead Generation Success Is Yours! No More Struggle – Lead Generation Success Is Yours! Posted in Lead Generation Tips +It feels difficult and stressful at times attempting to find leads for your business. Though you may realize some small success, even those efforts can stagnate. You must keep helping things move forward by planning out different strategies. The information located below will teach you how to generate leads and turning those leads into paying customers. +Learn about the buying cycles related to your business when developing lead generation plans. A potential customer will most likely want to research the information about the product to gain additional knowledge before making their purchase decision. If you are able to flow with this same pattern, you will be far more successful. +Make sure the consumer's purchase cycle is in the forefront of your lead generation planning. They may consider an offer, wish to learn more about it, and then decide on whether to buy it or not. If you are able to flow with this same pattern, you will be far more successful. +If you're using online advertising, you should develop several landing pages to help increase potential leads. Landing pages that get targeted to exact ads that lend them are more effective for traffic generation that a standard website. This is because you are giving them just what they have been looking for. Offer the information they need along with your contact form to help you generate leads. Landing Pages +If you're trustworthy, you'll get way more leads. Don't overhype offers and ads. Use offers that are relevant to your customers and that meet their concerns. Be open and hide nothing, this is the best way to ensure that people can trust you. +Make sure that your landing pages are targeted and direct. Landing pages that get targeted to exact ads that lend them are more effective for traffic generation that a standard website. That is because your visitors get to see precisely what they wanted to find. This will help you to maximize your overall leads. +Be sure to fully understand the value of your leads. Some leads simply won't be what you need for your current campaign. Ensure that you find out which leads fit into your target market; avoid those that won't benefit. You can be more successful by choosing the proper leads. +Use consumer reviews and case studies when you're trying to build your leads. Consumers are more likely to give their information and will probably buy your products when you provide supportive data. Use studies that are relevant and that show proof and testimonials from customers that are satisfied. +Make sure you sort out opt-out and privacy issues. Don't spam people who don't want your offers. It's wasting your time and money to market to them, plus it's going to make them mad. +Are there local events pertaining to your niche that you can take advantage of? For instance, if you deal with real estate, are there any wedding events coming up? Newlyweds are often looking for a home, so set up your table to let them know you are available. Check your local classifieds to see what's coming to your town soon. +Think about contacting local businesses to determine if they have a need for the knowledge you have. People who do landscaping can talk about growing quality flowers. Yoga instructors can give tips for easy stretches that can be done quickly through the day. What professionals could learn from you? +Talking with businesses in the area that are similar to yours can be very helpful. If you are a professional landscaper, share what knowledge you have about seasonal flowers. This will help you gain more local leads. If you are an expert in a particular field, don't be afraid to share your insights and knowledge with other professionals in your community. +Take advantage of online resource groups focused on lead generation. For local businesses, such groups can be extremely valuable. For instance, while a certain person can't assist you with a home pest problem, they can give your number to the person so that you can help out. +Check to see if there are local lead groups you can join. Business owners gather together to share leads. While you may question getting leads from someone in a different industry, this is actually a possibility. You could have client that has a dental issue, and you could help out the dentist. +Try to target gathered leads from those that want what you offer. Gathering these generic leads is good for painting a broader spectrum. Target people who can benefit from your product or service. +Use a lead generation schedule for best results. Future leads can be set aside if you need to space it out further. This will help you to stay on top of your game. This ensures you don't waste your time pitching to the same leads, too. +Always talk to others around you when you are out and about. There's no harm in being friendly and you never know who might need what you're selling. You don't want to sound too sales pitchy from the get go, but you do want to test the waters to see if anyone is interested. +Check each page on your site and make sure there is a clear call to action. No matter what's being sold, people must know about and how to obtain it. Use clear wording, and avoid cluttering pages so that the customers can navigate. +Mark lead generation down on your calendar. Potential leads may become tired of you if you try to get at them with the generation efforts you're making all the time. Keeping a schedule lets you present a professional disposition. You can also save time by not pitching continuously to non-buyers. +If you are going to buy a lead database, ensure that they are appropriate for you. Your product or service may require a certain niche of prospects. Do not utilize this option if it is not right for you. This will only result in you having to go through a large amount of leads that may be worthless to you. +Call to action represents an important piece of a website. No matter what's being sold, people must know about and how to obtain it. Your content should be clear and the pages should be easy for visitors to navigate. +Provide direction to people visiting your site so that they know what to do. Check out the landing pages on your website. Can you tell what you should do next? If it's not, you need to change it to something that is easy to figure out. +Whatever budget you have, you are more likely to reach your goal when you have a plan. Even after your campaign is up and going, keep an eye on it so you can figure out what's effective and what is not. If you are working on a tight budget, carefully monitor your campaign to get the most for your money. Lead Generation +Make sure that your website is linked to social media. You need to be active with the sites like Twitter and Facebook so that you don't miss out on any possible leads through either one. Use several unique campaigns since this will help you figure out which strategies work best. +Lead generation is not the only form of marketing that you can do. Spend a maximum of two hours daily on lead generation initiatives. The remaining time should be spent on educating yourself about your industry, improving your skills and how to cultivate your customer base. +Think about your consumers and what they are looking for when they are considering your product. For instance, new parents or newlyweds may be rushing to find a new home, which is why real estate agents must market to the urgency. Those who are looking to downgrade will require a different sales pitch. +Contests are not what they are hyped up to be. If every interaction people have with you is facilitated by potentially winning a price, you will train them to only come to you to enter contests. You should instead hold sporadic contests to make sure people stay interested. +Understand that while important, lead generation isn't the only part of your marketing plan. You need to be sure you don't spend more than 2 hours each day working on lead generation. The rest of the time you spend should be learning what your field is about, getting more skills, retaining customers and making some money. +Be careful if you want to buy social media followers. This might seem like it's a great way to boost your efforts in getting leads, but it doesn't necessarily mean those leads are valid. The accounts may or may not be valid. If you go this route, you may be advertising promotions to fake accounts. +Don't overdo contests. Otherwise, you may discover it is the only reason many people visit your site. To hold people's attention, have a contest one or two times each year. +Be personable and don't oversell to build quality leads. If someone feels like you are overselling, it'll make it harder to turn them into a strong lead. People these days don't want to be sold to. The best approach is to offer solutions. If your product can solve an issue someone is having, it will sell well. +Be wary about purchasing huge quantities of Facebook, Twitter and other social media leads. This can hurt you in the long run sometimes. The accounts may or may not be valid. It often happens that you're sending good promotions to accounts that are actually empty. +Your website should be optimized for maximum lead generation capability. You should have a good call to action or even a contact form that the customer sees first when they land on your site. People need to quickly see what your product delivers and how you can be reached. This effort will pay off. +It is important to not only generate leads but also develop relationships with your customers. If a prospect thinks you are selling them too much, they'll have an easier time saying no to you. Many modern consumers don't like having things sold to them. It's up to you to present your goods as oriented solutions. Solutions make people feel good about buying. +If a lead comes in, do not wait to long to jump on it. Anyone who contacts you will want to be reached quickly. Waiting a few days could mean that a competitor has already snatched them up. You must make sure you get back with your leads quickly. +Optimize your website in order to generate leads. A potential customer should see a call to action first. They must comprehend what it is you do and how you can help them. This makes a big difference. +Trade links with people who are not competing with you. An example would be the landscaper that trades links with fertilizer suppliers. People who buy fertilizer may be in need of a landscaper, and use the link on the fertilizer company's site to find one. +Share links with others in the field who do not have a competing business. For a landscaper, for example, a network can be formed with the company used to buy fertilizer. People who are shopping for fertilizer will see the link to your landscaping service and may consider to hire you for the job; your customers will see a link to the fertilizer company and click on it if they are shopping for fertilizer. +Be sure to treat everyone as an individual. You need to foster personal relationships with prospective consumers so that they can become paying consumers. This will also increase your reputation. You can be one business that people always talk highly about. Customer service is not a trend; it will always be your best business strategy. +Treat people the right way when generating leads. Becoming more personal with your customers is a good way to get them to become paying consumers. Folks who learn of companies offerin individualized attention often want to take part. Your business can be one that everybody raves about. Customer service will always be appreciated. +Are you doing all you can to get sales leads? Otherwise, you will start to see a downturn in your business, and that is why this article is extremely timely. Use the advice shared here and get new customers. +A great way to get leads is through farming, but it only works if you qualify them. Poor leads are almost guaranteed to result in failure. Finding leads that see value in your product or service is extremely important to its success. Economic levels, gender, and age are what you need to think about when you're targeting leads. \ No newline at end of file diff --git a/input/test/Test615.txt b/input/test/Test615.txt new file mode 100644 index 0000000..8c01041 --- /dev/null +++ b/input/test/Test615.txt @@ -0,0 +1,10 @@ +Advert +This is a part time (0.6FTE)/fixed term opportunity for 9 months +Glasgow Caledonian University is a vibrant multi-cultural modern university in the centre of Glasgow and is placed amongst the top 150 modern Universities in the world (THE, 2017). Our welcoming community of 20,000 students from more than 100 countries enjoy a wide range of award-winning support services and state of the art facilities across each of our campuses in Glasgow, London and New York. Our University mission, commitment to the Common Good and core values of integrity, creativity, responsibility and confidence is integral to everything we do and how we deliver our mission. +An opportunity has arisen to join us as a part-time Lecturer in Fashion Production to teach students on our specialist undergraduate and postgraduate programmes in Fashion Design and Fashion Marketing. The applicant should have sufficient expertise to develop and deliver a range of modules in fashion production and manufacturing, as well as to supervise student projects/dissertations. +As outlined in the person specification, we are looking for applicants for this role to have pattern cutting and garment construction skills/teaching experience as well as knowledge of issues relating to ethics and sustainability in the fashion industry. +The successful applicant will work as part of a small, close-knit team of academics and fashion technicians in the Fashion Design Studios and therefore must be able to demonstrate a collaborative approach to working with colleagues and supporting students. Applicants should also have excellent communication, planning and organisational skills. +Further details on this post are available by contacting Linda Shearer, Assistant Head of Department; Tel: +44 (0)141 331 8753; email: +As the University for the Common Good, we are committed to embedding equality and diversity, as well as our values in everything that we do. As such, we welcome applications from all suitably qualified candidates who demonstrate the GCU Values . +Applicants must have the continued right to live and work in the United Kingdom to apply for this vacancy. +Please note that the appointment will be made on the first point of the salary scale (unless by exception) \ No newline at end of file diff --git a/input/test/Test616.txt b/input/test/Test616.txt new file mode 100644 index 0000000..cb7c579 --- /dev/null +++ b/input/test/Test616.txt @@ -0,0 +1,10 @@ +Sport Vincent Kompany on the mistake Man City made with All or Nothing Amazon documentary Manchester City skipper claims the decision to give the world a peek at their inner workings may give rivals the chance to emulate Share Click to play Tap to play The video will start in 8 Cancel Play now Get Manchester City FC Thank you for subscribing! Could +Vincent Kompany feels that Manchester City may have leaked some of their closest secrets by agreeing to give a film crew access to all areas of the club. +The Blues' remarkable documentary series "All or Nothing" , which is released in its entirety today, allowed cameras into tactical team talks, training sessions and all other aspects of the Blues' record-breaking season. +And Kompany feels that sharing some of those secrets with the world was a selfless act on City's part - although the club did charge a £10million fee to Amazon. +The release of the eight-part show has caused some City fans to worry that they may be allowing rival teams to see too much of their tactics and methods, with valuable insight into Pep Guardiola 's tactical approach and motivation techniques. +But Kompany says that the trick now is to move on, and find a new way to be successful. Read More What All or Nothing documentary tells us about Man City +Speaking before he saw the first screening of the first episode on Wednesday night, Kompany said: +"The cameraman was everywhere, so he probably has every game plan that we have ever had, so we need to adapt. +"You were having breakfast, he was there. You were having a shower he was there." +After City racked up 100 points, the documentary series will no doubt be scrutinised by football clubs across the globe – and by other sports – to look for tips. Read Mor \ No newline at end of file diff --git a/input/test/Test617.txt b/input/test/Test617.txt new file mode 100644 index 0000000..9864ac0 --- /dev/null +++ b/input/test/Test617.txt @@ -0,0 +1,15 @@ +Toyota to increase production capacity in China by 20 percent: source Friday, August 17, 2018 3:32 a.m. EDT FILE PHOTO: An employee checks on newly produced cars at a Toyota factory in Tianjin, China March 23, 2012. REUTERS/Stringer +By Norihiko Shirouzu +BEIJING (Reuters) - Japan's Toyota Motor Corp <7203.T> will build additional capacity at its auto plant in China's Guangzhou, a company source said, in addition to beefing up production at a factory in Tianjin city by 120,000 vehicles a year. +A person close to the company said Toyota will build capacity at the production hub in the south China city of Guangzhou to also produce an additional 120,000 vehicles a year, an increase of 24 percent over current capacity. +All together, between the eastern port city of Tianjin and Guangzhou, Toyota will boost its overall manufacturing capacity by 240,000 vehicles a year, or by about 20 percent. +Toyota's production capacity in China is 1.16 million vehicles a year. +Reuters reported earlier this week that Toyota plans to build additional capacity in Tianjin to produce 10,000 all-electric battery cars and 110,000 plug-in hybrid electric cars a year. +China has said it would remove foreign ownership caps for companies making fully electric and plug-in hybrid vehicles in 2018, for makers of commercial vehicles in 2020, and the wider car market by 2022. Beijing also has been pushing automakers to produce and sell more electric vehicles through purchase subsidies and production quotas for such green cars. +Toyota's planned additional capacity in Guangzhou is also for electrified vehicles, said the company source, who declined to be named because he is not authorized to speak on the matter. +The source did not say how much the additional capacity would cost. The Tianjin expansion is likely to cost $257 million, according to a government website. +The planned capacity expansions in Guangzhou and Tianjin are part of a medium-term strategy of the Japanese automaker that aims to increase sales in China to two million vehicles per year, a jump of over 50 percent, by the early 2020s, according to four company insiders with knowledge of the matter. +The plans signal Toyota's willingness to start adding significant manufacturing capacity in China with the possibility of one or two new assembly plants in the world's biggest auto market, the sources said. +Car imports could also increase, they said. +In addition to boosting manufacturing capacity, Toyota also plans to significantly expand its sales networks and focus more on electric car technologies as part of the strategy, the sources said, declining to be identified as they are not authorized to speak to the media. +(Reporting by Norihiko Shirouzu; Editing by Raju Gopalakrishnan) More From Busines \ No newline at end of file diff --git a/input/test/Test618.txt b/input/test/Test618.txt new file mode 100644 index 0000000..634c339 --- /dev/null +++ b/input/test/Test618.txt @@ -0,0 +1,12 @@ +Public Notices Close +NASCAR: Kasey Kahne speaks during media day for the Daytona 500 in this Feb. 14, 2018, file photo. File photo | The Associated Press Kahne plans to retire from NASCAR The Associated Press 7 hrs ago +NASCAR: Kasey Kahne speaks during media day for the Daytona 500 in this Feb. 14, 2018, file photo. File photo | The Associated Press +CONCORD, N.C. — Kasey Kahne announced Thursday that he will retire from full-time racing in NASCAR and plans to focus on the sprint car team he owns. +Kahne said in a Twitter post that he is at ease with the decision after 15 years racing in NASCAR. Kahne, from Enumclaw, Washington, made it to NASCAR via sprint car racing and his Kasey Kahne Racing team competes in the World of Outlaws series. +KKR driver Brad Sweet won the prestigious Knoxville (Iowa) Nationals last weekend and the 38-year-old Kahne was present for the victory. +"I'm not sure what the future holds for me," Kahne said. "The highs don't outweigh the lows and the grueling schedule takes a toll on your quality of life. I need to spend more time doing the things I enjoy and love and that's spending time with [son] Tanner and my sprint car teams." +The former Hendrick Motorsports driver has 18 victories, including a playoff-clinching win last season at Indianapolis Motor Speedway. That win came amid speculation that Hendrick would part ways with Kahne following six seasons, and Hendrick made it official two weeks later. +Kahne signed with Leavine Family Racing for 2018. He has one top-five finish in 23 starts for Leavine, and said the team offered him a ride for next year but Kahne did not want to commit to NASCAR. The Cup schedule is 38 weekends. +Kahne's announcement came one day after 43-year-old Elliott Sadler said he will walk away from NASCAR after 21 seasons. +Sadler is 43 and currently drives for JR Motorsports in the second-tier Xfinity Series. He spent 12 full-time seasons in the Cup Series driving for Wood Brothers Racing, Robert Yates Racing, Evernham Motorsports and Richard Petty Motorsports. He is retiring to spend more time with his two young children. +They are the latest in a growing list of NASCAR drivers who have hanged up their helmets in recent years, following Danica Patrick, Dale Earnhardt Jr., Carl Edwards, three-time champion Tony Stewart and four-time champ Jeff Gordon. React to this story \ No newline at end of file diff --git a/input/test/Test619.txt b/input/test/Test619.txt new file mode 100644 index 0000000..62760d6 --- /dev/null +++ b/input/test/Test619.txt @@ -0,0 +1,13 @@ +In an early morning operation, the CBI on Friday started searches at five premises of former Bihar Minister Manju Verma in connection with the Muzzafarpur shelter home abuse case, officials said. +In addition to five locations, search operations were also underway at the time of writing this report at seven premises of Brajesh Thakur, who ran the NGO, his friends and relatives, they said. +The searches were spread across three residences of former Social Welfare Minister Verma in Patna and one each in Motihari and Bhagalpur, they said. +Verma had resigned last week following allegations that her husband was a regular visitor to the girls' shelter home where minor girls were facing sexual abuse. +It was alleged by the wife of an arrested accused from the department that Verma's husband was a frequent visitor to the Muzaffarpur shelter home, where 34 girls were allegedly raped over a period of time. +What appears to have precipitated her resignation was media reports that examination of mobile phone details of key accused Brajesh Thakur showed that he had spoken to her husband 17 times from January to June this year. +ALSO READ: Bihar's shelter home tragedy is a case of a state failing its children Speaking to the media from a prison van in the court compound at Muzaffarpur, Thakur had admitted that he used to speak to the minister's husband, Chandeshwar Verma, but it was "on political issues". +Under immense pressure from the opposition, the Bihar government had referred the matter of to the CBI. +The case relates to the mental, physical and sexual exploitation of girl children residing at the Children Home at Sahu Road, Muzaffarpur. +The CBI has booked officers and employees of the shelter home in question--Balika Grih, Sahu Road Muzaffarpur. +"It is alleged that officials/employees of Girl's Children Home run by Seva Sankalp Evam Vikash Samiti used to mentality, physically and sexually exploit girl children residing at the said home," CBI Spokesperson said. +The matter had come to light earlier this year when the Bihar Social Welfare Department filed an FIR based on a social audit of the shelter home conducted by Mumbai-based Tata Institute of Social Sciences. +The audit report stated that many girls at the shelter home had complained of sexual abuse \ No newline at end of file diff --git a/input/test/Test62.txt b/input/test/Test62.txt new file mode 100644 index 0000000..03549cc --- /dev/null +++ b/input/test/Test62.txt @@ -0,0 +1 @@ +The Economist Continental Europe Edition - August 18, 2018English | 76 pages | True PDF | 6.1 MB The Economist is a global weekly magazine written for those who share an uncommon interest in being well and broadly informed. Each issue explores the close links between domestic and international issues, business, politics, finance, current affairs, science, technology and the arts \ No newline at end of file diff --git a/input/test/Test620.txt b/input/test/Test620.txt new file mode 100644 index 0000000..9864ac0 --- /dev/null +++ b/input/test/Test620.txt @@ -0,0 +1,15 @@ +Toyota to increase production capacity in China by 20 percent: source Friday, August 17, 2018 3:32 a.m. EDT FILE PHOTO: An employee checks on newly produced cars at a Toyota factory in Tianjin, China March 23, 2012. REUTERS/Stringer +By Norihiko Shirouzu +BEIJING (Reuters) - Japan's Toyota Motor Corp <7203.T> will build additional capacity at its auto plant in China's Guangzhou, a company source said, in addition to beefing up production at a factory in Tianjin city by 120,000 vehicles a year. +A person close to the company said Toyota will build capacity at the production hub in the south China city of Guangzhou to also produce an additional 120,000 vehicles a year, an increase of 24 percent over current capacity. +All together, between the eastern port city of Tianjin and Guangzhou, Toyota will boost its overall manufacturing capacity by 240,000 vehicles a year, or by about 20 percent. +Toyota's production capacity in China is 1.16 million vehicles a year. +Reuters reported earlier this week that Toyota plans to build additional capacity in Tianjin to produce 10,000 all-electric battery cars and 110,000 plug-in hybrid electric cars a year. +China has said it would remove foreign ownership caps for companies making fully electric and plug-in hybrid vehicles in 2018, for makers of commercial vehicles in 2020, and the wider car market by 2022. Beijing also has been pushing automakers to produce and sell more electric vehicles through purchase subsidies and production quotas for such green cars. +Toyota's planned additional capacity in Guangzhou is also for electrified vehicles, said the company source, who declined to be named because he is not authorized to speak on the matter. +The source did not say how much the additional capacity would cost. The Tianjin expansion is likely to cost $257 million, according to a government website. +The planned capacity expansions in Guangzhou and Tianjin are part of a medium-term strategy of the Japanese automaker that aims to increase sales in China to two million vehicles per year, a jump of over 50 percent, by the early 2020s, according to four company insiders with knowledge of the matter. +The plans signal Toyota's willingness to start adding significant manufacturing capacity in China with the possibility of one or two new assembly plants in the world's biggest auto market, the sources said. +Car imports could also increase, they said. +In addition to boosting manufacturing capacity, Toyota also plans to significantly expand its sales networks and focus more on electric car technologies as part of the strategy, the sources said, declining to be identified as they are not authorized to speak to the media. +(Reporting by Norihiko Shirouzu; Editing by Raju Gopalakrishnan) More From Busines \ No newline at end of file diff --git a/input/test/Test621.txt b/input/test/Test621.txt new file mode 100644 index 0000000..1352eb7 --- /dev/null +++ b/input/test/Test621.txt @@ -0,0 +1,15 @@ +Computerized Physician Order Entry Market Increasing Demand & Latest Trend with Allscripts, Cerner, McKesson August 17 Share it With Friends A new research study from HTF MI with title Global Computerized Physician Order Entry Market Professional Survey Report 2018 provides an in-depth assessment of the Computerized Physician Order Entry including key market trends, upcoming technologies, industry drivers, challenges, regulatory policies, key players company profiles and strategies. The research study provides forecasts for Computerized Physician Order Entry investments till 2022. +Access Sample Copy @: https://www.htfmarketreport.com/sample-report/1299263-global-computerized-physician-order-entry-market-3 +If you are involved in the Computerized Physician Order Entry industry or intend to be, then this study will provide you comprehensive outlook. It's vital you keep your market knowledge up to date segmented by Office-based physician, Emergency healthcare service providers, Hospitals & Nurses, Standalone, Integrated, Hardware, Software, Services, On-premise, Web-based & Cloud-based and major players. If you have a different set of players/manufacturers according to geography or needs regional or country segmented reports we can provide customization according to your requirement. +Buy this research report @ https://www.htfmarketreport.com/buy-now?format=1&report=1299263 +The Study is segmented by following Product Type: Standalone, Integrated, Hardware, Software, Services, On-premise, Web-based & Cloud-based +Major applications/end-users industry are as follows: Office-based physician, Emergency healthcare service providers, Hospitals & Nurses +Geographically, this report is segmented into several key Regions such as North America, United States, Canada, Mexico, Asia-Pacific, China, India, Japan, South Korea, Australia, Indonesia, Singapore, Rest of Asia-Pacific, Europe, Germany, France, UK, Italy, Spain, Russia, Rest of Europe, Central & South America, Brazil, Argentina, Rest of South America, Middle East & Africa, Saudi Arabia, Turkey & Rest of Middle East & Africa, with production, consumption, revenue (million USD), and market share and growth rate of Global Computerized Physician Order Entry in these regions, from 2012 to 2022 (forecast) +Early buyers will receive 10% customization on reports. Read Detailed Index of full Research Study at @ https://www.htfmarketreport.com/reports/1299263-global-computerized-physician-order-entry-market-3 +Major companies covered in the report: Allscripts, Cerner Corporation, Athenahealth, Carestream Health, Epic Systems, eClinicalWorks, McKesson Corporation, GE Healthcare, Practice Fusion, Philips Healthcare & Siemens Healthcare +This study also contains company profiling, product picture and specifications, sales, market share and contact information of various international, regional, and local vendors of Global Computerized Physician Order Entry Market. The market competition is constantly growing higher with the rise in technological innovation and M&A activities in the industry. Moreover, many local and regional vendors are offering specific application products for varied end-users. The new vendor entrants in the market are finding it hard to compete with the international vendors based on quality, reliability, and innovations in technology. +Some of the key questions answered in this report: – Detailed Overview of Global Computerized Physician Order Entry market helps deliver clients and businesses making strategies. – Influential factors that are thriving demand and constraints in the market. – What is the market concentration? Is it fragmented or highly concentrated? – What trends, challenges and barriers will impact the development and sizing of Computerized Physician Order Entry market? – SWOT Analysis of each key players mentioned along with its company profile with the help of Porter's five forces tool mechanism to compliment the same. – What growth momentum or acceleration market carries during the forecast period? – Which region is going to tap highest market share in future? – What Application/end-user category or Product Type may see incremental growth prospects? – What would be the market share of key countries like United States, France, UK, Germany, Italy, Canada, Australia, Japan, China or Brazil etc. ? – What focused approach and constraints are holding the market tight? – Make inquiry before purchase @ https://www.htfmarketreport.com/enquiry-before-buy/1299263-global-computerized-physician-order-entry-market-3 +There are 15 Chapters to display the Global Computerized Physician Order Entry market. Chapter 1, About Executive Summary to describe Definition, Specifications and Classification of Computerized Physician Order Entry market, Applications [Office-based physician, Emergency healthcare service providers, Hospitals & Nurses], Market Segment by Regions; Chapter 2, to analyze objective of the study. Chapter 3, to display Research methodology and techniques. Chapter 4 and 5 , to show the Overall Market Analysis, segmentation analysis, characteristics; Chapter 6 and 7, to show the Market size, share and forecast; Five forces analysis (bargaining Power of buyers/suppliers), Threats to new entrants and market condition; Chapter 8 and 9, to show analysis by regional segmentation[North America, United States, Canada, Mexico, Asia-Pacific, China, India, Japan, South Korea, Australia, Indonesia, Singapore, Rest of Asia-Pacific, Europe, Germany, France, UK, Italy, Spain, Russia, Rest of Europe, Central & South America, Brazil, Argentina, Rest of South America, Middle East & Africa, Saudi Arabia, Turkey & Rest of Middle East & Africa ], comparison, leading countries and opportunities; Regional Marketing Type Analysis, Supply Chain Analysis Chapter 10, focus on identifying the key industry influencer's, overview of decision framework accumulated through Industry experts and strategic decision makers; Chapter 11 and 12, Market Trend Analysis, Drivers, Challenges by consumer behavior, Marketing Channels and demand & supply. Chapter 13 and 14, describe about the vendor landscape (classification and Market Positioning) Chapter 15, deals with Global Computerized Physician Order Entry Market sales channel, distributors, traders, dealers, Research Findings and Conclusion, appendix and data source. +Thanks for reading this article; you can also get individual chapter wise section or region wise report version like North America, Europe or Asia. +About Author: HTF Market Report is a wholly owned brand of HTF market Intelligence Consulting Private Limited. HTF Market Report global research and market intelligence consulting organization is uniquely positioned to not only identify growth opportunities but to also empower and inspire you to create visionary growth strategies for futures, enabled by our extraordinary depth and breadth of thought leadership, research, tools, events and experience that assist you for making goals into a reality. Our understanding of the interplay between industry convergence, Mega Trends, technologies and market trends provides our clients with new business models and expansion opportunities. We are focused on identifying the "Accurate Forecast" in every industry we cover so our clients can reap the benefits of being early market entrants and can accomplish their "Goals & Objectives". +Media Contac \ No newline at end of file diff --git a/input/test/Test622.txt b/input/test/Test622.txt new file mode 100644 index 0000000..6093f78 --- /dev/null +++ b/input/test/Test622.txt @@ -0,0 +1 @@ +Global Plug-In Hybrid Vehicles Market estimated to portray CAGR of 9.3% from 2018-2027 – Research Nester August 17 Share it With Friends The plug-in hybrid vehicle market is estimated to be 3,687 Thousand Units in 2017 and is projected to reach 7,954 Thousand Units by 2027, at a CAGR of 9.3% during the forecast period. This significant growth of the plug-in hybrid vehicle market can be attributed to less air pollution, less consumption of fuel and others. The global Plug-in Hybrid Vehicles Market is segmented into vehicle type such as passenger vehicles and light commercial vehicle. Among these segments, passenger cars are expected to occupy top position in overall Plug-in Hybrid Vehicles Market during the forecast period. Increasing demand for plug-in hybrid electric passenger car is anticipated to intensify the growth of the Plug-in Hybrid Vehicles Market. Plug-in hybrid electric vehicles have longer driving ranges without being restrained by battery capacity limits, and provide higher fuel-efficiency. Greening up the grid & utilizing existing electricity infrastructure is gaining popularity as a new trend among PHEV manufacturers, rather than constructing an entirely new vehicle refueling infrastructure in order to accommodate green liquid fuels for transportation purposes. These market activities are envisioned to bolster the growth of the market. In the terms of volume, Global Plug-in Hybrid Vehicles Market is expected to flourish at a significant CAGR of 9.3% during the forecast period. Rising automotive demand, increasing urbanization, rising disposable income are some of the key factors driving the growth of the Plug-in Hybrid Vehicles Market. Moreover, the global Plug-in Hybrid Vehicles Market is expected to garner USD 78.6 Billion by the end of 2027. North America captured the largest market share in overall Plug-in Hybrid Vehicles Market and is expected to continue its dominance over the forecast period. Rising demand for PHV (plug-in hybrid vehicle) in the region is anticipated to aid the growth of the market. Further, increasing disposable income coupled with rising demand for vehicles with low environment impact is expected to accelerate the growth of automotive market in the upcoming years. Latin America and Europe Plug-in Hybrid Vehicles Market is anticipated to witness lucrative growth during the forecast period. Moreover, Asia Pacific is anticipated to grow at notable CAGR during the forecast period. Further, growing automotive industry and expansion of manufacturing base in the region is anticipated to drive the growth of the plug-in hybrid vehicle in Asia Pacific. Request Report Sample @ https://www.researchnester.com/sample-request/2/rep-id-857 Robust Growth of Plug- In hybrid Automotive Industry In next few years, plug-in hybrid electric vehicles are believed to come with a comparatively lower lifecycle prices, than the internal combustion (IC) and hydrogen fuel-cell engine equipped vehicles. In next 10 years, approximately 4 Million units of PHEVs are expected to be sold, with impending 100 new models to be launched globally which is likely to spark a transformational growth of the PHEVs market. This growth would mainly be favored by consumer attraction towards the appealing alternatively-fuelled vehicles. Rising Awareness Manufacturers are concentrating on forging a strong partnership with retail car dealers, with an aim of spreading awareness and information about PHEVs among customers, and also exceeding the level of competence. This factor is anticipated to impel the growth of the market. However, majority of the population across the globe is unaware of the PHEV technology. In addition, consumers are hesitant when it comes to unfamiliar technologies, for example – there may be doubts concerning batter life and its replacement cost, along with recharging time and convenience. This factor is negatively impacting the growth of the market. Request for TOC Here @ https://www.researchnester.com/toc-request/1/rep-id-857 The report titled "Plug-in Hybrid Vehicles Market: Global Historical Growth (2013-2017) & Future Outlook (2018-2027) Demand Analysis & Opportunity Evaluation" delivers detailed overview of the global Plug-in Hybrid Vehicles Market in terms of market segmentation, by vehicle type, by electric powertrain type and by region. Further, for the in-depth analysis, the report encompasses the industry growth drivers, restraints, supply and demand risk, market attractiveness, BPS analysis and Porter's five force model. This report also provides the existing competitive scenario of some of the key players of the global Plug-in Hybrid Vehicles Market which includes company profiling of General Motors Corporation, Toyota Motor Corporation, Mitsubishi Motors Corporation, BYD Auto Co. Ltd, Volkswagen AG, BMW AG, Honda Motor Co. Ltd, Hyundai Motor Company, and Daimler AG. The profiling enfolds key information of the companies which encompasses business overview, products and services, key financials and recent news and developments. On the whole, the report depicts detailed overview of the global Plug-in Hybrid Vehicles Market that will help industry consultants, equipment manufacturers, existing players searching for expansion opportunities, new players searching possibilities and other stakeholders to align their market centric strategies according to the ongoing and expected trends in the future. Buy This Premium Reports Now @ https://www.researchnester.com/payment/rep-id-857 About Research Nester: Research Nester is a leading service provider for strategic market research and consulting. We aim to provide unbiased, unparalleled market insights and industry analysis to help industries, conglomerates and executives to take wise decisions for their future marketing strategy, expansion and investment etc. We believe every business can expand to its new horizon, provided a right guidance at a right time is available through strategic minds. Our out of box thinking helps our clients to take wise decision so as to avoid future uncertainties. For more details visit @ https://www.researchnester.com/reports/plug-in-hybrid-vehicles-market/857 Media Contac \ No newline at end of file diff --git a/input/test/Test623.txt b/input/test/Test623.txt new file mode 100644 index 0000000..7b0f0be --- /dev/null +++ b/input/test/Test623.txt @@ -0,0 +1 @@ +No posts were found Global Gin Market 2018 Industry Analysis, Size, Application Analysis, Regional Outlook, Competitive Strategies And Forecast by 2021 August 17 Share it With Friends Gin is a drink that contains alcoholic properties and considered under spirit industry. Gin is distilled from malt and then receives its peculiar flavor from juniper berries. There are three types of gin based on the process of manufacturing: post distilled gin, compound gin and column distilled gin. "Gin Market: Global Demand Analysis & Opportunity Outlook 2021" The global Gin Market is segmented in By Price:-Super Premium, Standard, Premium, Value; Alcohol by Volume (ABV):-35-40%, 40-45%, 45-50%; By Distribution Channel:-Restaurants, Bars, Retail Shops, Liquor Shops and by regions. Gin Market is anticipated to mask a significant CAGR during the forecast period i.e. 2015-2021. Gin is a drink which consists of alcoholic properties and is counted under the spirit industry. With increasing urbanization, the number of clubs, discs and bars with an exceptional demand for superior quality liquor are anticipated to aid the Global Gin Market grow exponentially over the forecast period. North America holds the largest share in the gin market owing to the exponential rise in the population of drinkers with highest number of developed countries in the North American region. Asia-Pacific is a highly lucrative region in the gin market sector owing to rapid urbanization. Request Report Sample @ https://www.researchnester.com/sample-request/2/rep-id-55 Increase in the Quality of Gin In India, gin was traditionally stored in wooden casks for the fermentation process. Whilst regional producers have been producing gins for a while, the quality has now dramatically increased, alongside the quantity of distillery be they distillers, rectifiers or blenders. Consumers search for local gins when visiting new parts of the country and bars are clamoring to have the latest spirit that is produced on their doorstep. However, increasing awareness among people regarding lifestyle related disorders such as alcoholism, alcohol induced livercirrhosis etc. is resulting in decreased consumption of gin. Such factors negatively affect the growth of the gin market. The report titled "Global Gin Market: Global Demand Analysis & Opportunity Outlook 2021" delivers detailed overview of the global Gin market in terms of market segmentation By Price; Alcohol by Volume (ABV), By Distribution Channel and by regions. Further, for the in-depth analysis, the report encompasses the industry growth drivers, restraints, supply and demand risk, market attractiveness, BPS analysis and Porter's five force model. Request for TOC Here @ https://www.researchnester.com/toc-request/1/rep-id-55 This report also provides the existing competitive scenario of some of the key players of the global Gin market which includes company profiling of Barcadi, Diageo, Pernod Ricard , San Miguel, William Grant and Sons,Beam Global, G & J, Greenall and united spirits. The profiling enfolds key information of the companies which encompasses business overview, products and services, key financials and recent news and developments. On the whole, the report depicts detailed overview of the global gin market that will help industry consultants, equipment manufacturers, existing players searching for expansion opportunities, new players searching possibilities and other stakeholders to align their market centric strategies according to the ongoing and expected trends in the future. Buy This Premium Reports Now @ https://www.researchnester.com/payment/rep-id-55 About Research Nester: Research Nester is a leading service provider for strategic market research and consulting. We aim to provide unbiased, unparalleled market insights and industry analysis to help industries, conglomerates and executives to take wise decisions for their future marketing strategy, expansion and investment etc. We believe every business can expand to its new horizon, provided a right guidance at a right time is available through strategic minds. Our out of box thinking helps our clients to take wise decision so as to avoid future uncertainties. For more details visit @ https://www.researchnester.com/reports/gin-market-global-demand-analysis-opportunity-outlook-2021/55 Media Contac \ No newline at end of file diff --git a/input/test/Test624.txt b/input/test/Test624.txt new file mode 100644 index 0000000..141295b --- /dev/null +++ b/input/test/Test624.txt @@ -0,0 +1,22 @@ +Best Student Loans 2018 How Buying an Investment Property Differs From Your Average Mortgage +Unlike mortgages for primary homes, mortgages for investment properties such as rentals, fixer-uppers and multi-unit homes come with additional hurdles that buyers must navigate. These include extra documentation and more stringent underwriting requirements. It takes a more nuanced approach to successfully purchase a property for investment. Alternative Ways to Finance Investment Properties How is the Homebuying Process Different for Investment Properties? +The purchase process for an investment property is complicated by the fact that there is significantly more information that the lender will want to consider. Since an investment property makes your financial situation more complex that usual, the requirements are stricter and more numerous. In addition, the mortgage rates you're quoted will likely be higher than if you were living on the property yourself. +Most of the things that might differ will be on the mortgage approval side. However, once your offer is accepted, purchasing a rental or investment property generally follows the same path as an owner-occupied primary residence. Below are some of the key points on which investment property purchases differ from a standard mortgage. Debt-to-Income Ratio +When buying the first home you plan to live in, your debt-to-income ratio reflects the housing expenses for that property alone. If you buy additional properties for investment, the added costs of ownership for your new and existing properties need to be factored into your debt-to-income ratios for qualifying purposes. This added complexity increases the amount of time and effort required to obtain a home loan for an investment property. Accounting for Additional Income +In mortgage applications for investment properties, lenders often request a Comparable Rent Schedule (known as an appraisal form or Form 1007) in addition to an appraisal to ascertain the revenue potential of the property relative to local rental rates. This is especially important if your lender will allow you to use that projected rental income to qualify for your loan. If you don't plan on renting out the property, you may be able to skip this step—though your chances of approval may take a hit from the loss of potential income. Likelihood of Loan Approval +If you intend to fix up the property and resell it for a profit relatively quickly, lenders may be more reluctant to provide you with long-term financing. This is because an early repayment would reduce the total amount of interest the lender can collect from the loan, hurting its expected profits. +In such cases, your loan-to-value is going to depend on the current market appraisal, not the potential future value of the home. If you plan on buying a home to flip after a couple of years, you may want to consider short-term financing options like construction or rehabilitation loans that range from six to 18 months instead. How Do Mortgages for Investment Properties Differ? +The fixed costs to obtain a mortgage for an investment property aren't very different from those on a primary home. You'll pay the same amount for items such as title inspection, escrow services and underwriting fees. However, you will face higher interest rates and loan pricing due to the higher risk of default on investment properties. Lenders also have stricter underwriting standards that affect each of the following factors. Interest Rates +The biggest difference between an owner-occupied property and an investment property are the interest rates and loan-level pricing adjustments applied by the lender. Financing an investment property requires higher interest rates and more expensive discount points on those rates. Investment property owners typically have at least one other home, which makes them riskier applicants in the eyes of a lender and increases their borrowing costs. Down Payment Requirements +A typical down payment requirement on a rental property is between 20% and 25%, though lenders can allow for lower down payments at their discretion. Certain property types and characteristics can require a higher down payment of 30% to 35%—for example, condos with hotel-like amenities or communities that allow for short-term vacation rentals. +Lenders require a higher down payment because borrowers who encounter hardship are more likely to default on these types of properties before they give up on payments for their primary residence. Lenders compensate for this risk by collecting a larger down payment on the property. Qualification Thresholds +If you are a first-time investment property buyer, lenders will adjust for your relative inexperience by imposing stricter guidelines on vacancy factors, projected rental income and reserve requirements. As you become more experienced and build a track record of profitable property management, the underwriting process becomes more accommodating. +Unless you have a lease agreement already in place with a prospective tenant, lenders will assume a 25% vacancy factor, allowing you to qualify with 75% of the projected rental income they calculate. The amount you need to show in liquid cash reserves is up to the lender, but six to 12 months worth of principal, interest, taxes, insurance and HOA dues for each property is standard. How to Qualify For a Mortgage on an Investment Property +When you're in the market for a mortgage on an investment property, there are several things you should do to increase the odds of qualifying: Maximize Your Credit Scores: Do everything you can to boost your credit score prior to applying for a mortgage on an investment property. The minimum qualifying scores are higher on investment properties than they are on primary homes, and the best interest rates and terms go to the applicants with the best credit scores and credit profiles. Minimize Your Debt-to-Income Ratio: The lower your debt-to-income ratio, the easier it will be to qualify for a mortgage on an investment property. Pay down installment loans and revolving debts ahead of your purchase to get your ratio as low as possible. You should also avoid adding any significant amounts of other debt before applying. Report All Verifiable Sources of Income: If you have any alternative sources of income like pension checks or rental income, adding them to your application can increase the likelihood of approval. Also, while it's unlikely that you would find your own tenant ahead of closing on a property, investors often "inherit" existing tenants if the property was already rented out prior to the sale. If there's enough time left on their current lease, or if they're willing to extend it, you may be able to use this income to qualify. Make a Large Down Payment: Making a bigger down payment increases your initial stake in the property and reduces the amount the lender must finance, effectively transferring risk from the lender to you. The resulting decrease in your loan-to-value ratio will make it easier to qualify for a mortgage. Alternative Ways to Finance Investment Properties +If you're having trouble qualifying for a mortgage on an investment property, here are some alternative financing options for you to consider. Some of these options are more expensive than a traditional mortgage, but others may actually save you more money in the long run. Home Equity Financing +If you have a considerable equity stake in your current home, you could refinance and take cash out of the property or use home equity to fund your investment property purchase. The benefit of this is that you don't have to offer up any new properties as collateral, although the home you're taking equity out on would be put on the line if you encounter any financial difficulties with your new investment property. Cross-Collateralization Financing +This specialty program allows you to create a single mortgage spanning two or more properties, with both properties used as collateral for your loan. This is especially useful if you already own a significant amount of equity in an existing home. Pledging additional assets makes your case stronger and more attractive to the lender. The risk of this strategy is that all of the properties are pledged as collateral and are therefore subject to foreclosure in the event of default. Seller-Based Financing +Sometimes called seller-carry financing, this method involves creating a private mortgage in which the seller also acts as the lender. One of the downsides of seller-based financing is that few sellers are able or willing to participate. Also, the interest rates on a private loan will be much higher than a traditional mortgage. Private and Portfolio Lending +Also called "hard money" loans, portfolio loans involve private equity firms or portfolio lenders creating custom loan options without needing approval from external investors. Interest rates are high, and the loans themselves can carry costly features like balloon payments and prepayment penalties . If you choose this option, examine the terms and conditions carefully to make sure you fully understand them. Personal Loans and Credit Cards +These uncollateralized or unsecured loans are made directly from the lender to you, solely based on your income and qualifying assets. They aren't tied to the property at all, which means that appraisals, loan-to-value ratios and occupancy status don't come into play. However, this also means that if you default, you won't be able to give up your house in order to pay off the loan. This form of financing can also cost more due to the high interest rates on personal loans . +Credit cards should never be used to make payments on mortgages, since they involve expensive revolving terms and may be treated as cash advances by the lender. Fannie Mae lending guidelines also prohibit the use of credit cards for down payments, making them a non-option for home purchases \ No newline at end of file diff --git a/input/test/Test625.txt b/input/test/Test625.txt new file mode 100644 index 0000000..aceb427 --- /dev/null +++ b/input/test/Test625.txt @@ -0,0 +1,32 @@ +By R Prasannan August 17, 2018 10:24 IST (File) Atal Bihari Vajpayee with Sonia Gandhi (left) | AFP +This article originally appeared in the issue of THE WEEK dated May 9, 1999 +How they have matured in a year! Last year, it was Atal Bihari Vajpayee's political charisma against Sonia Gandhi's family charisma. One was unspoiled by power politics, save for a 13-day stint as prime minister; the other appeared the least interested in power and was only there to save her late husband's party from sinking. Now both have declared their ambitions unabashedly. In post-Pokhran India, abstinence is no longer a virtue, be it in nuclear doctrine or political conduct. +The BJP and the Congress fronts are planning a direct strike at each other, kicking up a mushroom cloud that will blind others. But there are many who still bet on a dark horse. Within a week of foul mouthing the CPI(M) for playing the Congress's power game, Mulayam Singh Yadav's Samajwadi Party openly declared that the third front should fight the polls projecting Jyoti Basu as its prime ministerial candidate. +For the first time since 1991, Congress has been able to project an undisputed prime ministerial candidate. "Who is their leader?" used to be the BJP's one-line barb at the Congress and the United Front in 1998. The Congress has overcome the handicap. +Ironically, the Congress's gain—of a leadership—has also been the BJP's gain. The moment its allies realised that the enemy is no longer leaderless, they rallied behind Vajpayee hoping to strengthen him. In fact, the BJP front's biggest success after its one-vote defeat in the Lok Sabha has been the front's consolidation. +This time, not only the BJP but its allies also will ask for votes for prime minister Vajpayee. As BJP spokesman K.L. Sharma puts it, "The last elections proved our prime minister's ability. In this election, the focus will be on the Lok Sabha's stability." He claims that there is a consensus among the allies to fight the election projecting Vajpayee. +Old allies like the Samata Party and the Akali Dal would not mind it, but what about the new friends like the DMK, which had been opposing the government's policies for the last 13 months? Says a senior BJP leader: "As far as the new allies are concerned, it may be difficult for them to ask for votes in Vajpayee's name. But their strategies won't clash with ours." +BJP leaders believe that Jayalalithaa's walkout and the toppling operation have not only cemented the alliance, but also silenced Vajpayee's critics within the BJP. So much so that the BJP is pretty warm to George Fernandes's idea of a common manifesto. +Party insiders say that it is the BJP's hardliners who are now more interested in a common manifesto—an updated version of the unfinished National Agenda for Governance—than the moderates. Party spokesman Venkaiah Naidu, considered a moderate, was cautious while reacting to Fernandes's suggestion. "It is a suggestion from a well-meaning person," he said. "The national executive of the party will discuss this." +But insiders say that the hardliner party chief Kushabhau Thakre started selling the Fernandes idea to party elders days before the executive was to meet. +The BJP strategy is to leave the ideological baggage behind and fight as a party of governance. Instead of Ram temple, common civil code and scrapping of Article 370, the alliance leaders will be +talking of atom, Agni and Lahore. +The three issues, the BJP believes, would keep the enemy cautious. For unlike the ideological peaceniks in the Left combine, the Congress cannot question the bomb and missile for fear of attracting a charge of pandering to videshi interests. The Congress campaign rather would be against the BJP government's conduct after the bomb, especially on the Comprehensive Nuclear Test Ban Treaty (CTBT) talks. +On its part, the Congress is expected to sell itself from its two traditional planks—stability and secularism. The party believes that the BJP front's ability-stability plank is not going to sell since the facts militate against it. After all, a ragtag government, which fell four years before its term has no right to talk of stability. On the contrary, the Congress could point out that no Congress prime minister, even when in minority, had to quit before the end of his or her term. In other words, the Congress would put it across that it alone has the skill to govern. +If the Congress brings the issue round to governance, the BJP alliance would have much to be defensive about. Even BJP admirers agree that it was sheer political ineptitude that allowed every issue in the last 13 months—from Bhagwat to budgetary rollbacks—to snowball. +The Congress believes that its plank of being the largest—and thus strongest—secular party should sell, given the insecurity felt by the minorities. The BJP's answer to this is that the communal versus secular fight is no longer relevant, with many of the so-called secular fighters having no qualms about flirting with the BJP. On the contrary, the BJP might raise a new conflict theme— swadeshi versus videshi. But the battle line on this is yet to clear up with the third fronters giving their own definitions to this. +Mulayam Singh Yadav seems to agree with the BJP and Samata that "Videshi forces are trying to destabilise India", but his CPI(M) friend Prakash Karat says "It is not the foreign individual, but foreign-dictated policies that should be fought against". As far as foreign origin of economic policies is concerned, the third fronters like him blame both the Congress and the BJP. +Head start versus caution +The BJP believes that it does have an initial advantage over the Congress to the extent that the Congress is yet to recover from the shock of having been denied power after being so close to it. But then a head start in an election campaign has not always been to any advantage. +"In every election since 1991,"points out a Congress leader, "the BJP had a head start, but that has not always worked to their advantage. As the election approaches, you will see that the fight is over a host of other issues, mostly local." The 1998 elections were caused by the Jain Commission report, but as the battle started, it was pushed into oblivion. +That is why the BJP and allies are pushing for an early election in which the voters would be going to the booth when the events of the cruel April are still fresh in their minds. Within hours of the president ordering the dissolution of the 12th Lok Sabha and calling for general elections, the alliance leaders were knocking at Chief Election Commissioner M.S. Gill's door giving every reason—from the constitutional aberration called caretaker government to cyclones on the Bay of Bengal coast—for an early poll. +The Congress, on the other hand, is believed to be silently praying for a post-cyclonic poll by which time a hundred local issues would crop up. And by then, a few stable alliances could also be formed. As Congress spokesman Arjun Singh puts it: "An unequal alliance takes place either in haste or under compulsion." +It is this caution that is keeping the Congress from tying up with Jayalalithaa. In fact, Jayalalithaa's parting words before she left Delhi after operation goof-up were: "Once again, we hope to be part of a new government, which will have the supreme national interests at heart." But the Congress idea is to keep talking to G.K. Moopanar of the Tamil Maanila Congress who cannot join the BJP camp. +Another prospective ally is the Bahujan Samaj Party. Now that a tie-up with Mulayam is out of the question, the Congress feels that the BSP should become its natural ally. But then the Congress also realises that its bargaining strength with Mayawati has been reduced, now that it can look forward only to her as an ally in Uttar Pradesh. +The spoilers +Incidentally, there is one common desire on both sides—to reduce the now-nebulous third front to irrelevance. Both believe that India has reached a stage of two-front, if not two-party, political system. The Congress front on the one side and the BJP front on the other. +But it is on the alliance strategies that the third front can spoil the dreams of both. In its cautious way, the Congress so far has responded warmly only to Lalu Prasad Yadav. The party also seems to have learnt its lesson from the Mulayam episode and has begun to treat its ally with respect. A few days after the Operation Topple failed, Sonia Gandhi sent a sweet thank-you letter to Lalu Yadav. +But the third front— the communists and Mulayam—believe that Lalu can still be sweet-talked into breaking off with Sonia. Thus Mulayam still swears by his Rashtriya Loktantrik Morcha partnership with Lalu. "There is only one point of difference between us," says Mulayam. "The RLM remains and it is strong." +The CPI(M) does not want Lalu to break off with the Congress if that would prevent the BJP-Samata alliance from sweeping Bihar. Yet it is still in touch with Lalu. "We are talking to the Janata Dal and the Rashtriya Janata Dal," admits Karat. The CPI(M) line is to break off with those who have flirted with the BJP, especially Chandrababu Naidu, while it is softer towards the DMK. +But Uttar Pradesh is where one expects the bitterest fight between all three—and perhaps even four if the BSP fights alone. George Fernandes's recent overtures towards Mulayam have put him in deep trouble. Already Uttar Pradesh Congress Committee (UPCC) president Salman Khurshid is going round the Gangetic plain saying that Mulayam had always been helping the BJP. +Now Mulayam is expected to be more strident towards the BJP and, at least to reassert his secular credentials, work harder towards a third front. In a house where every vote counts, the Left and the SP hope to be able to tilt the balance even as the Congress and the BJP fronts attempt to reduce the third front's ability to get into mischief after the polls. TAG \ No newline at end of file diff --git a/input/test/Test626.txt b/input/test/Test626.txt new file mode 100644 index 0000000..7d6c4b1 --- /dev/null +++ b/input/test/Test626.txt @@ -0,0 +1 @@ +Enterprise email validation company Verifications.io set to announce new affiliate program August 16 Share it With Friends Enterprise level email, phone and data verification and appending. With email, phone and traditional postal marketing on the rise, the need for proper email hygiene, email list validation and other data enhancement and appending services has risen in tandem. Verifications has recently launched an affiliate program to help keep up with this demand. Almost as old as the internet, email as a service has seen its fair share of ups and downs over the years. Yet despite the treasure trove of marketing channels and new communication mediums available, email still reigns supreme for business communications and best value for your dollar marketing. Last year alone, email was utilized by more than 3 billion individuals across the globe, meaning over 50% of the entire world's population engages in the use of email. With such a broad adoption rate and reach, organizations failing to utilize email as part of their marketing mix are missing out on a valuable touch point in their customer's buying journey. Verificaitons.io – enterprise data appending, verification and more With email, phone and traditional postal marketing on the rise, the need for proper email hygiene, email list validation and other data enhancement and appending services has risen in tandem. Verifications.io is an enterprise leader in email data, spam trap removal, hygiene, appending and more for phone, email and postal data. With their easy drag and drop bulk uploading options, automated "threat removal" (i.e. honeypots and spam traps), and comprehensive reporting, it's no wonder they've grown to earn one of the best reputation in the business. New Affiliate Program Set to Hit the Stage With their continued success has come the development of a new affiliate program set to hit the stage, allowing marketers and customers alike to refer others to their platform and services earning them a fee in the process. This new affiliate program is expected to grow Verifications core market while affording others an opportunity to get in on the action and earn income from doing the same. ROI of Email As compared to other marketing channels and mediums, email shines bright as a beacon of predictable growth, sales and revenue per dollar spent. Research has demonstrated that for every marketing dollar spent on email, the sender NETs an average ROI of $38, which equates to a staggering 3800% return on monies spent. Email Marketing is Only as Good as the List it's Sent to However, unlike other forms of advertising, email is unique in that the actual emails utilized for campaigns can greatly impact the overall campaign in unexpected ways. For example, with traditional advertising if you show an advert to one individual it will not have any downstream impact on that same ad shown to a separate unique person. With email, if you send an email to an invalid email that bounces, that bounce can impact your IP reputation and deliverability of future emails, potentially even getting your IP blacklisted. This is, in part, why email validation is so critically important, and by enterprise email verification and email list hygiene services like those from Verifications.io are so important. Predictable and Sustainable Growth Companies in search of predictable growth and impressive ROIs should consider email marketing as part of their current marketing mix. However, campaigns are only as good as the data behind them. Verifications.io can help make sure the data utilized is clean, correct, and free from threats while also offering the opportunity to append for further targeting. Media Contac \ No newline at end of file diff --git a/input/test/Test627.txt b/input/test/Test627.txt new file mode 100644 index 0000000..2c443ee --- /dev/null +++ b/input/test/Test627.txt @@ -0,0 +1,40 @@ +OWEN SOUND - Two streaks continued Saturday night despite a gutsy effort from the Peterborough Petes after an early deficit. +The Owen Sound Attack clinched a playoff spot with their 10th straight win at home 4-3 over the Petes who lost their club record 16th consecutive road game on Saturday night. +Led by Pavel Gogolev's two goals the Petes rallied from an early 2-0 deficit to get back to even before falling short. It left the Petes seven points behind the Mississauga Steelheads for the final Eastern Conference playoff spot. The Petes have nine games remaining in the regular season. +The Petes tied it and had a power play late in the second period when they took a penalty to cancel it and Owen Sound scored with the teams playing four-on-four. +"That really changed the game," said Petes' interim coach Andrew Verner. "We were playing a 16-year-old goalie and our message was to test him and we certainly didn't test him enough. Guys are playing big minutes and we're short-staffed, for sure, so it was a gutsy effort but a little bit more frustrating than some of the other losses because we had them 2-2 on the road with a power play." +A night after Jonah Gadjovich set the Attack franchise record for fastest goal to start a game, 10 seconds against the Guelph Storm, Nick Suzuki scored 47 seconds into the first period against Peterborough. Suzuki danced into the slot to take a puck off the boards and slip it past Dylan Wells on a deke with the puck just dribbling over the line. +The Petes kept the Attack's top line of Gadjovich, Suzuki and Kevin Hancock off the scoresheet in their lone visit to Peterborough earlier this season. This time the line counted all four goals including two in the opening 3:47. The second goal was a give-and-go that Hancock finished off a Suzuki backhand pass from the slot. +Being on the road, Verner said he couldn't get the same defensive match-ups against that line he did at home. +"We had no match for their speed early" said Verner. "It looked like it was going to get away from us for sure. It was a big goal by Gogo at the end of the period to settle things down. Wellsy got us through the first with some big saves halfway through the period." +Gogolev continued to hold a hot hand drawing the Petes within a goal with 1:51 left in the first. He deked past an Attack defender and fired a shot that deflected off Attack forward Ethan Szypula's rear-end past goalie Mack Guzda. +A hard Petes' forecheck forced a turnover and Gogolev pounced on Zach Gallant's rebound to tie it 12:49 into the second. Gogolev has six goals in five games and leads the Petes with 26. +It was the Attack's turn for a late period goal as Hancock took advantage of a fortunate bounce to make it 3-2 at 18:31. Suzuki deflected Cole Cameron's point shot off the glass and it landed on Hancock's stick where he tucked it between Wells and the near post. +The Attack went up by two 6:38 into the third when Cameron took Suzuki's pass and ripped his first goal of the season top shelf. +Nikita Korostelev made it 4-3 midway through the third curling the puck close to his body then unleashing a shot under the crossbar for his 25th goal of the season. +NOTES: Cole Fraser returned Saturday after missing nearly three weeks with an upper body injury. Declan Chisholm returned after missing Thursday's game to illness. The Petes learned Cameron Supryka is out day-to-day after suffering an upper body injury playing for the Lindsay Muskies on Friday. The Petes dressed 10 forwards and seven defencemen with Logan DeNoble, Adam Timleck, Matt Timms and Nick Isaacson all sidelined, the latter two for the season. +Attack 4 Petes 3 Petes record: 22-31-6-6 +Attack record: 31-20-2-5 +3-stars: 1. Nick Suzuki (O); 2. Pavel Gogolev (P); 3. Kevin Hancock (O) +Hardest Working Pete: Chris Paquette +Next for the Petes: Host London Knights at 7:05 p.m. Thursday at the PMC. +Petes Summary +First Period +1-Attack, Suzuki 33 (Lyle, Hancock) 0:47 +2-Attack, Hancock 21 (Suzuki) 3:47 +3-Petes, Gogolev 25 18:09 +Penalties: Bourque (O) slashing 11:37; Osmanski (P) slashing 14:58. +Second Period +4-Petes, Gogolev 26 (Gallant) 12:49 +5-Attack, Hancock 22 (Suzuki, Cameron) 18:32 +Penalties: Babintsev (P) hooking 7:37; Gadjovich (O) hooking 8:15; Groulx (O) cross checking 13:09; Szypula (O) 18:22, Gallant (P) interference 18:24; Dudas (O) slashing 19:27; Korostelev (P) interference 19:39. +Third Period +6-Attack, Cameron 1 (Suzuki, Gadjovich) 6:38 +7-Petes, Korostelev 25 10:06 +Penalties: Black (P) fighting, game misconduct, Campbell (O) fighting, game misconduct 1:50; Babintsev (P) delay of game 15:58. +Goaltenders: Wells, Petes; Guzda, Attack. +Referees: Markovic, Wood. Linesmen: Lawson, McArthur. +Attendance: 3,164 at the Harry Lumley Bayshore Community Centre. +Shots: 1 2 3 T +Petes 8 4 8 20 +Attack 15 7 9 3 \ No newline at end of file diff --git a/input/test/Test628.txt b/input/test/Test628.txt new file mode 100644 index 0000000..a661518 --- /dev/null +++ b/input/test/Test628.txt @@ -0,0 +1,5 @@ +A&O reveals trainee retention score and boosts salaries +Allen & Overy (A&O) has announced its autumn 2018 trainee retention figures, with 80 per cent of its 46 qualifiers staying on. With a total intake of 46, 44 trainees applied to qualify, 40 of whom were offered newly qualified positions. Overall, 37 trainees accepted the offers. "This is a good result and one which […] 16 August 2018 11:47 Fieldfisher launches "feedback app" to promote positive comments +Fieldfisher has launched an app that allows lawyers to exchange positive feedback on each other's performances, after concerns were raised that a disproportionate amount of negative views are expressed in law firms. Bfrank, which was created by the firm's audio and visual support technician Billy Reid and debuted last week, allows workers to praise colleagues […] 13 August 2018 09:00 Jones Day bulks up in London with Ashurst and Dentons hires +Jones Day has snared two finance partners from Ashurst and Dentons following a raft of exits from its London office since the start of the year. Partner Ewen Scott left Ashurt's global loans group last week and will join Jones Day's banking, finance and securities practice at the end of August. He will be joined by Dentons finance partner Lee […] 13 August 2018 18:42 CMS eyes ambitious headcount growth in disputes tech arm +Over a year into its tripartite merger with Nabarro and Olswang, CMS is plotting further growth in its in-house technology business to cut down on time-intensive data tasks in its litigation department. Unit leader Chris Baldwin told The Lawyer it expects to grow its litigation technology unit, CMS Evidence, by nearly eight-fold in the next three […] 14 August 2018 09:00 Loyens & Loeff advises Development Partners on acquisition of stake in MNT Investments 17 August 2018 09:4 \ No newline at end of file diff --git a/input/test/Test629.txt b/input/test/Test629.txt new file mode 100644 index 0000000..a4b17ff --- /dev/null +++ b/input/test/Test629.txt @@ -0,0 +1,16 @@ +3 Strategies for Trade Show Success: Engage, engage, engage! +By: Mitch Tidman, Managing Director, Palladium Marketing +When it comes to trade shows, one thing is for sure: you'll miss 100% of all opportunities from prospective buyers with whom you do not engage at a show. +Walk into any exhibition hall, and you'll see booth staff standing in the corridors, or in the booth with their backs to the aisle, or on cell phones and laptops, or simply shooting the breeze with colleagues. That's no way to grab the attention of your prospective buyers or encourage them to interact with your brand. +But fear not. There is a simple, yet highly effective way of turning around lackluster trade show results: ENGAGE! Engage with customers or prospects before the show, during the show, and after the show to both optimize your trade show ROI and enhance your customers' experience. Engage Before the Show +A few fun facts: According to the Center for Exhibitions Industry Research (CEIR), buyers generally plan their time on the trade show floor in advance and 76% of attendees use pre-show communications from exhibitors to plan their time at a show. In addition, a CEIR study with Deloitte & Touche showed that exhibitors who conducted pre-show engagement campaigns saw a 50% increase in their conversion of booth visitors to qualified leads. +Of course, this is easier said than done for over-worked marketing professionals already managing many other projects. But consider this: the difficulty and cost associated with engaging prospective buyers daily is real. At any well-targeted trade show, you have thousands—sometimes tens of thousands of prospects— with whom your booth staff are rubbing shoulders and with whom they could be interacting. Engage During the Show +Sales people and booth staff have been selected not just to run the booth, but to engage with prospects on the exhibition floor as if there were no tomorrow. As a marketer, you must set high expectations , communicating to the booth team that you care about and are tracking the results., and that the CEO is watching and holding them accountable. +Provide tools and training to the sales team weeks prior to the event with goals of setting up three pre-planned meetings with attending customers. Show them techniques of how to engage with a passerby. Show them also how to disengage once they have the relevant information. Set realistic yet ambitious goals. +Per a 2012 report by CEIR called The Role and Value of Face to Face Interaction , only 26% of exhibitors conduct training for all or most events, and more than 50% rarely or never hold exhibit staff training sessions. Turn other organizations' poor planning into your competitive advantage by prepping your sales team to show up ready to go out on the floor and make your brand known. Engage After the Show +Your job as a marketer is not to collect leads from the show. Your job is to provide actionable data to the organization in the form of: qualified opportunities for the sales funnel contacts and connections for marketing nurturing campaigns customer surveys for the product development teams, and competitive information that might give you the edge in a future deal +Make sure you have processes in place for each of these and that those processes are followed. +Trade shows can be very costly and account for a sizable piece of the marketing budget. One missed opportunity could be the difference between making the yearly budget or missing it. +It's not rocket science. Select the right people, set high expectations, train them well, give them the right tools, and have the processes in place to act on the data on the back end. Your boss, the sales teams, the CMO, the CEO—each of them will thank you for it. +Interested in helping your team improve your visibility, generate & qualify leads, and increase engagement at your trade shows and live events? Check out our 8/21 Back-to-Trade Show Season! A CX and Sales Enablement Special Event! +Mitch Tidman is the Managing Director of Palladium Marketing. He is currently chairs AMA Cincinnati's CX and Sales Enablement Community and served on the Board of Directors as the VP of Strategic Partnerships in 2017-2018 \ No newline at end of file diff --git a/input/test/Test63.txt b/input/test/Test63.txt new file mode 100644 index 0000000..8c69c62 --- /dev/null +++ b/input/test/Test63.txt @@ -0,0 +1,10 @@ +Scientists are watching baby turtles from space By Chelsea Gohd Space.com Staff Writer | Space.com Email +A baby bog turtle rests in a palm. Researchers will monitor the movement and environments of animals like baby turtles using antennae attached to the International Space Station. (Rosie Walunas/USFWS National Digital Library) +Thanks to technology that cosmonauts are installing on the International Space Station, scientists will get an extraterrestrial view of baby turtles and other wildlife. +On a spacewalk Wednesday (Aug. 15), two cosmonauts are attaching antennae to the space station as part of a cutting-edge animal-tracking system for the International Cooperation for Animal Research Using Space (ICARUS) Initiative. Within this initiative, biodiversity researchers at the Max Planck-Yale Center (MPYC) for Biodiversity Movement and Global Change will be able to monitor animals such as fruit bats, baby turtles, parrots and songbirds from space, according to a statement from Yale. The project is a collaboration between the Russian and German space agencies. +This is not the first time that animals have been tracked from space. Previously, space-based instruments have helped to track animal migration and even show how species respond to seasonal or climate changes. With these new efforts, however, researchers will be able to see "not only where an animal is, but also what it is doing," Martin Wikelski, chief strategist for the ICARUS Initiative, director of the Max Planck Institute for Ornithology and co-director of the MPYC, said in the statement. [ Photos: Pioneering Animals in Space ] +This does not mean that researchers will be able to see exactly when every single baby turtle or songbird eats, makes a sound or takes a step, but researchers will get a much more detailed picture of how these populations are behaving. More From Space.com Photos: Pioneering Animals in Space +To get this exceptional data, transmitters attached to animals in the field will send a data packet of 223 bytes up to the antennae on the space station. Data packets will be sent up about four times per day, or every time a transmitter enters the space station's beam, the researchers explained in the statement. After it is received on the space station, the data will be sent to researchers on the ground. +The transmitters will send data on everything from individual animals' acceleration; their alignment to Earth's magnetic field; and specific and moment-to-moment conditions, like ambient temperature, air pressure and humidity, according to the statement. By early 2019, the team hopes to have 1,000 of these transmitters out in the field, and the researchers hope to ultimately grow that number to 100,000. By early 2019, researchers will be able to start analyzing the data collected. +"In the past, tracking studies have been limited to, at best, a few dozen simultaneously followed individuals, and the tags were large and readouts costly," Walter Jetz, a professor of ecology and evolutionary biology at Yale and co-director of the MPYC, said in the statement. "In terms of scale and cost, I expect ICARUS to exceed what has existed to date by at least an order of magnitude and, someday, potentially several orders. This new tracking system has the potential to transform multiple fields of study." +Original article on Space.com \ No newline at end of file diff --git a/input/test/Test630.txt b/input/test/Test630.txt new file mode 100644 index 0000000..7283016 --- /dev/null +++ b/input/test/Test630.txt @@ -0,0 +1 @@ +You've been outbid. Don't let it get away - place another bid. You've been outbid by an automatic bid placed earlier by another bidder. You're the highest bidder on this item! You're the first bidder on this item! You're the highest bidder on this item, but you're close to being outbid. This auction is almost over and you're currently the high bidder. You're the high bidder on this item, but the reserve price hasn't been met yet. You've been outbid by someone else. You can still win! Try bidding again. You've been outbid by someone else's max bid. You can still win! Try bidding again. You've been outbid by someone else. Try raising your max bid. You're the highest bidder! To increase your chances of winning, try raising your bid. You're the first bidder. Good Luck! You're still the highest bidder! You increased your max bid to Please enter your bid again. Enter a valid amount for your bid. Enter a bid that is the minimum bid amount or higher. You have to bid at least Sorry, you can't lower your maximum bid once it's placed. This seller requires the buyer to have a PayPal account to purchase this item. Get a PayPal account here . Your bid is the same as or more than the Buy It Now price.You can save time and money by buying it now. Place bid Review and confirm your bid Bid confirmation Enter a custom max bid more than ##2## Enter a custom max bid of ##2## or more + ##2## approximate import charges Please enter a higher amount than the current bid. + ##2## for shippin \ No newline at end of file diff --git a/input/test/Test631.txt b/input/test/Test631.txt new file mode 100644 index 0000000..18b7a58 --- /dev/null +++ b/input/test/Test631.txt @@ -0,0 +1,15 @@ +Tungsten Products Market Sales, Revenue, Gross Margin and Market Share Forecast to 2025 August 17 Share it With Friends Global Tungsten Products Market Status and Outlook 2018-2025 A new research study from HTF MI with title Global Tungsten Products Market Status and Outlook 2018-2025 provides an in-depth assessment of the Tungsten Products including key market trends, upcoming technologies, industry drivers, challenges, regulatory policies, key players company profiles and strategies. The research study provides forecasts for Tungsten Products investments till 2022. +Access Sample Copy @: https://www.htfmarketreport.com/sample-report/1298172-global-tungsten-products-market-4 +If you are involved in the Tungsten Products industry or intend to be, then this study will provide you comprehensive outlook. It's vital you keep your market knowledge up to date segmented by Medicine, Lighting, Electronics, Aerospace & Others, Tungsten Bucking Bar, Tungsten Rod, Evaporation Boats, Electron Gun Parts, Tungsten Wire & Others and major players. If you have a different set of players/manufacturers according to geography or needs regional or country segmented reports we can provide customization according to your requirement. +Buy this research report @ https://www.htfmarketreport.com/buy-now?format=1&report=1298172 +The Study is segmented by following Product Type: Tungsten Bucking Bar, Tungsten Rod, Evaporation Boats, Electron Gun Parts, Tungsten Wire & Others +Major applications/end-users industry are as follows: Medicine, Lighting, Electronics, Aerospace & Others +Geographically, this report is segmented into several key Regions such as North America, Europe, Asia-Pacific etc, with production, consumption, revenue (million USD), and market share and growth rate of Global Tungsten Products in these regions, from 2012 to 2022 (forecast) +Early buyers will receive 10% customization on reports. Read Detailed Index of full Research Study at @ https://www.htfmarketreport.com/reports/1298172-global-tungsten-products-market-4 +Major companies covered in the report: Midwest Tungsten Service, ITIA, Elmet, Global Tungsten & Powders, Aero Industries Inc, ATI, Metal Cutting, H.C. Starck, Buffalo Tungsten Inc. & Novotec +This study also contains company profiling, product picture and specifications, sales, market share and contact information of various international, regional, and local vendors of Global Tungsten Products Market. The market competition is constantly growing higher with the rise in technological innovation and M&A activities in the industry. Moreover, many local and regional vendors are offering specific application products for varied end-users. The new vendor entrants in the market are finding it hard to compete with the international vendors based on quality, reliability, and innovations in technology. +Some of the key questions answered in this report: – Detailed Overview of Global Tungsten Products market helps deliver clients and businesses making strategies. – Influential factors that are thriving demand and constraints in the market. – What is the market concentration? Is it fragmented or highly concentrated? – What trends, challenges and barriers will impact the development and sizing of Tungsten Products market? – SWOT Analysis of each key players mentioned along with its company profile with the help of Porter's five forces tool mechanism to compliment the same. – What growth momentum or acceleration market carries during the forecast period? – Which region is going to tap highest market share in future? – What Application/end-user category or Product Type may see incremental growth prospects? – What would be the market share of key countries like United States, France, UK, Germany, Italy, Canada, Australia, Japan, China or Brazil etc. ? – What focused approach and constraints are holding the market tight? – Make inquiry before purchase @ https://www.htfmarketreport.com/enquiry-before-buy/1298172-global-tungsten-products-market-4 +There are 15 Chapters to display the Global Tungsten Products market. Chapter 1, About Executive Summary to describe Definition, Specifications and Classification of Tungsten Products market, Applications [Medicine, Lighting, Electronics, Aerospace & Others], Market Segment by Regions; Chapter 2, to analyze objective of the study. Chapter 3, to display Research methodology and techniques. Chapter 4 and 5 , to show the Overall Market Analysis, segmentation analysis, characteristics; Chapter 6 and 7, to show the Market size, share and forecast; Five forces analysis (bargaining Power of buyers/suppliers), Threats to new entrants and market condition; Chapter 8 and 9, to show analysis by regional segmentation[North America, Europe, Asia-Pacific etc ], comparison, leading countries and opportunities; Regional Marketing Type Analysis, Supply Chain Analysis Chapter 10, focus on identifying the key industry influencer's, overview of decision framework accumulated through Industry experts and strategic decision makers; Chapter 11 and 12, Market Trend Analysis, Drivers, Challenges by consumer behavior, Marketing Channels and demand & supply. Chapter 13 and 14, describe about the vendor landscape (classification and Market Positioning) Chapter 15, deals with Global Tungsten Products Market sales channel, distributors, traders, dealers, Research Findings and Conclusion, appendix and data source. +Thanks for reading this article; you can also get individual chapter wise section or region wise report version like North America, Europe or Asia. +About Author: HTF Market Report is a wholly owned brand of HTF market Intelligence Consulting Private Limited. HTF Market Report global research and market intelligence consulting organization is uniquely positioned to not only identify growth opportunities but to also empower and inspire you to create visionary growth strategies for futures, enabled by our extraordinary depth and breadth of thought leadership, research, tools, events and experience that assist you for making goals into a reality. Our understanding of the interplay between industry convergence, Mega Trends, technologies and market trends provides our clients with new business models and expansion opportunities. We are focused on identifying the "Accurate Forecast" in every industry we cover so our clients can reap the benefits of being early market entrants and can accomplish their "Goals & Objectives". +Media Contac \ No newline at end of file diff --git a/input/test/Test632.txt b/input/test/Test632.txt new file mode 100644 index 0000000..dc968de --- /dev/null +++ b/input/test/Test632.txt @@ -0,0 +1,10 @@ +Share +Every new mom who chooses to breastfeed should be able to do so as long as she likes — even if she has to go back to work. The health benefits to both her and her baby far outweigh any slight inconvenience her need to pump in the workplace might cause her co-workers. So why exactly are only two cities protecting breastfeeding moms' rights in the workplace? +A new study out of the University of Pennsylvania and the Children's Hospital of Philadelphia (CHOP) looked at how much support breastfeeding moms were offered on a city level across the country, as Science Daily reported. There is already a federal law in place that protects a woman's right to pump breast milk at work called Break Time For Working Mothers , but its protections are limited. +Essentially, the Break Time For Working Mothers law requires an employer to provide reasonable break time for women to express milk for one year after their child is born, and a place for them to do so that is not a washroom. That being said, the employer is not required to pay for this break, and workplaces with fewer than 50 employees are not subject to this federal law. Which leaves a massive amount of women to try to make their own accommodations at work for expressing milk. Blanscape/ Fotolia +CHOP lactation program director Diane Spatz and Elizabeth Froh, a nurse scientist at CHOP, decided to look into which cities across the country might offer more support than the basic level protected by federal law. +They enlisted six Penn Nursing undergraduates , according to Penn Today , and set about trying to get a clearer picture of which cities offered breastfeeding support for working moms. Researchers looked at websites, contacted the mayors' offices and followed up with phone calls in each capital and the two second largest cities in every state. This was 151 cities in all. Spencer Platt/Getty Images News/Getty Images +The results were less than positive — considerably less. Only two cities, New York City and Philadelphia, offered moms extra support for breastfeeding when they went back to work. And the information was apparently difficult to get in the first place, as Froh explained to Science Daily: You can easily access information about legal protections for breastfeeding moms on a federal and state level. But it's a challenge to get at the city-level legislation. It was surprising to all of us how difficult and inaccessible this information truly was. +One of the research assistants also noted that, when she was calling city offices, her queries were met with defensiveness, evasion, and silence in some cases. When she changed the way she asked about city support for breastfeeding moms, posing as a mom herself who might need access to extra help, she was told quite quickly that there was "no protection," according to the same article in Science Daily. +Considering the fact that only two out of a possible 151 cities offered protection for lactating moms (like extra breaks to pump milk more frequently, more space, storage for expressed milk, etc.), the researchers heard this response a lot. And here's why this is a problem, as Froh told Penn Today : People have been asking us why we did this. Well, 56 percent of the workforce in the United States is now women. With all of the limitations in the federal law, there is a huge segment of the working population that isn't covered. We see this as a social-justice issue and a public-health issue. This one study, looking at what is out there currently, is just a starting point. +There is irrefutable evidence that breastfeeding is good for both mothers and babies. And if a woman chooses to do so let's face it; the Break Time For Nursing Moms isn't a law that was written to support everyone. Cities need to step in on a grass-roots level, to start making sure they are protecting more the rights of more than half of their work force. Because two cities out of 151 is quite simply unacceptable \ No newline at end of file diff --git a/input/test/Test633.txt b/input/test/Test633.txt new file mode 100644 index 0000000..eed6f5a --- /dev/null +++ b/input/test/Test633.txt @@ -0,0 +1 @@ +No posts were found Increasing Number of Pets across the Globe to Foster the Growth of Global Veterinary Pain Management Drugs Market in Future – Research Nester August 17 Share it With Friends Global veterinary pain management drugs market is anticipated to witness a CAGR of 7.8% over the forecast period. Further, rising expenditure on pet and increasing number of pet adoptions across the globe is expected to foster the growth of the global veterinary pain management market. Apart from this, high rate of adoption of pets in developed countries is expected to positively impact the growth of the veterinary pain management market. " Global Veterinary Pain Management Drugs Market: Global Demand Analysis & Opportunity Outlook 2024 " The global veterinary pain management drugs market is segmented into opioids, agonists, Local Anesthetics, NSAIDs (Non-steroidal Anti Inflammatory Drugs), Disease-modifying Osteoarthritis Drugs (DMOAD) and others. Growing number of veterinary clinics and hospitals across the globe is aiding to the growth of veterinary pain management drugs market. Moreover, growing spending on pet healthcare is expected to accelerate the growth of the veterinary pain management drugs market in the upcoming years. Global Veterinary Pain Management Drugs Market is expected to flourish at a CAGR 0f 7.8% over the forecast period. Rising prevalence of animal diseases coupled with increasing number of veterinary hospitals and clinics are likely to spearhead the growth of the veterinary pain management drugs market. Moreover, the global veterinary pain management drugs market is expected to garner noteworthy revenue by the end of 2024. North America accounted for largest market share in overall veterinary pain management drugs market in 2016. Moreover, North America is expected to continue its dominance over the forecast period. Increasing number of veterinary practitioners in the region is believed to significantly increase the demand for veterinary pain management drugs during the forecast period. U.S. is witnessing the augmented demand for veterinary pain management drugs. Asia Pacific is also expected to showcase significant growth in the veterinary pain management drugs market. Increasing adoption of companion animals coupled with growth in number of veterinary clinics signals promising growth of veterinary pain management drugs market in the upcoming years. Request Report Sample @ https://www.researchnester.com/sample-request/2/rep-id-723 Rising Number of Veterinarians Across the Globe Rise in the number of veterinarians across the world is believed spearhead current and future market growth of veterinary pain management drugs during the forecast period. For instance, according to American Veterinary Medical Association, in U.S., the number of veterinarians increases from 92,547 in 2011 to 107,995 in 2016. Moreover, the number of veterinarians is expected to increase across the globe which is expected to drive the growth of the veterinary pain management drugs market. Growing Pet Ownership Significant increase in the number of pet parents or pet owners who consider pet as a part of their family is anticipated to positively impact the growth of the market. For instance, As per PetSecure, more than 90% of the Americans consider pets as a part of their family. In addition, pet owners are spending more on the healthcare of pets due to their strengthening bond. This factor is anticipated to positively impact the growth of the veterinary pain management drugs market. However, increasing cost of veterinary pet care is expected to negatively impact the growth of the global veterinary pain management drugs market. Request for TOC Here @ https://www.researchnester.com/toc-request/1/rep-id-723 The report titled " Global Veterinary Pain Management Drugs Market: Global Demand Analysis & Opportunity Outlook 2024 " delivers detailed overview of the global veterinary pain management drugs market in terms of market segmentation by product, by animal type, by application, by distribution channel and by region. Further, for the in-depth analysis, the report encompasses the industry growth drivers, restraints, supply and demand risk, market attractiveness, BPS analysis and Porter's five force model. This report also provides the existing competitive scenario of some of the key players of the global veterinary pain management drugs market which includes company profiling of Boehringer Ingelheim, Zoetis, Inc. , Merck Animal Health , Elanco , Bayer AG, Vetoquinol S.A., Ceva Santé Animale, Virbac Group, Norbrook Laboratories Ltd, Dechra Pharmaceuticals and other key players . The profiling enfolds key information of the companies which encompasses business overview, products and services, key financials and recent news and developments. On the whole, the report depicts detailed overview of the Global veterinary Pain Management Drugs market that will help industry consultants, equipment manufacturers, existing players searching for expansion opportunities, new players searching possibilities and other stakeholders to align their market centric strategies according to the ongoing and expected trends in the future. Buy This Premium Reports Now @ https://www.researchnester.com/payment/rep-id-723 About Research Nester: Research Nester is a leading service provider for strategic market research and consulting. We aim to provide unbiased, unparalleled market insights and industry analysis to help industries, conglomerates and executives to take wise decisions for their future marketing strategy, expansion and investment etc. We believe every business can expand to its new horizon, provided a right guidance at a right time is available through strategic minds. Our out of box thinking helps our clients to take wise decision so as to avoid future uncertainties. For more details visit @ https://www.researchnester.com/reports/veterinary-pain-management-drugs-market/723 Media Contac \ No newline at end of file diff --git a/input/test/Test634.txt b/input/test/Test634.txt new file mode 100644 index 0000000..9609f3e --- /dev/null +++ b/input/test/Test634.txt @@ -0,0 +1,7 @@ +No posts were found Dr. Kelly Miller Hits Number One on the Amazon Best Sellers List with "Saving Your Brain" August 17 Share it With Friends Saving Your Brain by Dr. Kelly Miller hits #1 on the Amazon.com Brain Diseases Best Sellers List. Dr. Kelly Miller, the founder of Health Restoration, topped the Amazon.com Best Sellers Lists on August 8th with a #1 ranking in Brain Diseases, and a #2 ranking in Alternative Holistic Medicine. Saving Your Brain: Causes, Prevention, and Reversal of Dementia/Alzheimer's was also recognized as a #2 Hot New Release. +Saving Your Brain explains how genetics, lifestyle choices, and environmental hazards contribute to the development of Alzheimer's, dementia and other brain diseases. Fortunately, research shows that prevention and reversal of these conditions are possible when caught sufficiently early. Dr. Miller describes specific actions and strategies a person can take to markedly reduce his/her risk of succumbing to the diseases outlined in the book. Dr. Miller also shares two new, natural, non-drug technologies that can help the brain function optimally. The book describes a cutting-edge technology that makes early detection of Alzheimer's, dementia, concussion, Parkinson's, depression, and other neurological problems possible with a phone app using voice recognition. +In response to the book hitting #1, Dr. Miller said, "I am very excited about the response to the book. Because Alzheimer's is the fastest cause of death in the US, it is important that people know that there is hope and that there are options available to them. By becoming informed about the causes of brain diseases and the treatment options available, people can implement the strategies outlined in the book to avoid, eliminate, or reverse conditions related to these diseases. Prevention and early detection are the keys to success." +Dr. Miller's educational background in acupuncture, chiropractic, naturopathy, functional diagnostic medicine, aging, and regenerative medicine allow for a multifaceted analysis and insight into the body's anatomy, physiology, and biochemistry to help patients restore their lost health, or develop a strategy for functional longevity. His understanding of how to combine these disciplines produces outstanding outcomes for his patients. +Dr. Miller is the author of seven health-related books. The first three books, 13 Secrets to Optimal Aging: How your Hormones can Help you Achieve a Better Quality of Life and Longevity , and Micronutrient Testing: How to Find Out what Vitamins, Minerals, and Antioxidants you Need and Is your Environment Stressing you Out? How to Pro-Actively Protect Yourself from Environmental Toxins , are now available on Amazon.com and on Kindle. +Saving Your Brain: Causes, Prevention, and Reversal of Dementia/Alzheimer's is available on Amazon.com at https://www.amazon.com/Saving-Your-Brain-Prevention +For more information about Dr. Miller go to http://www.drkellymiller.com Location Info: 11804 N 56th St , Temple Terrace , FL 33617 (813) 985-519 \ No newline at end of file diff --git a/input/test/Test635.txt b/input/test/Test635.txt new file mode 100644 index 0000000..0d92683 --- /dev/null +++ b/input/test/Test635.txt @@ -0,0 +1,10 @@ +in India — by Vidya Bhushan Rawat — August 17, 2018 +Atal Bihari Vajpayee is no more. He lived a complete life and was inactive for nearly a decade. The end came around 505 pm in the evening though speculations had been in the rife for the last two days. He was known to be a great speaker as most of his speeches which were laced with wits and humors but not much in substance, particularly in Parliament yet he was a man who any one could meet and share his ideas with. More than a prime minister of India, Vajpayee would be remembered as a parliamentarian who enjoyed a good repartee with political leaders across party lines and all of them did not become his enemy when he was in power, just because they were his opponents, as happening today. I had opportunity to listen to him on two to three occasions during my student days and always felt that though there was wit in his speeches, the contents always missed. +Vajpayee was not happy with Modi's dealing with Gujarat riots and asked him to follow the Rajdharma or quit but the BJP high command instigated and controlled by Lal Krishna Advani did not agree to that. It was Advani who wanted to come out of shadow of Vajpayee in 1990 and started the Somnath-Ayodhya yatra though Vajpayee remained helpless in the party that time and allowed things to worsen including justifying the Ayodhya campaign though when the Babari Masjid was demolished, he was not there and expressed 'grief'. Many people suggested he was right man in wrong party but people like us felt that he was 'Right' man in 'Right' party. He might be a 'liberal' in personal life but not really in political thoughts. One of the hallmarks of great orators is always the rhetoric and big jargons and Vajpayee was no exception to it. +Vajpayee lived an unorthodox life though the party and organization that he belonged to would not have allowed others to do the same as they all 'championed' 'swadeshi sanskriti'. He himself described many times how he might not be a married person but not necessary a bachelor. During Morarji Desai's tenure when Atal Bihari Vajpayee was the foreign Minister, the darling of Sangh Parivar today, Subrahmanyam Swamy actually campaigned against him and complained to the prime minister too. +Atal Bihari Vajpayee was not the greatest statesman, not a quality poet but he was definitely a seasoned political leader who we could talk and speak unlike the megalomaniac of the day. Political relations had not worsened during Vajpayee's tenure as they have happened today. He was still far superior and better than leaders of current dispensation. +Vajpayee was not well for years. He was virtually out of parliamentary life after demitting office but the way his health was kept secret and people visiting him were never allowed to be photographed with him, was a sad reflection. People have a right to know about the leaders and their health as the money spent on their 'well-being' comes from the exchequer's funds. For the last two days there have been rumors across the social media about his death but government never bothered to clarify its position. Sad that this secret continue to be kept and maintained by the government which is reflective of the nature of things happening today and how media is being controlled and managed. +The way electronic channels have been left out to promote irrationality and brahmanical superstition pending to Vajpayee's death is shameful. We all have to die and Vajpayee was at his fag end so why this pray for health, vajapyee ke swasthya ke liye uthe karoro haath, haar nahi manuga and all those stupid headlines that makes people irritant. Everywhere there was rumor that he had passed away yesterday only but the government did not think it proper to clarify it. If his health deteriorated yesterday in the morning why it was hidden from the media just to ensure that Red-Fort speech go uninterrupted. It is sad reflection of today's manipulative politics. +As a prime minister he failed to control intrusion in Kargil resulting in a huge loss of life of our brave soldiers. He had the dubious distinction in dismissing the naval chief Admiral Vishnu Bhagwat. His HRD Minister Murli Manohar Joshi was hell-bent to bring saffron influence in education and his foreign minister Jaswant Singh went to Kandahar with money and an arrested terrorist to get the IA 184 flight back to India after the terrorists had demanded money and release of their leader. The nuclear test is hailed as a great success story of the government but the fact India lost face internationally and it impacted our economy. Anyway, he was plainly following the Congress government's foreign policy in this regards. Atal Bihari Vajpayee's biggest failure was his inability to get the resignation of Narendra Modi from the chief minister of Gujarat in 2002d in the aftermath of the riots and his famous Rajdharm quote, which was nothing but an attempt to keep his liberal image intact. It did not help as Advani continued to dominate in the political decision making of the party. He could have saved India from disaster if he had asserted and not allowed over ambitious Advani to do things at his whims and fancies. Advani lost everything. The person he nurtured and protected today does not find time to even greet him but Vajpayee remain guilty of not speaking and taking stand against his own colleague spilling venom against minorities. Somewhere he was part of that Sanghi led narrative of liberal verses hardliner which emerge every time there is a leadership crisis in the party. +Though he could be called one of the finest orators and parliamentarians yet he was never a great prime minister even when the Sangh Parivar and the paid media might hail him to the greatest heights but he was definitely not an autocrat or dictator, democracy never felt threatened under him as we are witnessing and feeling today. While the current dispensation will use him but never miss him, all those who believe in democratic polity will definitely miss him. In his death Atal Bihari Vajpayee is liberated from the pains and sorrows of life that he had been facing for the past one and a half decade. We have lost a great human being and a politician of an age when differing viewpoints never meant being anti-national. Whatever people rank him as a prime minister, to be fair to him, he was the greatest of the leader from the Right Party where space for discussions, differences and dissent is fast decreasing and politics has become an art of 'management'. One thing is sure, if Vajpayee were active politically, he would have never kept his voice silence on the politics of BJP today, the incidents of lynching and demonization of Muslims. Unlike the painful silence of Advani and Joshi, he would have spoken against it. Most of those 'liberals' in BJP who proudly swear by Vajpayee have very conveniently adjusted to the thoughts and actions of the current dispensation which were definitely not the same. +Vidya Bhushan Rawat is a social and human rights activist. He blogs at www.manukhsi.blogspot.com twitter @freetohumanity Email: vbrawat@gmail.com Share this \ No newline at end of file diff --git a/input/test/Test636.txt b/input/test/Test636.txt new file mode 100644 index 0000000..1aff415 --- /dev/null +++ b/input/test/Test636.txt @@ -0,0 +1 @@ +No posts were found Global Endocavity Transducers Market 2018 Industry Analysis, Size, Application Analysis, Regional Outlook, Competitive Strategies And Forecast by 2027 August 17 Share it With Friends Endocavity transducers market is anticipated to record a significant CAGR over the forecast period. Many multi-national companies are focusing towards new product advances in endocavity transducers. Furthermore, the specific and precise nature of these devices makes them more appealing to healthcare physicians to use. "Endocavity Transducers Market: Global Demand Analysis & Opportunity Outlook 2027" The global endocavity transducers Market is segmented in by product:-curvilinear, phased array, convex, linear; others by application:-obstetrics/ gynecology, urology; by end-user industries:-hospitals, ambulatory surgical centers, clinics, diagnostic centers and by regions. Endocavity transducers market is anticipated to mask a significant CAGR during the forecast period i.e. 2018-2027. Factors for instance rapid technological developments, demand for advance diagnosis and rise in the number of surgical processes are estimated to increase the growth of global endocavity transducer market worldwide. Also its better quality over generic clinical diagnosis is estimated to aid in the Endocavity Transducers Market growth. Furthermore, increase in adoption of innovative products and escalating investment to support medical and healthcare development is anticipated to increase the growth of global endocavity market. North America's endocavity transducer market is assessed to hold highest revenue share owing to increase in adoption of innovative products, rise in awareness for endocavity transducers and growing infrastructure investment to support healthcare development. In Asia-Pacific region, the market for endocavity transducer is particularly pushed up by rise in adoption of advance clinical diagnosis and increasingly rising cognizance among the population. Request Report Sample @ https://www.researchnester.com/sample-request/2/rep-id-900 Increasing R&D activities Global endocavity transducers market is propelled by the increasing technological advancements due to R&D activities in the field, speedy improvements and innovations in production technologies and rise in the number of surgical processes across the globe. Climbing sale in healthcare sector and acceptance of new technologies in developing countries are further stimulating the global market for endocavity transducers. Rising R&D activities and awareness among people play the key aspects in propelling the global market for endocavity transducers. Increased operator comfort, sensitivity, easy sterilization and reduced noise in recently developed transducers are additionally estimated to aid in the global market growth of endocavity transducers. However lack of regulations and coordination of guidelines, shortage of expert professionals may act as some key reasons for the obstruction of the global endocavity transducers market. Request for TOC Here @ https://www.researchnester.com/toc-request/1/rep-id-900 The report titled "Global Endocavity Transducers Market: Global Demand Analysis & Opportunity Outlook 2027" delivers detailed overview of the global endocavity transducers market in terms of market segmentation by product:-curvilinear, phased array, endocavity, linear; by application:-obstetrics/ gynecology, urology; by end-user industries:-hospitals, ambulatory surgical centers, clinics, diagnostic centers and by regions. Further, for the in-depth analysis, the report encompasses the industry growth drivers, restraints, supply and demand risk, market attractiveness, BPS analysis and Porter's five force model. This report also provides the existing competitive scenario of some of the key players of the global endocavity transducers market which includes company profiling of Philips Healthcare, GE Healthcare, Mindray ZONARE, Toshiba Medical Systems, FUJIFILM SonoSite, Inc., Hitachi Medical Systems, Providian Medical, CIVCO Medical, Analogic Corporation. The profiling enfolds key information of the companies which encompasses business overview, products and services, key financials and recent news and developments. On the whole, the report depicts detailed overview of the global aerospace fasteners market that will help industry consultants, equipment manufacturers, existing players searching for expansion opportunities, new players searching possibilities and other stakeholders to align their market centric strategies according to the ongoing and expected trends in the future. Buy This Premium Reports Now @ https://www.researchnester.com/payment/rep-id-900 About Research Nester: Research Nester is a leading service provider for strategic market research and consulting. We aim to provide unbiased, unparalleled market insights and industry analysis to help industries, conglomerates and executives to take wise decisions for their future marketing strategy, expansion and investment etc. We believe every business can expand to its new horizon, provided a right guidance at a right time is available through strategic minds. Our out of box thinking helps our clients to take wise decision so as to avoid future uncertainties. For more details visit @ https://www.researchnester.com/reports/endocavity-transducer-market/900 Media Contac \ No newline at end of file diff --git a/input/test/Test637.txt b/input/test/Test637.txt new file mode 100644 index 0000000..4118efd --- /dev/null +++ b/input/test/Test637.txt @@ -0,0 +1,2 @@ +Effective & Affordable On-page SEO Services | YourSeoPick (6 Doreen Court, Edison, Nj 08820, U.S., USA, 04:01 04:02 Expires On : Sunday, 25 November, 2018 03:01 Reply to : (Use contact form below) +Want to increase the visibility of your website in search results? Get the best SEO services to your website from YourSEOPick. We are Offering a wide range of SEO services consisting of an SEO audit, on-page optimization, off-page optimization, content writing, social media marketing, PPC, Local SEO and Mobile SEO for almost every type of business. It is ok to contact this poster with commercial interests \ No newline at end of file diff --git a/input/test/Test638.txt b/input/test/Test638.txt new file mode 100644 index 0000000..2c93b15 --- /dev/null +++ b/input/test/Test638.txt @@ -0,0 +1,17 @@ +ISG Expands Provider Evaluations to the UK +ISG Provider Lens Quadrant series launched with report evaluating providers offering infrastructure, data center and private cloud services +LONDON , Aug. 17, 2018 /PRNewswire/ -- Information Services Group (ISG) (Nasdaq: III), a leading global technology research and advisory firm, today announced it is expanding its ISG Provider Lens research coverage to the UK, with a report evaluating providers offering infrastructure, data center and private cloud services in this market. +The ISG Provider Lens Infrastructure and Data Center/Private Cloud Quadrant Report evaluates 45 providers serving the UK market across five quadrants: Managed Services and Transformation - Midmarket; Managed Services and Transformation - Large Accounts; Managed Hosting - Midmarket; Managed Hosting - Large Accounts, and Colocation. +The ISG research found enterprise demand in the UK for managed services and transformation offerings has increased dramatically in the last year, with many providers achieving double-digit growth. Much of that growth can be attributed to the rise in digital services, and the corresponding use of hybrid models, in which on-premises, private and public cloud are united and operating on a single, integrated platform. +The business itself, rather than IT, is the big consumer of managed services. Business leaders expect flexible, scalable services that can be deployed in the shortest amount of time possible. Numerous providers are specializing in and are prepared to meet these requirements, with many also offering backup, network, and software-defined data center (SDDC) services, ISG has found. Security also is a major consideration for enterprise buyers, even more so following the enactment of the EU's General Data Protection Regulation (GDPR) in May. +Managed hosting is a mature market in the UK, one that is increasingly being expanded to include cloud-based solutions and applications support, ISG found. Combining traditional and cloud services results in faster provisioning of additional services, more self-service options and flexible billing models, such as usage-based pricing. With the UK's upcoming withdrawal from the EU, providers in this space, like those in managed services, must ensure that GDPR and other EU compliance requirements are strictly adhered to. +ISG also has found that interest in colocation services has risen sharply in recent years and should continue to grow. Colocation providers, particularly those servicing the financial center in London , are responding to the increased demand by expanding their infrastructure facilities and adding new services, such as staff augmentation. Connectivity services also are being enhanced to create faster links to internet exchange nodes and hyperscale public cloud providers. ISG noted that colocation providers are offering their facilities to cloud service providers, in addition to enterprises wishing to relocate their on-premises infrastructure. +"The managed services market in the UK has increased significantly, fueled by the dramatic growth in cloud-based services," said Barry Matthews , partner and head of ISG UK and Ireland . "Large enterprises will continue to outsource more of their mission-critical IT, and the explosion of digital services will only increase this demand. Midmarket buyers, too, are more open to cloud solutions. Providers are responding by expanding their offerings to include hybrid infrastructure hosting, hyperscale solutions, data security, storage, networking and software environment support." +In its report, ISG named BT, Fujitsu and T-Systems as leaders in the Managed Services and Transformation - Midmarket quadrant; Atos, BT, Capgemini, Computacenter, DXC Technology, HCL, IBM and TCS as leaders in the Managed Services and Transformation - Large Accounts quadrant; Atos Canopy, BT, Claranet, Fujitsu, Rackspace and T-Systems as leaders in the Managed Hosting - Midmarket quadrant; Atos Canopy, BT, Capgemini, DXC Technology and IBM as leaders in the Managed Hosting - Large Accounts quadrant, and BT, Digital Realty, Equinix, Global Switch, Interxion and Telehouse as leaders in the Colocation quadrant. BT was the only provider to be named a leader across all five quadrants. +The ISG Provider Lens Infrastructure and Data Center/Private Cloud Quadrant Report for the UK is available to ISG Insights subscribers or for immediate, one-time purchase on this webpage. +About ISG Provider Lens Quadrant Research +The ISG Provider Lens Quadrant research series is the only service provider evaluation of its kind to combine empirical, data-driven research and market analysis with the real-world experience and observations of ISG's global advisory team. Enterprises will find a wealth of detailed data and market analysis to help guide their selection of appropriate sourcing partners, while ISG advisors use the reports to validate their own market knowledge and make recommendations to ISG's enterprise clients. The research currently covers providers serving the U.S., Germany , Australia , Brazil and the UK, with additional markets to be added in the future. For more information about ISG Provider Lens research, please visit this webpage. +The series is a complement to the ISG Provider Lens Archetype reports, which offer a first-of-its-kind evaluation of providers from the perspective of specific buyer types. Click here for more information about the previously published ISG Provider Lens Archetype report on Data Center Outsourcing. +About ISG +ISG (Information Services Group) (Nasdaq: III) is a leading global technology research and advisory firm. A trusted business partner to more than 700 clients, including 75 of the top 100 enterprises in the world, ISG is committed to helping corporations, public sector organizations, and service and technology providers achieve operational excellence and faster growth. The firm specializes in digital transformation services, including automation, cloud and data analytics; sourcing advisory; managed governance and risk services; network carrier services; technology strategy and operations design; change management; market intelligence and technology research and analysis. Founded in 2006, and based in Stamford, Conn. , ISG employs more than 1,300 professionals operating in more than 20 countries-a global team known for its innovative thinking, market influence, deep industry and technology expertise, and world-class research and analytical capabilities based on the industry's most comprehensive marketplace data. For more information, visit www.isg-one.com. +Logo - https://mma.prnewswire.com/media/454165/ISG_Logo.jpg Sie erhalten auf FinanzNachrichten.de kostenlose Realtime-Aktienkurse von und mit der Push-Technologie von Wie bewerten Sie die aktuell angezeigte Seite? sehr gut 1 2 3 4 5 6 schlecht Problem melde \ No newline at end of file diff --git a/input/test/Test639.txt b/input/test/Test639.txt new file mode 100644 index 0000000..6129010 --- /dev/null +++ b/input/test/Test639.txt @@ -0,0 +1 @@ +Sepura names Ledger as Sales and Marketing director, Farebrother as Finance head 48 CET | News Sepura appointed Terence Ledger to Sales and Marketing director and Jane Farebrother as Finance director. Ledger will drive sales in Sepura's key growth markets and Farebrother will deliver the financial strategy and governance to support this growth. Sepura in 2011, Terence drove the growth of Sepura's APAC business as Regional Director, based in Kuala Lumpur. Previously head of Group Treasury, Farebrother has been with Sepura since 2005 and worked in a number of senior roles within the finance function \ No newline at end of file diff --git a/input/test/Test64.txt b/input/test/Test64.txt new file mode 100644 index 0000000..58e0e95 --- /dev/null +++ b/input/test/Test64.txt @@ -0,0 +1 @@ +Airtel launches Amazon Pay Gift Card 42 CET | News As part of its 23rd anniversary celebrations, Indian mobile operator Airtel is offering a gift for its smartphone customers in partnership with Amazon Pay. Airtel has announced that its prepay and postpaid smartphone customers will receive an Amazon Pay digital gift card which can be used on mobile recharges, bill payments and shopping on Amazon.in \ No newline at end of file diff --git a/input/test/Test640.txt b/input/test/Test640.txt new file mode 100644 index 0000000..fe04ee0 --- /dev/null +++ b/input/test/Test640.txt @@ -0,0 +1,9 @@ +LATEST: Fire service unveils mobile app to aid firefighting Aug 17, 2018 By: Abara Bleesing Oluchi - +The Federal Fire Service has introduced Fire Alert System Application (FASAPP), a mobile app, to reduce the response time of firefighters to fire outbreaks in the country. +The Controller-General of the Service, Mr Joseph Anebi, made this known during a workshop and enlightenment programme on 'Enforcement of Fire Alarms and Extinguishing Equipment Regulation' yesterday in Abuja. +Anebi said when fire outbreak occurs, the mobile App has the capability to inform the Fire Service and the owner of the building simultaneously. +"With SmokeCom, an innovative feature of this App, buildings will be registered and fire detectors installed such that when there is fire outbreak, the Fire Service and the owner of the building will be automatically contacted. +"FASAPP also provides the general public with emergency ambulance services and fire educational enlightenment notifications," he said. +He said the new app had helped to regulate the sale of fire extinguishers. +Anebi said FASAPP could be downloaded from all APP stores by simply dialing *737*3*300#. +He said the introduction of FASAPP to the agency had repositioned it to serve Nigerians better \ No newline at end of file diff --git a/input/test/Test641.txt b/input/test/Test641.txt new file mode 100644 index 0000000..533a503 --- /dev/null +++ b/input/test/Test641.txt @@ -0,0 +1,18 @@ +No posts were found Insurance Rating Software Market to witness astonishing growth with Key Players Applied Systems, Vertafore, EZLynx, ACS, ITC, HawkSoft August 17 Share it With Friends Insurance Rating Software Market HTF MI recently introduced Global and India Insurance Rating Software Market study with in-depth overview, describing about the Product / Industry Scope and elaborates market outlook and status to 2023. The market Study is segmented by key regions which is accelerating the marketization. At present, the market is developing its presence and some of the key players from the complete study are Applied Systems, Vertafore, EZLynx, ACS, ITC, HawkSoft, QQ Solutions, Sapiens/Maximum Processing, Agency Matrix, Buckhill, InsuredHQ & Zhilian Software etc. +Request Sample of Global and India Insurance Rating Software Market Research by Company, Type & Application 2013-2025 @: https://www.htfmarketreport.com/sample-report/1302284-global-and-india-insurance-rating-software-market +Summary the software is a type of application software as comparative rater used for insurance process. The users can be insurance agency, individual, insurance companies, etc. +This report studies the Global and India Insurance Rating Software market size, industry status and forecast, competition landscape and growth opportunity. This research report categorizes the Global and India Insurance Rating Software market by companies, region, type and end-use industry. +Browse 100+ market data Tables and Figures spread through Pages and in-depth TOC on " and Insurance Rating Software Market by Type (Market Segment as follows:, Cloud-Based & On-Premise), by End-Users/Application (Automobile, Home, Motorcycle & Others), Organization Size, Industry, and Region – Forecast to 2023″. Early buyers will receive 10% customization on comprehensive study. +In order to get a deeper view of Market Size, competitive landscape is provided i.e. Revenue (Million USD) by Players (2013-2018), Revenue Market Share (%) by Players (2013-2018) and further a qualitative analysis is made towards market concentration rate, product/service differences, new entrants and the technological trends in future. +Enquire for customization in Report @ https://www.htfmarketreport.com/enquiry-before-buy/1302284-global-and-india-insurance-rating-software-market +Competitive Analysis: The key players are highly focusing innovation in production technologies to improve efficiency and shelf life. The best long-term growth opportunities for this sector can be captured by ensuring ongoing process improvements and financial flexibility to invest in the optimal strategies. Company profile section of players such as Applied Systems, Vertafore, EZLynx, ACS, ITC, HawkSoft, QQ Solutions, Sapiens/Maximum Processing, Agency Matrix, Buckhill, InsuredHQ & Zhilian Software includes its basic information like legal name, website, headquarters, its market position, historical background and top 5 closest competitors by Market capitalization / revenue along with contact information. Each player/ manufacturer revenue figures, growth rate and gross profit margin is provided in easy to understand tabular format for past 5 years and a separate section on recent development like mergers, acquisition or any new product/service launch etc. +Market Segments: The Global and India Insurance Rating Software Market has been divided into type, application, and region. On The Basis Of Type: Market Segment as follows:, Cloud-Based & On-Premise . On The Basis Of Application: Automobile, Home, Motorcycle & Others On The Basis Of Region, this report is segmented into following key geographies, with production, consumption, revenue (million USD), and market share, growth rate of and Insurance Rating Software in these regions, from 2013 to 2023 (forecast), covering • North America (U.S. & Canada) {Market Revenue (USD Billion), Growth Analysis (%) and Opportunity Analysis} • Latin America (Brazil, Mexico & Rest of Latin America) {Market Revenue (USD Billion), Growth Share (%) and Opportunity Analysis} • Europe (The U.K., Germany, France, Italy, Spain, Poland, Sweden & RoE) {Market Revenue (USD Billion), Growth Share (%) and Opportunity Analysis} • Asia-Pacific (China, India, Japan, Singapore, South Korea, Australia, New Zealand, Rest of Asia) {Market Revenue (USD Billion), Growth Share (%) and Opportunity Analysis} • Middle East & Africa (GCC, South Africa, North Africa, RoMEA) {Market Revenue (USD Billion), Growth Share (%) and Opportunity Analysis} • Rest of World {Market Revenue (USD Billion), Growth Analysis (%) and Opportunity Analysis} +Buy Single User License of Global and India Insurance Rating Software Market Research by Company, Type & Application 2013-2025 @ https://www.htfmarketreport.com/buy-now?format=1&report=1302284 +Have a look at some extracts from Table of Content +Introduction about Global and India Insurance Rating Software +Global and India Insurance Rating Software Market Size (Sales) Market Share by Type (Product Category) in 2017 and Insurance Rating Software Market by Application/End Users Global and India Insurance Rating Software Sales (Volume) and Market Share Comparison by Applications (2013-2023) table defined for each application/end-users like [Automobile, Home, Motorcycle & Others] Global and India Insurance Rating Software Sales and Growth Rate (2013-2023) and Insurance Rating Software Competition by Players/Suppliers, Region, Type and Application and Insurance Rating Software (Volume, Value and Sales Price) table defined for each geographic region defined. Global and India Insurance Rating Software Players/Suppliers Profiles and Sales Data +Additionally Company Basic Information, Manufacturing Base and Competitors list is being provided for each listed manufacturers +Market Sales, Revenue, Price and Gross Margin (2013-2018) table for each product type which include Market Segment as follows:, Cloud-Based & On-Premise and Insurance Rating Software Manufacturing Cost Analysis and Insurance Rating Software Key Raw Materials Analysis and Insurance Rating Software Chain, Sourcing Strategy and Downstream Buyers, Industrial Chain Analysis Market Forecast (2018-2023) ……..and more in complete table of Contents +Browse for Full Report at: https://www.htfmarketreport.com/reports/1302284-global-and-india-insurance-rating-software-market +Thanks for reading this article; you can also get individual chapter wise section or region wise report version like North America, Europe or Asia. +Media Contac \ No newline at end of file diff --git a/input/test/Test642.txt b/input/test/Test642.txt new file mode 100644 index 0000000..c9f033f --- /dev/null +++ b/input/test/Test642.txt @@ -0,0 +1,18 @@ +By Jack Dura / Bismarck Tribune on Aug 16, 2018 at 9:52 p.m. In this photo combination, Democrat Mac Schneider, left, and Republican Kelly Armstrong met in their second debate of North Dakota's 2018 U.S. House race on Thursday night in Bismarck, hosted by the Greater North Dakota Chamber and moderated by KFYR. Tom Stromme / Bismarck Tribune +BISMARCK—A fire alarm added six minutes of excitement to an otherwise calm debate between the two party nominees for North Dakota's lone House seat. +Republican Kelly Armstrong and Democrat Mac Schneider teed off Thursday night, Aug. 16, in Bismarck in their second debate of the House race, hosted by the Greater North Dakota Chamber and moderated by KFYR. +Like their previous debate in May, their responses revealed similar positions, extending to tariffs, federal regulations on industry, southern border security and election integrity, to name a few. +Where they identified their differences were in a few legislative votes, views on abortion and a Texas federal lawsuit, to which North Dakota is a party, to overturn the Affordable Care Act. +Armstrong pointed to "draconian" federal regulations as the biggest issue facing North Dakota. Schneider said he agreed with reducing federal regulations, and offered up the Trump administration's imposed tariffs on longtime trade partners and passing a bipartisan Farm Bill as major issues. +Armstrong, an attorney and Dickinson lawmaker, took issue with Schneider's "misconceptions" describing him as in support of the trade war, but said he favors the opportunity to renegotiate trade agreements, while opposing long-term tariffs and farmers and ranchers made out as "pawns." +Schneider invoked "short-term pain" in low commodity prices and "long-term pain" in loss of markets that took decades to cultivate: "I have been clear since Day 1 that a trade war is against the interests of North Dakota." +The candidates also found agreement on southern border security, with Schneider suggesting an investment in human intelligence and law enforcement, quipping that "for every 15-foot wall, there's a 17-foot ladder." +Armstrong said "a wall needs to be a part of that conversation," and highlighted Dickinson's Fisher Industries, which has a developed a prototype of a wall for the southern border. He also said North Dakota technology and industry has the capacity to meet the needs for border security, such as unmanned aerial systems. +"North Dakota could secure this border all by ourselves. We wouldn't even need the other 49 states to do it," he said. "This has never been a matter of whether (the U.S.) can do it. It is matter of whether or not we have the political will to do it." +Both candidates pointed to solving workforce needs and legal immigration as well in response to the question on border security. +"I'm a fan of the president saying let's be smart and tough," Schneider said. +On abortion, Armstrong stood on his anti-abortion views from his Catholic heritage, while Schneider said he would "reject ideological responses of both sides." +"There are no easy answers to such an emotional issue that overlaps faith, science and a woman's body," he said. +The two also differed on North Dakota's entry into the lawsuit against the ACA. Schneider said it threatens health care protections for pre-existing conditions as well as state Medicaid expansion from 2013. +Armstrong highlighted previous programs such as the Comprehensive Health Association of North Dakota that existed before the ACA, and stood up for Attorney General Wayne Stenehjem's entry into the suit. +He was responding to Schneider on the question of health care when the fire alarm sounded (there was no fire). Little of the debate was left, however: just Schneider's rebuttal on health care and both candidates' closing statements. Additional Articles Recommended by The Dickinson Pres \ No newline at end of file diff --git a/input/test/Test643.txt b/input/test/Test643.txt new file mode 100644 index 0000000..6e6784b --- /dev/null +++ b/input/test/Test643.txt @@ -0,0 +1 @@ +Airtel supports floods relief efforts in Kerala 46 CET | News Airtel has announced a series of measures to help people affected by the recent floods in Kerala. Airtel will offer auto approval of 'Talk Time' credit up to INR 30 for all its prepay mobile customers in the region. Airtel will also offer free 1 GB mobile data for all Airtel prepaid smartphone users (data valid for seven days); as well as an extension of bill payment dates for all Airtel postpaid and home broadband customers to ensure they have uninterrupted access to services. Airtel will also deploy VSAT at five major relief centers in Kerala to provide free Wi-Fi and calling facility t \ No newline at end of file diff --git a/input/test/Test644.txt b/input/test/Test644.txt new file mode 100644 index 0000000..a18eaf8 --- /dev/null +++ b/input/test/Test644.txt @@ -0,0 +1 @@ +Emerging skill sets needed to thrive in UK occupations August 16 Share it With Friends Browse and compare hundreds of online courses with ease. The market is changing; jobs that were only dreams a few years ago are now a reality. And these jobs need qualified employees to fill them. Individuals looking for future proof UK careers will need to make sure their skill sets are in alignment with what the market will demand. The market is changing; jobs that were only dreams a few years ago are now a reality. And these jobs need qualified employees to fill them. Individuals looking for future proof UK careers will need to make sure their skill sets are in alignment with what the market will demand. The Future of Work: Jobs and Skills in 2030 — a collaborative report between the UK Commission for Employment and Skills, Z Punkt The Foresight Company, and The Centre for Research in Futures and Innovations — noted that "Technological growth, and the accompanying changes in business models, make the continuous adaptation of skill sets absolutely fundamental for successful participation in the labour market." Just what are these skills? What do emerge workers need to maintain or gain employment in this ever-growing and changing space? Coursesonline.co.uk is in the business of discovering what growing industries in the UK are looking for, and how individuals in the job market can both acquire and benefit from those skills. Through partnerships with some of the UK's best online course providers and thorough analysis of reports like the one mentioned above, experts at CoursesOnline have compiled a list of the top five skill sets employers want to see when seeking out new employees to keep up with the growing demands of the market. Critical Thinking and Complex Problem-Solving While many businesses will become more reliant on technology and automation may take over some current tasks, technology can't keep up with the critical thinking and problem-solving capabilities of humans (at least not yet). The careers of the future will be looking for critical thinking, analytical and analysis skills. Creativity Like critical thinking, creativity is another skill that isn't ready to be taken on by computers. Employers are, and will be, seeking individuals capable of thinking outside the box or creating original content, concepts and ideas. STEM The rise of technology is a boon for those interested in Science, Technology, Engineering, and Math. STEM careers will be in high demand for years to come and are projected to grow at a solid pace. Interpersonal Skills This tried-and-true skill will be essential for success in the modern labour market. Communication, collaboration, and empathy are incredibly beneficial for establishing and fostering a high performance and well-functioning team. New(er) Technology With the rise of tech dominating the work force, employers will need workers who understand how to evolve alongside their equipment. The ability to learn and adapt to technological advancements and trends will be key. Entering the workforce with a core set of skills in this area will provide the foundation needed for future success. Gain the Skills You Need for the Career You Want Just as growing technology is changing the labour market, so also is it changing the education scene. Online courses are a great solution for the already-employed to work towards a new market or for the current student to balance work, life, and education. Information is valuable, and in this modern age those that are willing to learn have the perfect tools to gain an advantage in today's market. CoursesOnline is one of the leading online educational resources, providing a broad range of IT courses to choose from, allowing individuals eager to bolster their skill sets the opportunity to do so on their own time. Media Contac \ No newline at end of file diff --git a/input/test/Test645.txt b/input/test/Test645.txt new file mode 100644 index 0000000..10c7c9f --- /dev/null +++ b/input/test/Test645.txt @@ -0,0 +1,2 @@ +Should kids have homework? The great debate 20 hrs ago +It's been a debate for decades: should kids have daily homeworke? (Dreamstime) Dreamstime Save The start of a new school year means the return to daily homework, an often dreaded task and the root of parent-student strife that leaves some parents of elementary school students wondering if it's worth it. The answer, experts say, is complicated. Some point to studies that find that appropriate take-home work in the right amounts can enhance younger students' learning and prepare them for a routine of studying as they get older. But others say homework has little to do with academic achievement in elementary school and can get in the way of other life experiences like spending time with family and much needed downtime for often over-scheduled kids. "There's no one answer," said Susan Goldman, professor of psychology and education at the University of Illinois at Chicago and co-director of the UIC Learning Sciences Research Institute. Homework "has to be taken in the context of who are the kids, who are the teachers, what kind of instructional time do they have in school and what kind of support do kids have for getting work done." "It's a complex kind of situation," Goldman added. Homework isn't effective if the student doesn't understand the lesson during class time, she said. And often homework requires support at home, which isn't practical for all students, Goldman said. However, if the homework has a clear purpose to all involved — parents, teachers and students — the child can benefit. While the benefits of homework continue to be debated, there are clear camps on each side: Some tout an often cited 10-minutes-per-grade-level-per-day standard, while others shun homework altogether. THE CASE AGAINST HOMEWORK Education consultant James Gray instituted a no-homework policy at Hamilton Elementary School in Lakeview four years ago when he was principal of the Chicago public school. "My perspective changed a lot after I had my own kids," said Gray, whose two oldest children still attend Hamilton. He recalled a time when his daughter and wife were arguing about violin practice, reminding him of the family conflicts over homework time. While his daughter wasn't required to play violin, many students are required to do homework. "It made me think a lot about what schools do to families," he said. "I heard from parents over the years about this massive fight that happens at night. It creates this antagonistic relationship between parent and child." "It didn't seem worth it for what schools are trying to get out of homework," Gray added. After researching and finding little evidence that primary-level students benefit academically from homework, Gray decided to do away with homework at Hamilton in 2014. At first the policy applied to kindergartners through second-graders. Then it expanded through fourth grade and remains in place at the school, even though Gray left at the end of the 2016-17 school year. "Kids can become disenchanted with school easily," Gray said, explaining the additional family and relaxation time at night is actually better for young students. "Learning happens all the time at home, whether you're cooking a meal, playing a game or reading a book," he said. Gray's policy was well-received, he said. While he was expecting some backlash, it didn't come. "Parents would tell me, 'We played Clue last night, and it was so nice to sit down for an hour,' or, 'My child sat down and read a book on his own without being prompted.' " Gray said he heard from parents and educators in other schools in Chicago and across the country wanting to create their own no-homework policies. "I'm hoping (Hamilton's policy) sticks around," he said. THE CASE FOR HOMEWORK But others say homework shouldn't go away completely, even for younger students. Harris Cooper, professor of psychology and neuroscience at Duke University, has studied the correlation between homework and academic success. He said all students should have some homework, but the amount and type of homework should vary depending on age and developmental level. Cooper said he believes in the 10-minutes-per-grade-level-per-day standard. Too much homework can bore students and take away from other valuable experiences, like after-school clubs and playtime, he said. "This is not rocket science," he said. "You may have brought home a pre-test for spelling on Thursday before you take a test on Friday, and you did better because you brought the pre-test home." While homework is not a significant predictor of academic success in early grades, Cooper said, it does create good study habits that will help students as they get older "Is (homework) going to cause a great leap in (students') achievement? No it is not," he said. "What it's really doing is shaping their behavior, so they begin to learn how to study at home." Cooper said homework also provides an opportunity for parents to tune into their child's academic abilities and challenges. Instead of relying on a teacher to tell them, parents can see for themselves where their child might be struggling. It also can spark greater communication among parents, teachers and students, he said. "With all young children, assignments should be short, simple and lead to success," he said. Lov \ No newline at end of file diff --git a/input/test/Test646.txt b/input/test/Test646.txt new file mode 100644 index 0000000..e165d45 --- /dev/null +++ b/input/test/Test646.txt @@ -0,0 +1,9 @@ +Tweet +Anchor Capital Advisors LLC trimmed its position in Farmer Bros Co (NASDAQ:FARM) by 13.9% during the 2nd quarter, according to the company in its most recent Form 13F filing with the Securities & Exchange Commission. The firm owned 60,831 shares of the company's stock after selling 9,842 shares during the period. Anchor Capital Advisors LLC's holdings in Farmer Bros were worth $1,858,000 at the end of the most recent reporting period. +Other hedge funds have also recently modified their holdings of the company. MetLife Investment Advisors LLC purchased a new stake in Farmer Bros in the fourth quarter worth $128,000. JPMorgan Chase & Co. grew its stake in Farmer Bros by 171.3% in the first quarter. JPMorgan Chase & Co. now owns 6,269 shares of the company's stock worth $189,000 after purchasing an additional 3,958 shares during the period. Quantitative Systematic Strategies LLC purchased a new stake in Farmer Bros in the first quarter worth $201,000. Suntrust Banks Inc. purchased a new stake in Farmer Bros in the first quarter worth $259,000. Finally, Barclays PLC grew its stake in Farmer Bros by 27.7% in the first quarter. Barclays PLC now owns 11,044 shares of the company's stock worth $335,000 after purchasing an additional 2,393 shares during the period. 57.34% of the stock is currently owned by institutional investors. Get Farmer Bros alerts: +In other news, major shareholder Carol Farmer Waite sold 5,000 shares of the stock in a transaction on Tuesday, July 24th. The stock was sold at an average price of $27.12, for a total value of $135,600.00. The transaction was disclosed in a legal filing with the SEC, which is available through this link . Also, CEO Michael H. Keown sold 23,333 shares of the stock in a transaction on Monday, June 11th. The stock was sold at an average price of $29.62, for a total value of $691,123.46. Following the completion of the sale, the chief executive officer now directly owns 68,405 shares in the company, valued at $2,026,156.10. The disclosure for this sale can be found here . Over the last three months, insiders sold 75,871 shares of company stock worth $2,196,189. Insiders own 9.30% of the company's stock. Several equities research analysts recently weighed in on the company. BidaskClub raised Farmer Bros from a "hold" rating to a "buy" rating in a research note on Thursday, June 7th. ValuEngine cut Farmer Bros from a "buy" rating to a "hold" rating in a research note on Monday, July 16th. Zacks Investment Research cut Farmer Bros from a "buy" rating to a "hold" rating in a research note on Thursday, May 10th. B. Riley cut their target price on Farmer Bros from $38.50 to $34.00 and set a "buy" rating on the stock in a research note on Wednesday, May 9th. Finally, Lake Street Capital reissued a "buy" rating and issued a $36.00 target price (down from $40.00) on shares of Farmer Bros in a research note on Wednesday, May 9th. One research analyst has rated the stock with a sell rating, two have given a hold rating and three have assigned a buy rating to the stock. The stock presently has an average rating of "Hold" and a consensus target price of $34.25. +NASDAQ FARM opened at $29.00 on Friday. Farmer Bros Co has a 12 month low of $23.60 and a 12 month high of $35.05. The firm has a market capitalization of $478.22 million, a PE ratio of 41.64, a P/E/G ratio of 5.16 and a beta of 0.37. +About Farmer Bros +Farmer Bros. Co engages in the manufacture, wholesale, and distribution of coffee, tea, and culinary products in the United States. The company offers roast and ground coffee; frozen liquid coffee; flavored and unflavored iced and hot teas; culinary products, including gelatins and puddings, soup bases, dressings, gravy and sauce mixes, pancake and biscuit mixes, jellies and preserves, and coffee-related products, such as coffee filters, sugar, and creamers; spices; and other beverages comprising cappuccino, cocoa, granitas, and ready-to-drink iced coffee. +Featured Article: How to Invest in Growth Stocks +Want to see what other hedge funds are holding FARM? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Farmer Bros Co (NASDAQ:FARM). Receive News & Ratings for Farmer Bros Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Farmer Bros and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test647.txt b/input/test/Test647.txt new file mode 100644 index 0000000..8c41f96 --- /dev/null +++ b/input/test/Test647.txt @@ -0,0 +1,40 @@ +ES Sport Receive Football updates Pressing engagement | Mesut Ozil faces a challenge in adapting to Unai Emery's high-intensity style ( Stuart MacFarlane/Arsenal FC via Getty Images ) ES Football Newsletter Enter your email address Please enter an email address Email address is invalid Fill out this field Email address is invalid Email cannot be used. Try another +or register with your social account I would like to receive news and stats from the Premier League, twice a week by email Continue Chelsea vs Arsenal +Stick or twist? Big decisions ahead for Sarri and Emery +Some coaches make adjustments to suit the tools available, others rigidly stick to long-held principles. Early evidence suggests Maurizio Sarri and Unai Emery prefer the second method by asking their new charges to buy into tactics that, to begin with, might not totally suit. +Take Emery at Arsenal and his insistence on playing out from the back, even when facing a high-pressing team like Manchester City. It didn't look like Petr Cech was too keen on that last week. And I'd always be nervous about Shkodran Mustafi receiving the ball on the edge of his box. +Then there's the new manager's liking for getting his attackers to aggressively close down. Can Mesut Ozil and Henrikh Mkhitaryan, for instance, do that in the way Carlos Bacca and Kevin Gameiro did so successfully for Emery at Sevilla? Photo: AFP /Getty Images +Ozil, for one, could turn into a major problem. After being awarded a ludicrously lucrative contract last season, the languid German almost demands inclusion. That's fine when he's in the mood, pulling the strings with that wonderful eye for an opening. It won't sit so comfortably if his passing gets sloppy, as it did against City, and he drifts to the edges of a contest. Chelsea vs Arsenal | Preview | TV | Live stream | Odds +Over at Stamford Bridge, meanwhile, Sarri has quickly ditched the five-man defence that helped Chelsea win the title in 2017 after Antonio Conte famously switched to that system when the other fell flat. As a result, Sarri must now figure out the central defenders best suited to a back four. David Luiz, I'd say, will be hard pressed to make a convincing case, despite cruising through the cushy win at Huddersfield. +But going into tomorrow evening's tasty London derby, you would have to give Chelsea the edge, largely because a winning mentality still survives, despite last term's sharp drop in standards. On top, new signing Jorginho looks capable of improving a midfield previously short on balance. +And as long as Real Madrid don't react to their Super Cup defeat to Atletico Madrid on Wednesday by making an offer Chelsea can't refuse, Eden Hazard should still be around this season to add the kind of match-winning class that has seen off Arsenal before. Chelsea vs Arsenal | Standard Sports previews a tactical battle at the Bridge +One of many challenges facing Emery is instilling steel and grit into a dressing room that had grown a bit soft. The uncompromising Basque clearly recognised that, hence the swift acquisition of Lucas Torreira, the tough little ball winner who must surely start to give Arsenal a chance of competing in midfield. +So many questions, so much work to do for two managers unfamiliar with the Premier League's demands. Even the great Pep Guardiola got caught unawares by the unrelenting heat. Only by experiencing it for themselves can Sarri and Emery make informed decisions about what's required. Tottenham vs Fulham +It's important that stadium delays don't affect Spurs +It hasn't been a great week for Spurs. The delay to the new stadium has taken some shine off that opening win at Newcastle. The uncertainty involved can't help but affect a team that would have dearly loved to have avoided any kind of return to Wembley, never mind this extended one. +For the team and manager, negotiating this period could well define their season. Mauricio Pochettino's boys simply cannot afford to be conceding ground at this early stage, seeing as competition for a top-four spot looks fiercer than ever. Photo: Action Images via Reuters +More bad news comes in the shape of the calendar. It's still August, which means Harry Kane obviously won't score against Fulham. Only joking, of course. +That surprising record of never having notched in this opening month surely can't last much longer. Tottenham's top man must be desperate to get going. Tottenham vs Fulham | Preview | TV | Live stream | Odds +I do wonder about Kane, though. He looked a bit jaded at St James' Park, lacking his normal zip, just as he did as the World Cup progressed. +You do have to ask if he has enjoyed a long enough break to refresh body and mind. I mean, he's only human. Plus, a new baby in the house won't be doing much for his sleep. +With all that in mind, it's a good job Dele Alli looked in fine shape last week, not just grabbing a goal but causing all sorts of problems with his clever movement. +It's easy to forget that Alli is still young, still learning his trade in the top flight. Watching him perform from Sky's commentary gantry, I couldn't help but feel he's in for a good season. You would certainly think he'll feature heavily in Slavisa Jokanovic's pre-match team talk as Fulham look for ways to get something from this game. +Fulham's home defeat to Crystal Palace must have been deflating, not to say a sharp reminder of the stiff task ahead. +With so many arrivals at Craven Cottage, it might be a month or two before things settle down and the team starts to take shape. In the meantime, they've got to hang in there. West Ham vs Bournemouth +Cherries give West Ham's strangers the chance to become better acquainted +Well, it can only get better. A little easier, too. Manuel Pellegrini must have had nightmares this week thinking about the goals his new team conceded in that drubbing by Liverpool. West Ham vs Bournemouth | Preview | TV | Live stream | Odds +With five players making their full debuts, this did indeed look like a team of strangers, especially when trying to hold a shaky defensive line. Not only that, Pellegrini's decision to use Declan Rice in midfield badly backfired. Dragged off at half-time, I hope this promising young defender can quickly bounce back. +Come kick-off Saturday, though, all that negativity will have been pushed to the margins in favour of excitement generated by the recruitment of players like Jack Wilshere, Andriy Yarmolenko and Felipe Anderson. Liverpool are one thing, Bournemouth quite another. +A packed London Stadium will be demanding much more from this new-look team. +Yet, Eddie Howe's side played really well in seeing off Cardiff last week. With the lively Ryan Fraser (below) leading the charge, their pace in attack proved a little too much for Neil Warnock's newly-promoted lot. Photo: Reuters/Dylan Martinez +For Pellegrini, then, it is about picking the best team for an occasion when the pressure is on. If he gets it right, an arena rife with discord last term can turn into a much more enjoyable place to play football. +No doubt about it, the Hammers look in a much better place now. They just have to prove it with some solid displays. The season starts now in London E20. Burnley vs Watford +Turf Moor trip will prove proper test +Before a ball had been kicked, I tipped Watford for the drop. It was based on a hunch their manager, Javi Gracia, would not make it to Christmas and then the team would fail to clamber out of trouble. +I might be completely wrong here. It certainly wouldn't be the first time. And their opening-day defeat of Brighton contradicted such doubts when Roberto Pereyra, with two fine goals, showcased the talent at Vicarage Road. +Still, my mind won't be changed just yet. Quite often, a team nobody expects to struggle gets sucked into the mire, sometimes fatally so. Stoke were the latest to sadly succumb. Burnley vs Watford | Preview | TV | Live stream | Odds +And trips to Turf Moor are always a good barometer of a team's togetherness and fighting spirit. Don't get me wrong, Burnley should find things a lot harder this season, especially if they progress in the Europa League. I'd be amazed if the Clarets got anywhere near last season's heroics in finishing seventh. +Even so, Sean Dyche's side, with Joe Hart in goal, have already shown they understand the value of a clean sheet. Breaking them down on Sunday won't be easy at all. +In this respect, Troy Deeney feels he can forge a useful strike partnership with Andre Gray following a decent start in that Brighton win. +Whether Gracia agrees is another matter entirely. The Spaniard hasn't always appeared to be Deeney's biggest fan. +Still, this one could be tight, whoever plays up front \ No newline at end of file diff --git a/input/test/Test648.txt b/input/test/Test648.txt new file mode 100644 index 0000000..35f534c --- /dev/null +++ b/input/test/Test648.txt @@ -0,0 +1,6 @@ +Tweet +ZCL Composites (TSE:ZCL) had its price target decreased by Raymond James from C$11.50 to C$10.00 in a research note issued to investors on Monday. Raymond James currently has an outperform rating on the stock. +TSE ZCL opened at C$7.73 on Monday. ZCL Composites has a 52-week low of C$7.24 and a 52-week high of C$13.79. Get ZCL Composites alerts: +The business also recently announced a quarterly dividend, which will be paid on Monday, October 15th. Stockholders of record on Sunday, September 30th will be paid a dividend of $0.135 per share. This represents a $0.54 dividend on an annualized basis and a dividend yield of 6.99%. The ex-dividend date is Thursday, September 27th. In other ZCL Composites news, Director Darcy Morris purchased 6,100 shares of the stock in a transaction that occurred on Monday, June 4th. The shares were acquired at an average cost of C$9.05 per share, with a total value of C$55,205.00. Also, insider Edward John Redmond purchased 10,000 shares of the stock in a transaction that occurred on Tuesday, August 14th. The shares were acquired at an average cost of C$7.30 per share, for a total transaction of C$73,000.00. In the last 90 days, insiders have bought 24,400 shares of company stock valued at $201,619. +ZCL Composites Company Profile +ZCL Composites Inc designs, manufactures, and supplies fiberglass reinforced plastic (FRP) underground storage tanks in Canada, the United States, and internationally. The company also manufactures and distributes liquid storage systems, including fiberglass storage tanks and related products and accessories; and produces and sells in-situ fiberglass tank and tank lining systems, and three dimensional glass fabric materials \ No newline at end of file diff --git a/input/test/Test649.txt b/input/test/Test649.txt new file mode 100644 index 0000000..1c360ce --- /dev/null +++ b/input/test/Test649.txt @@ -0,0 +1,15 @@ +Shiels: Waterford are the team to catch in race for Europa League spot written by John2 August 17, 2018 1 SHARES Nicky Lowe misses Waterford clash tonight DERRY City start a run of home games tonight, Friday, August 17, as high-flying Waterford arrive in Derry ahead of a crunch league clash for both teams (kick off 7.45 pm). +Only five points separate the visitors in third and City in fifth as the race for the third European spot looks likely to go down to the wire. +Manager Kenny Shiels was very aware of the threat posed by Alan Reynolds' outfit and insisted that this was a game that would really test the home team's mettle. +"The top two are out clear and Waterford are the team to catch after that. They're having a fantastic season and are a terrific side so we know what we're up against. +"Obviously they come here as favourites for the game but I want us to be ready to give our best for the supporters and for the city. +"We've come to a really vital part of our season now and I know the players and staff are gearing up for the challenge. +"I'm hoping that our supporters will turn out in numbers over the next few games because they could make the difference. +The Derry boss was a relieved man that his injury and suspension list has shortened considerably over the past couple of weeks and said that it was good to have an almost full panel to choose from. +"Ben Doherty has gone out on loan to Glenavon and both Nicky Low and Conor McDermott remain on the injured list but elsewhere we should be OK" he said. +"Following on from his three game suspension, Eoin Toal has been down with flu this week, but he trained this morning so I'm hoping he'll be available for selection." +Nicky Low is currently recuperating after surgery on his abdominal injury at the weekend. +The midfielder has been a huge loss to the team in recent weeks and many will be hoping to see him in City colours again before the end of the season. +The best wishes of all at the club are sent to Nicky for a speedy recovery. +Maanwhile, the club has also confirmed that the upcoming Irish Daily Mail FAI Cup clash with St Pat's will take place on Friday 24th August with a 7.45pm kick-off at the Brandywell. +Tickets will be on sale from the club shop at the Waterford game this evening. Shiels: Waterford are the team to catch in race for Europa League spot was last modified: August 17th, 2018 by John2 Tags \ No newline at end of file diff --git a/input/test/Test65.txt b/input/test/Test65.txt new file mode 100644 index 0000000..c0e7f8a --- /dev/null +++ b/input/test/Test65.txt @@ -0,0 +1,41 @@ +The Rohingya lists: refugees compile their own record of those killed in Myanmar Friday, August 17, 2018 1:26 a.m. EDT Mohib Bullah, a member of Arakan Rohingya Society for Peace and Human Rights, writes after collecting data about victims of a military crack +By Clare Baldwin +KUTUPALONG REFUGEE CAMP, Bangladesh (Reuters) - Mohib Bullah is not your typical human rights investigator. He chews betel and he lives in a rickety hut made of plastic and bamboo. Sometimes, he can be found standing in a line for rations at the Rohingya refugee camp where he lives in Bangladesh. +Yet Mohib Bullah is among a group of refugees who have achieved something that aid groups, foreign governments and journalists have not. They have painstakingly pieced together, name-by-name, the only record of Rohingya Muslims who were allegedly killed in a brutal crackdown by Myanmar's military. +The bloody assault in the western state of Rakhine drove more than 700,000 of the minority Rohingya people across the border into Bangladesh, and left thousands of dead behind. +Aid agency Médecins Sans Frontières, working in Cox's Bazar at the southern tip of Bangladesh, estimated in the first month of violence, beginning at the end of August 2017, that at least 6,700 Rohingya were killed. But the survey, in what is now the largest refugee camp in the world, was limited to the one month and didn't identify individuals. +The Rohingya list makers pressed on and their final tally put the number killed at more than 10,000. Their lists, which include the toll from a previous bout of violence in October 2016, catalog victims by name, age, father's name, address in Myanmar, and how they were killed. +"When I became a refugee I felt I had to do something," says Mohib Bullah, 43, who believes that the lists will be historical evidence of atrocities that could otherwise be forgotten. +Myanmar government officials did not answer phone calls seeking comment on the Rohingya lists. Late last year, Myanmar's military said that 13 members of the security forces had been killed. It also said it recovered the bodies of 376 Rohingya militants between Aug. 25 and Sept. 5, which is the day the army says its offensive against the militants officially ended. +Rohingya regard themselves as native to Rakhine State. But a 1982 law restricts citizenship for the Rohingya and other minorities not considered members of one of Myanmar's "national races". Rohingya were excluded from Myanmar's last nationwide census in 2014, and many have had their identity documents stripped from them or nullified, blocking them from voting in the landmark 2015 elections. The government refuses even to use the word "Rohingya," instead calling them "Bengali" or "Muslim." +Now in Bangladesh and able to organize without being closely monitored by Myanmar's security forces, the Rohingya have armed themselves with lists of the dead and pictures and video of atrocities recorded on their mobile phones, in a struggle against attempts to erase their history in Myanmar. +The Rohingya accuse the Myanmar army of rapes and killings across northern Rakhine, where scores of villages were burnt to the ground and bulldozed after attacks on security forces by Rohingya insurgents. The United Nations has said Myanmar's military may have committed genocide. +Myanmar says what it calls a "clearance operation" in the state was a legitimate response to terrorist attacks. +"NAME BY NAME" +Clad in longyis, traditional Burmese wrap-arounds tied at the waist, and calling themselves the Arakan Rohingya Society for Peace & Human Rights, the list makers say they are all too aware of accusations by the Myanmar authorities and some foreigners that Rohingya refugees invent stories of tragedy to win global support. +But they insist that when listing the dead they err on the side of under-estimation. +Mohib Bullah, who was previously an aid worker, gives as an example the riverside village of Tula Toli in Maungdaw district, where - according to Rohingya who fled - more than 1,000 were killed. "We could only get 750 names, so we went with 750," he said. +"We went family by family, name by name," he added. "Most information came from the affected family, a few dozen cases came from a neighbor, and a few came from people from other villages when we couldn't find the relatives." +In their former lives, the Rohingya list makers were aid workers, teachers and religious scholars. Now after escaping to become refugees, they say they are best placed to chronicle the events that took place in northern Rakhine, which is out-of-bounds for foreign media, except on government-organized trips. +"Our people are uneducated and some people may be confused during the interviews and investigations," said Mohammed Rafee, a former administrator in the village of Kyauk Pan Du who has worked on the lists. But taken as a whole, he said, the information collected was "very reliable and credible." +SPRAWLING PROJECT +Getting the full picture is difficult in the teeming dirt lanes of the refugee camps. Crowds of people gather to listen - and add their comments - amid booming calls to prayer from makeshift mosques and deafening downpours of rain. Even something as simple as a date can prompt an argument. +What began tentatively in the courtyard of a mosque after Friday prayers one day last November became a sprawling project that drew in dozens of people and lasted months. +The project has its flaws. The handwritten lists were compiled by volunteers, photocopied, and passed from person to person. The list makers asked questions in Rohingya about villages whose official names were Burmese, and then recorded the information in English. The result was a jumble of names: for example, there were about 30 different spellings for the village of Tula Toli. +Wrapped in newspaper pages and stored on a shelf in the backroom of a clinic, the lists that Reuters reviewed were labeled as beginning in October 2016, the date of a previous exodus of Rohingya from Rakhine. There were also a handful of entries dated 2015 and 2012. And while most of the dates were European-style, with the day first and then the month, some were American-style, the other way around. So it wasn't possible to be sure if an entry was, say, May 9 or September 5. +It is also unclear how many versions of the lists there are. During interviews with Reuters, Rohingya refugees sometimes produced crumpled, handwritten or photocopied papers from shirt pockets or folds of their longyis. +The list makers say they have given summaries of their findings, along with repatriation demands, to most foreign delegations, including those from the United Nations Fact-Finding Mission, who have visited the refugee camps. +A LEGACY FOR SURVIVORS +The list makers became more organized as weeks of labor rolled into months. They took over three huts and held meetings, bringing in a table, plastic chairs, a laptop and a large banner carrying the group's name. +The MSF survey was carried out to determine how many people might need medical care, so the number of people killed and injured mattered, and the identity of those killed was not the focus. It is nothing like the mini-genealogy with many individual details that was produced by the Rohingya. +Mohib Bullah and some of his friends say they drew up the lists as evidence of crimes against humanity they hope will eventually be used by the International Criminal Court, but others simply hope that the endeavor will return them to the homes they lost in Myanmar. +"If I stay here a long time my children will wear jeans. I want them to wear longyi. I do not want to lose my traditions. I do not want to lose my culture," said Mohammed Zubair, one of the list makers. "We made the documents to give to the U.N. We want justice so we can go back to Myanmar." +Matt Wells, a senior crisis advisor for Amnesty International, said he has seen refugees in some conflict-ridden African countries make similar lists of the dead and arrested but the Rohingya undertaking was more systematic. "I think that's explained by the fact that basically the entire displaced population is in one confined location," he said. +Wells said he believes the lists will have value for investigators into possible crimes against humanity. +"In villages where we've documented military attacks in detail, the lists we've seen line up with witness testimonies and other information," he said. +Spokespeople at the ICC's registry and prosecutors' offices, which are closed for summer recess, did not immediately provide comment in response to phone calls and emails from Reuters. +The U.S. State Department also documented alleged atrocities against Rohingya in an investigation that could be used to prosecute Myanmar's military for crimes against humanity, U.S. officials have told Reuters. For that and the MSF survey only a small number of the refugees were interviewed, according to a person who worked on the State Department survey and based on published MSF methodology. +MSF did not respond to requests for comment on the Rohingya lists. The U.S. State Department declined to share details of its survey and said it wouldn't speculate on how findings from any organization might be used. +For Mohammed Suleman, a shopkeeper from Tula Toli, the Rohingya lists are a legacy for his five-year-old daughter. He collapsed, sobbing, as he described how she cries every day for her mother, who was killed along with four other daughters. +"One day she will grow up. She may be educated and want to know what happened and when. At that time I may also have died," he said. "If it is written in a document, and kept safely, she will know what happened to her family." +(Additional reporting by Shoon Naing and Poppy Elena McPherson in YANGON and Toby Sterling in AMSTERDAM; Editing by John Chalmers and Martin Howell) More From Worl \ No newline at end of file diff --git a/input/test/Test650.txt b/input/test/Test650.txt new file mode 100644 index 0000000..f760a8e --- /dev/null +++ b/input/test/Test650.txt @@ -0,0 +1,8 @@ +Tweet +BidaskClub downgraded shares of Willdan Group (NASDAQ:WLDN) from a hold rating to a sell rating in a research note issued to investors on Tuesday. +Several other analysts have also recently commented on the company. ValuEngine cut Willdan Group from a buy rating to a hold rating in a research report on Tuesday, July 10th. Roth Capital began coverage on Willdan Group in a research report on Friday, June 15th. They issued a buy rating and a $39.00 target price on the stock. Finally, Zacks Investment Research cut Willdan Group from a strong-buy rating to a hold rating in a research report on Thursday, May 10th. One research analyst has rated the stock with a sell rating, two have assigned a hold rating and three have assigned a buy rating to the company. The stock has a consensus rating of Hold and a consensus price target of $35.50. Get Willdan Group alerts: +WLDN opened at $31.65 on Tuesday. Willdan Group has a 12 month low of $19.25 and a 12 month high of $33.75. The company has a debt-to-equity ratio of 0.03, a quick ratio of 1.65 and a current ratio of 1.65. The company has a market capitalization of $285.40 million, a P/E ratio of 26.82 and a beta of 0.89. Willdan Group (NASDAQ:WLDN) last posted its earnings results on Thursday, August 2nd. The construction company reported $0.36 EPS for the quarter, beating the consensus estimate of $0.35 by $0.01. Willdan Group had a return on equity of 14.25% and a net margin of 4.72%. The firm had revenue of $59.83 million for the quarter. research analysts expect that Willdan Group will post 1.6 earnings per share for the current fiscal year. +In other Willdan Group news, SVP Paul Milton Whitelaw sold 4,709 shares of the stock in a transaction on Wednesday, May 23rd. The stock was sold at an average price of $27.18, for a total transaction of $127,990.62. The sale was disclosed in a document filed with the Securities & Exchange Commission, which can be accessed through this hyperlink . Also, President Michael A. Bieber sold 4,000 shares of the stock in a transaction on Wednesday, May 23rd. The shares were sold at an average price of $26.99, for a total value of $107,960.00. The disclosure for this sale can be found here . Company insiders own 11.50% of the company's stock. +Hedge funds and other institutional investors have recently modified their holdings of the business. Bank of Montreal Can boosted its stake in shares of Willdan Group by 66.4% during the 2nd quarter. Bank of Montreal Can now owns 6,119 shares of the construction company's stock worth $191,000 after acquiring an additional 2,441 shares in the last quarter. Globeflex Capital L P boosted its stake in shares of Willdan Group by 14.8% during the 2nd quarter. Globeflex Capital L P now owns 19,400 shares of the construction company's stock worth $601,000 after acquiring an additional 2,500 shares in the last quarter. Northern Trust Corp boosted its stake in shares of Willdan Group by 2.7% during the 1st quarter. Northern Trust Corp now owns 108,176 shares of the construction company's stock worth $3,066,000 after acquiring an additional 2,868 shares in the last quarter. BlackRock Inc. boosted its stake in shares of Willdan Group by 0.6% during the 4th quarter. BlackRock Inc. now owns 478,747 shares of the construction company's stock worth $11,461,000 after acquiring an additional 3,054 shares in the last quarter. Finally, Schwab Charles Investment Management Inc. boosted its stake in shares of Willdan Group by 23.1% during the 1st quarter. Schwab Charles Investment Management Inc. now owns 18,099 shares of the construction company's stock worth $514,000 after acquiring an additional 3,400 shares in the last quarter. 64.47% of the stock is owned by hedge funds and other institutional investors. +About Willdan Group +Willdan Group, Inc, together with its subsidiaries, provides professional technical and consulting services to utilities, private industry, and public agencies at various levels of government primarily in the Unites States. It operates through four segments: Energy Efficiency Services, Engineering Services, Public Finance Services, and Homeland Security Services \ No newline at end of file diff --git a/input/test/Test651.txt b/input/test/Test651.txt new file mode 100644 index 0000000..06bff3a --- /dev/null +++ b/input/test/Test651.txt @@ -0,0 +1 @@ +SAP S4HANA ONLINE TRAINING CALIFORNIA Description: SAP S4HANA ONLINE TRAINING CALIFORNIA SOFTNSOL is a Global Interactive Learning company started by proven industry experts with an aim to provide Quality Training in the latest IT Technologies. SOFTNSOL offers SAP S4HANA online Training. Our trainers are highly talented and have Excellent Teaching skills. They are well experienced trainers in their relative field. Online training is your one stop & Best solution to learn SAP S4HANA Online Training at your home with flexible Timings.We offer SAP S4HANA Online Trainings conducted on Normal training and fast track training classes. SAP S4HANA ONLINE TRAINING 1. Interactive Learning at Learners convenience time 2. Industry Savvy Trainers 3. Learn Right from Your Place 4. Advanced Course Curriculum 6. Two Months Server Access along with the training 7. Support after Training 8. Certification Guidance We have a third coming online batch on SAP S4HANA Online Training. We also provide online trainings on SAP ABAP,SAP WebDynpro ABAP,SAP ABAP ON HANA,SAP Workflow,SAP HR ABAP,SAP OO ABAP,SAP BOBI, SAP BW,SAP BODS,SAP HANA,SAP HANA Admin, SAP S4HANA, SAP BW ON HANA, SAP S4HANA,SAP S4HANA Simple Finance,SAP S4HANA Simple Logistics,SAP ABAP on S4HANA,SAP Success Factors,SAP Hybris,SAP FIORI,SAP UI5,SAP Basis,SAP BPC,SAP Security with GRC,SAP PI,SAP C4C,SAP CRM Technical,SAP FICO,SAP SD,SAP MM,SAP CRM Functional,SAP HR,SAP WM,SAP EWM,SAP EWM on HANA,SAP APO,SAP SNC,SAP TM,SAP GTS,SAP SRM,SAP Vistex,SAP MDG,SAP PP,SAP PM,SAP QM,SAP PS,SAP IS Utilities,SAP IS Oil and Gas,SAP EHS,SAP Ariba,SAP CPM,SAP IBP,SAP C4C,SAP PLM,SAP IDM,SAP PMR,SAP Hybris,SAP PPM,SAP RAR,SAP MDG,SAP Funds Management,SAP TRM,SAP MII,SAP ATTP,SAP GST,SAP TRM,SAP FSCM,Oracle, Oracle Apps SCM,Oracle DBA,Oracle RAC DBA,Oracle Exadata,Oracle HFM,Informatica,Testing Tools,MSBI,Hadoop,devops,Data Science,AWS Admin,Python, and Salesforce . Experience the Quality of our Online Training. For Free Demo Please Contact SOFTNSOL \ No newline at end of file diff --git a/input/test/Test652.txt b/input/test/Test652.txt new file mode 100644 index 0000000..2723a14 --- /dev/null +++ b/input/test/Test652.txt @@ -0,0 +1,7 @@ +Inc. magazine today revealed that TitleSmart, Inc., a leading Twin Cities title insurance company, has been named on its 37th annual Inc. 5000, the most prestigious ranking of the nation's fastest-growing private companies. The list represents a unique look at the most successful companies within the American economy's most dynamic segment—its independent small businesses. Microsoft, Dell, Domino's Pizza, Pandora, Timberland, LinkedIn, Yelp, Zillow, and many other well-known names gained their first national exposure as honorees on the Inc. 5000. This is the fifth consecutive year TitleSmart, Inc. has been named on the Inc. 5000. "Being ranked on the Inc. 5000 list for a fifth consecutive year is incredible!" said Cindy Koebele, President of TitleSmart, Inc. "This huge accomplishment could not have been achieved without the hard work and dedication of our staff. Their loyalty and commitment to excellence has allowed us to continue this high level of growth year after year." +Not only have the companies on the 2018 Inc. 5000 been very competitive within their markets, but the list as a whole shows staggering growth compared with prior lists. The 2018 Inc. 5000 achieved an astounding three-year average growth of 538.2 percent, and a median rate of 171.8 percent. The Inc. 5000's aggregate revenue was $206.1 billion in 2017, accounting for 664,095 jobs over the past three years. The Inc. 5000 are listed online at Inc.com, with the top 500 companies featured in the September issue of Inc., available on newsstands August 15. +"This is your 5th time on the Inc. 5000, which is a truly extraordinary accomplishment," states James Ledbetter, Editor in Chief of Inc. Media. "Needless to say, making the list gets harder every year as your starting base grows. Of the tens of thousands of companies that have applied to the Inc. 5000 over the years, a mere one in ten have made the list 5 times." +Complete results of the Inc. 5000, including company profiles and an interactive database that can be sorted by industry, region, and other criteria, can be found at http://www.inc.com/inc5000 . +About TitleSmart, Inc.: +TitleSmart, Inc. is a full-service title insurance and escrow settlement services company dedicated to providing clients with exceptional title, escrow, and real estate closing solutions. From investing in the best systems to adding extra touches like warm cookies, gourmet coffee and branded trinkets to each closing, TitleSmart embraces the mentality that closing on your house should be a positive, fun and upbeat experience. A certified Women's Business Enterprise, TitleSmart (in addition to making the Inc 5000 list 5 years in a row), was named one of the Minneapolis/St. Paul Business Journal's Best Places to Work in 2015, a 2018 Top Workplace by the Star Tribune as well as one of the 150 Best Companies to work for by the Minnesota Business Magazine. Cindy Koebele, President of TitleSmart, was also named the 2015 EY Entrepreneur of the Year® for the Upper Midwest region and nominated for the Minneapolis/St. Paul Business Journal's CFO of the Year award. +For more information visit title-smart.com \ No newline at end of file diff --git a/input/test/Test653.txt b/input/test/Test653.txt new file mode 100644 index 0000000..0ec2bf4 --- /dev/null +++ b/input/test/Test653.txt @@ -0,0 +1,7 @@ +18-year-old dies in car crash By The Dispatch Staff, , @OneidaDispatch on Twitter Posted: # Comments +DeWitt, N.Y. >> An 18-year-old died in a car crash early Tuesday night in DeWitt. +According to police, Blake J. Lucas, 18, of Jamesville was traveling east on Quintard Road in his 2015 Toyota Ray4 and failed to stop at a stop sign at the intersection of Jamesville Road. +The car continued east off the road, striking a utility pole and rolling several times before colliding with the DeWitt Community Library. +Lucas was transported to SUNY Upstate Medical Center in Syracuse where he succumbed to his injuries. Advertisement +According to police, there were no signs of alcohol or drugs involved at the scene. +The investigation is currently ongoing \ No newline at end of file diff --git a/input/test/Test654.txt b/input/test/Test654.txt new file mode 100644 index 0000000..931136b --- /dev/null +++ b/input/test/Test654.txt @@ -0,0 +1,23 @@ +Business last year, it embarked on what it says is a ground-up remake of the tool line, hoping to revitalize a name that had languished alongside the struggling department store. +Stanley has spent the past 18 months designing and making a new line of Craftsman products, the first 1,200 of which were unveiled Thursday during a launch event in the "Craftsmen Garage" at a business park in Middle River. +The "garage" is being used to "bring Craftsman to life, here in Baltimore," said Jeff Doehne, the general manager of the Craftsman brand, which will be managed out of the Towson headquarters of Stanley's power tools and storage divisions. +The company says its designers aimed to keep the tools durable and affordable while making them more efficient and compatible with new technology. A new line of battery packs are versatile enough to start a gas-powered lawnmower or snap on to a cordless impact driver. +Rows of bright red power tools, storage chests and outdoor equipment were on display in the space the company has used for about a year to give hands-on demonstrations to retail customers, investors, employees and others. On Thursday, the toolmaker invited tool bloggers, DIY enthusiasts and other media in to try out its line of Craftsman mechanics tools, metal storage, garage door openers, shop vacs, portable storage, hand and power tools, and outdoor tools, both for homeowners and professionals. Sears Holdings could breathe new life into the tool line but may be one more step toward the demise of the department store chain, experts said Thursday. +The $900 million sale announced Thursday will provide a cash infusion for Sears,... +"Craftsman is a brand that's had 90 years of history here in the U.S. and it has always stood for being good quality product at great value to the users," Doehne said. "We're going to continue to drive that with our next generation of Craftsman, but we're introducing new technologies and new processes to the product to be very competitive in the marketplace." +The first wave of the new line will launch at this fall at Lowe's and Ace hardware stores and be sold on Amazon in time for the holiday retail season. A limited number of products, more than 30, have been on the shelves since May at Lowe's stores nationwide. Craftsman sales have totaled about $30 million in its first three months. +"We … have seen great interest in the brand," said Jenny Popis, a Lowe's spokeswoman, in an email. Craftsman "is known in the minds of consumers for being trusted to deliver high-quality products at a value, backed by a great warranty." +Stanley appears to be targeting the market between high-end professional tools and lower-priced products for more casual users, one marketing expert said. +"They now have a sharp designed line that brings some Dewalt toughness, industrial design and a uniquely American red brand to the market," said Ed Callahan, co-founder and creative strategist of Baltimore-based Planit advertising and marketing firm. "With this, it appears they are taking a new approach to the exploding DIY market and introducing a midlevel line for the pro-seeking consumer that wants to have a tool that feels and looks pro without the price." +Craftsman had lost some of its appeal at Sears, but "the brand was too big to be too badly damaged," Callahan said. +Sears launched the brand in 1927, offering an unlimited lifetime warranty on the hand tools, saying it would replace damaged or broken tools free of charge. The warranty helped cement the tool line's reputation for quality that remains to this day. +Connecticut-based Stanley, which is paying nearly $900 million over three years for the brand in a deal that closed in March 2017, is exploring additional retail channels toward a goal of eventually growing Craftsman into a $1 billion business. +The company plans to add office space for its "global tools and storage" business in the Greenleigh at Crossroads development, the Baltimore County government announced... +The company, with about 2,000 workers in Maryland, including at a Hampstead manufacturing plant, has added about 125 workers in Towson to support Craftsman design, product engineering and marketing efforts. Towson had been the headquarters of Black & Decker before it merged with Stanley Works in 2010. +Stanley and Sears announced the Craftsman sale in January 2017. While analysts expected the deal to boost Black & Decker, offering it opportunities with a well-known brand, they thought the loss of exclusivity could harm Sears, which has been closing stores, by giving consumer another reason to skip its stores. About 90 percent of Craftsman products had been sold almost exclusively through Sears, Kmart and Sears Hometown stores. +In the deal, Stanley bought the rights to sell Craftsman at channels outside of Sears, while Sears can continue to sell some of its former Craftsman products. +"We're committing to bringing manufacturing of the Craftsman brand back to the United States," where more than 20 plants are now doing some of the work, including a factory in Hampstead that makes Craftsman parts, said Tim Perra, a Stanley spokesman. "It's one of those brands, we strongly believe, [that] should be made in the U.S.A." CAPTION +Analysts say Trump's tariffs, and retaliatory measures by China and other trade partners, will affect growthat the Port of Baltimore in the future, though. +Analysts say Trump's tariffs, and retaliatory measures by China and other trade partners, will affect growthat the Port of Baltimore in the future, though. CAPTION +Tribune Media Co. announced that it terminated its controversial $3.9 billion merger with Sinclair Broadcast Group. +Tribune Media Co. announced that it terminated its controversial $3.9 billion merger with Sinclair Broadcast Group \ No newline at end of file diff --git a/input/test/Test655.txt b/input/test/Test655.txt new file mode 100644 index 0000000..894d01b --- /dev/null +++ b/input/test/Test655.txt @@ -0,0 +1,9 @@ + Stanley Muller on Aug 17th, 2018 // No Comments +Royal Bank of Canada upgraded shares of Endo International (NASDAQ:ENDP) (TSE:ENL) from a sector perform rating to an outperform rating in a research report released on Monday, Marketbeat Ratings reports. Royal Bank of Canada currently has $26.00 price target on the stock. +Several other research analysts have also commented on the company. BMO Capital Markets raised their price objective on Endo International from $9.00 to $16.00 and gave the company a market perform rating in a research report on Friday, August 10th. They noted that the move was a valuation call. Leerink Swann raised their price objective on Endo International from $12.00 to $18.00 and gave the company a market perform rating in a research report on Thursday, August 9th. Stifel Nicolaus raised their price objective on Endo International from $10.00 to $17.00 and gave the company a hold rating in a research report on Thursday, August 9th. Citigroup raised their price objective on Endo International from $11.00 to $19.00 and gave the company a buy rating in a research report on Thursday, August 9th. Finally, ValuEngine raised Endo International from a hold rating to a buy rating in a research report on Wednesday, August 8th. Two investment analysts have rated the stock with a sell rating, twelve have given a hold rating, five have given a buy rating and two have given a strong buy rating to the company. The company has a consensus rating of Hold and an average price target of $13.39. Get Endo International alerts: +NASDAQ:ENDP opened at $15.95 on Monday. The company has a debt-to-equity ratio of -132.64, a quick ratio of 0.91 and a current ratio of 1.07. Endo International has a 12 month low of $5.27 and a 12 month high of $17.34. The stock has a market capitalization of $3.50 billion, a price-to-earnings ratio of 4.16, a P/E/G ratio of 3.01 and a beta of 0.49. +Endo International (NASDAQ:ENDP) (TSE:ENL) last released its quarterly earnings data on Wednesday, August 8th. The company reported $0.76 EPS for the quarter, beating the consensus estimate of $0.54 by $0.22. Endo International had a positive return on equity of 237.45% and a negative net margin of 34.72%. The company had revenue of $714.70 million for the quarter, compared to analyst estimates of $679.72 million. During the same period last year, the company posted $0.93 earnings per share. The firm's revenue was down 18.4% compared to the same quarter last year. equities research analysts anticipate that Endo International will post 2.6 EPS for the current fiscal year. +In other news, Director Roger H. Kimmel sold 26,074 shares of Endo International stock in a transaction dated Tuesday, August 14th. The stock was sold at an average price of $15.90, for a total transaction of $414,576.60. The sale was disclosed in a document filed with the SEC, which can be accessed through this hyperlink . 0.80% of the stock is currently owned by insiders. +Several hedge funds and other institutional investors have recently made changes to their positions in the company. BNP Paribas Arbitrage SA increased its holdings in Endo International by 518.7% in the first quarter. BNP Paribas Arbitrage SA now owns 3,293,567 shares of the company's stock valued at $19,564,000 after buying an additional 2,761,216 shares during the last quarter. Bank of New York Mellon Corp increased its holdings in Endo International by 13.2% in the second quarter. Bank of New York Mellon Corp now owns 2,446,852 shares of the company's stock valued at $23,074,000 after buying an additional 284,599 shares during the last quarter. Diamond Hill Capital Management Inc. increased its holdings in Endo International by 1.0% in the second quarter. Diamond Hill Capital Management Inc. now owns 1,100,259 shares of the company's stock valued at $10,375,000 after buying an additional 10,600 shares during the last quarter. Schroder Investment Management Group increased its holdings in Endo International by 78.1% in the second quarter. Schroder Investment Management Group now owns 747,571 shares of the company's stock valued at $7,349,000 after buying an additional 327,775 shares during the last quarter. Finally, River & Mercantile Asset Management LLP increased its holdings in Endo International by 18.6% in the second quarter. River & Mercantile Asset Management LLP now owns 554,835 shares of the company's stock valued at $5,229,000 after buying an additional 87,102 shares during the last quarter. 95.89% of the stock is currently owned by institutional investors and hedge funds. +Endo International Company Profile +Endo International plc, a specialty pharmaceutical company, manufactures and sells generic and branded pharmaceuticals in the United States, Canada, and internationally. The company operates through three segments: U.S. Generic Pharmaceuticals, U.S. Branded Pharmaceuticals, and International Pharmaceuticals. Receive News & Ratings for Endo International Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Endo International and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test656.txt b/input/test/Test656.txt new file mode 100644 index 0000000..1c9b66c --- /dev/null +++ b/input/test/Test656.txt @@ -0,0 +1 @@ +MBA Project Report Services for Indira International Distance Education Academy, IGI, Pune - Mumbai, India - Free Classifieds - Muamat Search Other Ads in Mumbai Search MBA Project Report Services for Indira International Distance Education Academy, IGI, Pune - Mumbai (Pune ) AVOID SCAMS AND FRAUDS | Report Abuse | Email this Ad MBA Project Report is one of the most important parts of your educational career. We know how hard to write a MBA Project Report as a student. Our MBA Project Report services in all specialization offers the best help to students to complete their MBA project report.(ebrand17818vs) We can help right from selection of project title, developing of synopsis/project proposal, complete data collection, drafting, editing & cross checking of project. Indira International Distance Education Academy mission is to reach out to the various segments of learners from all corners of the world for dissemination of the pool of knowledge through the use of appropriate mix of contemporary technology, methodology and the value system and as a responsible education provider, offer flexible and vibrant modules to suit the learning community. We Provide MBA Project Report in any specialization like Marketing, Finance, HR, Operations, Hotel & Tourism, Hospital Management, Information Technology-IT etc. Our services like MBA project title selection, MBA project writing services, coursework writing, data collection, literature source / collection, data analysis, questioner preparation, PowerPoint presentations, synopsis writing, plagiarism testing & correction for MBA project, etc \ No newline at end of file diff --git a/input/test/Test657.txt b/input/test/Test657.txt new file mode 100644 index 0000000..7a0f969 --- /dev/null +++ b/input/test/Test657.txt @@ -0,0 +1,15 @@ +Kait Bolongaro +There is also uncertainty over the future status of the U.K. within the EU's infectious disease database, a system that allows pathogens to be spotted early and their spread to be tracked more easily across the Continent, Thompson said. He urged negotiators to "very quickly agree" ongoing participation for the U.K. +"If you think about the number of patients that arrive in Europe through Heathrow, for the U.K. and Europe not to be working on one infectious disease database, [that] will not be understood by patients," he said. "So there are some really simple things that we would expect now to be very quickly agreed and put in place, otherwise we're going to be putting patients at risk." Aintree University Hospital in Liverpool | Oli Scarff/AFP via Getty Images +In a parallel to the dispute over U.K. participation in the Galileo satellite program , which led to U.K. officials accusing the EU of taking an overly "legalistic" approach to negotiations, the EU has so far indicated that as a third country the U.K. would be shut out of shared drug databases. An EMA planning document for the "EudraVigilance" drug safety database in June stated that "applications supporting the approval and safety monitoring of medicines across the EU would have to be closed to the UK" after March 2019. The document makes no mention of a Brexit transition period agreed provisionally between the EU and U.K. negotiators in March, and it is not clear whether that would apply. Preparing for the worst +With growing fears of a no-deal Brexit — Trade Secretary Liam Fox put the odds at 60-40 earlier this month — a number of firms in the U.K. and Europe have begun speaking publicly about their stockpiling plans, with fears that trade and regulatory disruptions could slow down the supply of medicines across borders. AstraZeneca said last month it would increase its stock supply in Europe by around 20 percent, while major insulin-manufacturer Sanofi and Swiss firm Novartis have also set out stockpiling plans in recent weeks. +The U.K.'s health and social care secretary, Matt Hancock, told the House of Commons health committee last month that the government is actively "working with industry to prepare for the potential need for stockpiling." +Thompson said that while preparations in the U.K. are moving more quickly, readiness for no-deal was a "pan-European issue and patients in Europe are just as impacted." +"Understandably, Brexit is higher up the government's agenda in the U.K. than it is in other member states, therefore the U.K. has been moving at a faster pace in terms of thinking through some of the issues. You see now government ministers in the U.K. actively discuss things like stockpiling, which you're yet to see across other member states," he said. +"I think that's good for U.K. patients but I'm concerned about patients across the continent of Europe because I think it will have an impact for everybody." +"We are continuing to work with industry in the unlikely event of a no-deal Brexit so patients continue to receive top quality care" — U.K. Department of Health and Social Care +Thompson also urged the EU to "have a little think" about the future of its life sciences sector, warning that a clean break between the U.K. and the wider EU's pharmaceutical sectors could see drug firms downgrading the EU in favor of the U.S. and Asia for future research opportunities. +"Life sciences tends to operate regionally," he said. "You have the U.S.; you have Europe; you have an Asian bloc … at the moment Europe is heading toward being third in that list of priorities for most companies … The U.K. is the third largest biopharmaceutical cluster outside of the East and West Coast of the United States. I can't see why, at this moment, pushing the U.K. away makes any strategic sense," he said. +A U.K. Department of Health and Social Care spokesperson said: "We want a deal with the EU that is good for the U.K. and good for the health service. That is why we have continued to work closely with the European Union to ensure there is no disruption to the NHS [National Health Service] after we leave. +"Alongside that, we are continuing to work with industry in the unlikely event of a no-deal Brexit so patients continue to receive top quality care." +A European Commission spokesperson said: "Discussions on the framework of the future EU-U.K. relationship are ongoing. \ No newline at end of file diff --git a/input/test/Test658.txt b/input/test/Test658.txt new file mode 100644 index 0000000..0ad45c8 --- /dev/null +++ b/input/test/Test658.txt @@ -0,0 +1,21 @@ +SAN FRANCISCO (REUTERS) - An employee fired from Tesla Inc's Nevada battery factory filed a whistleblower complaint with the US Securities and Exchange Commission, accusing the company of spying on employees, hiding theft of raw materials and failing to act after learning that a Mexican cartel may be dealing drugs inside the plant, his attorney said on Thursday (Aug 16). +A former member of Tesla's internal investigations team, Karl Hansen, filed a tips, complaints and referrals form to the SEC about the Gigafactory on Aug 9, Hansen's attorney Stuart Meissner said in a news release. Whistleblowers can receive 10 per cent to 30 per cent of penalties the SEC collects. +Tesla said it took the allegations that Hansen brought to the electric car maker seriously and investigated. +"Some of his claims are outright false. Others could not be corroborated," Tesla said in the statement. +The SEC declined comment. +The complaint sent to the SEC comes amid intense focus on the company and chief executive Elon Musk, whose tweets about taking the company private last week set off a scramble to determine whether he violated securities law in stating that funding for the deal was "secured." +Hansen alleged that Tesla, at the direction of Musk, installed surveillance equipment at the Gigafactory outside Reno, Nevada to eavesdrop on the personal cellphones of employees while at work, according to Meissner. +Hansen also claims that Tesla did not disclose to investors that thieves stole US$37 million in copper and other raw materials during the first half of 2018, according to his attorney. +Hansen alleges Tesla failed to disclose that it received written notice from the US Drug Enforcement Administration about a Tesla employee possibly engaged in selling cocaine and crystal methamphetamine from the Nevada factory on behalf of a Mexican drug cartel, according to Meissner who did not release the whistleblower filing he said his client made to the SEC. +Reuters could not reach Hansen for comment. +Hansen alleges that he found ties between the Tesla employee and members of the cartel and urged Tesla to disclose that information to the DEA, his attorney said in the news release. +The DEA said it does not notify non-law enforcement entities about investigations. +"Notifying associates of a target of an investigation would likely derail enforcement efforts or compromise the investigation altogether," the agency said in a statement. +Sheriff Gerald Antinoro of Storey County, where the Gigafactory is located, declined to comment on the allegations of drug dealing. The sheriff did say Tesla reported two thefts but did not disclose what was taken. +"Tesla refused to do so and instead advised him that Tesla would hire 'outside vendors' to further investigate the issue," Meissner said in the news release. +Hansen was subject to retaliation and fired on July 16 after raising the issues internally, he said. +Hansen is the second Tesla employee to file a whistleblower complaint with the SEC. +Related Story Elon Musk considers a private Tesla in tweet, shares jump Martin Tripp, another former Gigafactory worker represented by Meissner, told the SEC that Tesla inflated the number of Model 3s being produced each week, that it used punctured batteries in its vehicles, and that it reused scrapped parts in vehicles "without regard to safety," according to his attorney. +Tesla denies those claims. +Tripp's tip to the SEC was filed after he was fired, sued by Tesla for hacking trade secrets and transferring internal documents to third parties. +Musk, in a company-wide email, accused an unnamed Telsa employee of "quite extensive and damaging sabotage to our operations. \ No newline at end of file diff --git a/input/test/Test659.txt b/input/test/Test659.txt new file mode 100644 index 0000000..b278247 --- /dev/null +++ b/input/test/Test659.txt @@ -0,0 +1,28 @@ +CHANGE REGION 1 of 3 FILE - In this Nov. 25, 2017, file photo, Michigan coach Jim Harbaugh watches players warm up for an NCAA college football game against Ohio State in Ann Arbor, Mich. Harbaugh is 28-11 since taking over the Wolverines. That's a clear improvement from where Michigan was, but a bit underwhelming considering the hype and expectations that accompanied Harbaugh's arrival. Specifically, the Wolverines have struggled against their biggest rivals, going 1-5 against Ohio State and Michigan State. Michigan opens this season at Notre Dame. (AP Photo/Carlos Osorio, File) 2 of 3 FILE - In this July 25, 2018, file photo, UCLA coach Chip Kelly speaks during the Pac-12 Conference NCAA college football media day in Los Angeles. Kelly and UCLA will play at Oregon, his former team, on Nov. 3. (AP Photo/Jae C. Hong, File) 3 of 3 FILE - In this Dec. 2, 2017, file photo, Georgia quarterback Jake Fromm (11) looks to throw a pass as Auburn defensive lineman Derrick Brown (5) pressures during the second half of the Southeastern Conference championship NCAA college football game in Atlanta. Auburn and Georgia meet Nov. 10 in a rematch from last year's SEC title game. (AP Photo/David Goldman, File) Michigan-Notre Dame leads off games to watch in 2018 By Associated Press | August 17, 2018 @4:50 AM SHARE +Remember last year, when everyone was eyeing the season-opening Alabama-Florida State game as one of the most anticipated matchups? +The third-ranked Seminoles lost that game and several more, barely finishing with a winning record. +Even late in the season, a huge showdown between two top teams might not mean as much in hindsight. Consider the Iron Bowl between No. 1 Alabama and No. 6 Auburn. The Crimson Tide lost but still went on to win the national title. +So predicting the most important games of the regular season is a tricky proposition, but with that caveat out of the way, there are several matchups that already stand out when looking through this year's schedule. Here are a few of those games to watch in 2018: +___ +Michigan at Notre Dame (Sept. 1) +Jim Harbaugh is 28-11 since taking over the Wolverines. That's a clear improvement from where Michigan was, but a bit underwhelming considering the hype and expectations that accompanied Harbaugh's arrival. Specifically, the Wolverines have struggled against their big rivals, going 1-5 against Ohio State and Michigan State. This year's Michigan team has the potential to be terrific after adding transfer quarterback Shea Patterson , but it also faces a brutal schedule that includes road games against Notre Dame, Michigan State and Ohio State. Win this opener against the Irish, and it's a big step forward for Harbaugh's program. Lose, and the honeymoon is well and truly over. +___ +LSU vs. Miami (Sept. 2) +The Hurricanes took a 10-0 record into their regular-season finale in 2017. Then a loss at Pittsburgh started a three-game losing streak that took some of the shine off Miami's resurgence. Both LSU and Miami may have tougher games down the road in conference play, but the winner of this early-season showdown in Arlington, Texas, will earn some immediate buzz. +___ +Oklahoma at TCU (Oct. 20) +TCU takes on Ohio State in a huge nonconference matchup Sept. 15. If the Horned Frogs win that one, then this showdown a month later with the Sooners becomes even more intriguing. TCU had one of the nation's top rushing defenses last year, but Oklahoma's Rodney Anderson gained 151 yards on the ground against the Horned Frogs . +___ +UCLA at Oregon (Nov. 3) +Chip Kelly's debut season at UCLA includes a trip to Oregon to face the Ducks. Even if neither team turns out to be a title threat in the Pac-12, this should be quite a scene when the star coach takes on his former team. See also: Dan Mullen and Florida playing at Mississippi State on Sept. 29. +___ +Auburn at Georgia (Nov. 10) +These Southeastern Conference rivals split two meetings three weeks apart toward the end of last season. Auburn won 40-17 in November, only for Georgia to take the rematch 28-7 in the SEC championship game. There's every possibility that this matchup could impact the title race in both SEC divisions. +___ +Wisconsin at Penn State (Nov. 10) +Given the uncertainty surrounding Urban Meyer at Ohio State , it may be Wisconsin that is the Big Ten's most likely playoff team. The Badgers appear to have a smooth path through their division, but they'll have a lot to prove in a pair of crossover matchups against teams from the East. Wisconsin plays at Michigan on Oct. 13 and has this trip to face the Nittany Lions. +___ +More AP college football: https://apnews.com/tag/Collegefootball and https://twitter.com/AP_Top25 +___ +Follow Noah Trister at www.Twitter.com/noahtrister +Copyright 2018 The Associated Press. All rights reserved. This material may not be published, broadcast, rewritten or redistributed. READ MOR \ No newline at end of file diff --git a/input/test/Test66.txt b/input/test/Test66.txt new file mode 100644 index 0000000..9345de3 --- /dev/null +++ b/input/test/Test66.txt @@ -0,0 +1,3 @@ +Judge Jeanine Pirro Slams Whoopi and 'The View' for Mistreating Her published: 20 Jul 2018 Judge Jeanine Pirro Slams Whoopi and 'The View' for Mistreating Her Judge Jeanine Pirro Slams Whoopi and 'The View' for Mistreating Her published: 20 Jul 2018 views: 279417 +Judge Jeanine Pirro doesn\\'t say she regrets going on \\"The View\\" -- even though it ended in a shouting match -- but it doesn\\'t seem like she\\'s in a hurry to go back either. SUBSCRIBE: http://po.st/TMZSubscribe About TMZ: TMZ has consistently been credited for breaking the biggest stories dominating the entertainment news landscape and changed the way the public gets their news. Regularly referenced by the media, TMZ is one of the most cited entertainment news sources in the world. Subscribe to TMZ on YouTube for breaking celebrity news/ gossip and insight from the newsroom staff (TMZ Chatter & TMZ News), the best clips from TMZ on TV, Raw & Uncut TMZ paparazzi video (from TMZ.com) and the latest video from TMZ Sports and TMZ Live! Keeping Up with Our YouTube Exclusive Content: TMZ Chatter: TMZ newsroom staff insight and commentary from stories/ photos/ videos on TMZ.com TMZ News: The latest news you need to know from TMZ.com Raq Rants: Raquel Harper talks to a celebrity guest with ties to the hip hop and R&B communities. Behind The Bar Podcast: TMZ\\'s lawyers Jason Beckerman and Derek Kaufman loiter at the intersection of law and entertainment, where they look closely at the personalities, events and trends driving the world of celebrity — and how the law affects it all. We love Hollywood, we just have a funny way of showing it. Need More TMZ? TMZ Website: http://po.st/TMZWebsite LIKE TMZ on Facebook! http://po.st/TMZLike FOLLOW TMZ on Twitter! http://po.st/TMZFollow FOLLOW TMZ on Instagram! http://po.st/TMZInsta TMZ on TV & TMZ Sports on FS1 Tune In Info: http://po.... Judge Jeanine Pirro Slams Whoopi and 'The View' for Mistreating Her published: 20 Jul 2018 views: 279417 +Judge Jeanine Pirro doesn\\'t say she regrets going on \\"The View\\" -- even though it ended in a shouting match -- but it doesn\\'t seem like she\\'s in a hurry to go back either. SUBSCRIBE: http://po.st/TMZSubscribe About TMZ: TMZ has consistently been credited for breaking the biggest stories dominating the entertainment news landscape and changed the way the public gets their news. Regularly referenced by the media, TMZ is one of the most cited entertainment news sources in the world. Subscribe to TMZ on YouTube for breaking celebrity news/ gossip and insight from the newsroom staff (TMZ Chatter & TMZ News), the best clips from TMZ on TV, Raw & Uncut TMZ paparazzi video (from TMZ.com) and the latest video from TMZ Sports and TMZ Live! Keeping Up with Our YouTube Exclusive Content: TMZ Chatter: TMZ newsroom staff insight and commentary from stories/ photos/ videos on TMZ.com TMZ News: The latest news you need to know from TMZ.com Raq Rants: Raquel Harper talks to a celebrity guest with ties to the hip hop and R&B communities. Behind The Bar Podcast: TMZ\\'s lawyers Jason Beckerman and Derek Kaufman loiter at the intersection of law and entertainment, where they look closely at the personalities, events and trends driving the world of celebrity — and how the law affects it all. We love Hollywood, we just have a funny way of showing it. Need More TMZ? TMZ Website: http://po.st/TMZWebsite LIKE TMZ on Facebook! http://po.st/TMZLike FOLLOW TMZ on Twitter! http://po.st/TMZFollow FOLLOW TMZ on Instagram! http://po.st/TMZInsta TMZ on TV & TMZ Sports on FS1 Tune In Info: http://po... \ No newline at end of file diff --git a/input/test/Test660.txt b/input/test/Test660.txt new file mode 100644 index 0000000..c2ec17f --- /dev/null +++ b/input/test/Test660.txt @@ -0,0 +1 @@ +Receive the latest sports updates in your inbox Email NBC 5 TCU has lost standout defensive tackle Ross Blacklock to a season-ending Achilles injury. A person with knowledge of the situation said Wednesday night that Blacklock was injured during non-contact work in a recent practice. The person spoke to The Associated Press on condition of anonymity because there was no announcement from the school about the injury. The 6-foot-4, 329-pound Blacklock had 27 tackles with two sacks as a redshirt freshman for the Horned Frogs last season. The big, athletic defensive tackle started all 14 games, and had two tackles for loss against Stanford in the Alamo Bowl. TCU, which made it to the Big 12 championship game last season, opens this season at home Sept. 1 against SWAC team Southern University \ No newline at end of file diff --git a/input/test/Test661.txt b/input/test/Test661.txt new file mode 100644 index 0000000..8d73189 --- /dev/null +++ b/input/test/Test661.txt @@ -0,0 +1,16 @@ +Posted in: Local News +Andile Tshuma THE United Nations Children's Fund (Unicef) has revealed that less than three percent of children in Zimbabwe are aware of the places they can approach if they fall victim to abuse. +The shocking statistics were posted on the Unicef official Twitter account on Wednesday. +"Only 2,7 percent of young people who experience abuse know where to go to get professional help in Zimbabwe. +Unicef supports Govt to improve access by child abuse victims to co-ordinated comprehensive child protection services," read a statement in its official Twitter account. +According to Unicef Zimbabwe, child abuse casts a shadow of a lifetime in a child, hence the need to ensure that children are protected and that there are adequate structures in communities to cater for children who have fallen victim to abuse. +The consequences of children being unaware of the vital support systems available for them is that many cases of abuse will go unreported if children do not know where to report and who to talk to. +Unicef has also called on the public to be heroes for children through assisting police and child rights advocates by reporting any child abuse in communities through the toll free helpline number 116. +Unicef Goodwill Ambassador Priyanka Chopra called for increased awareness and support for child victims of sexual violence. The actress made an emotional visit to Zimbabwe recently, where she met child survivors of sexual violence and heard their harrowing stories. +"When I met these survivors, young brave women and children, and listened to their experiences, it just broke my heart," said Chopra. "I will never forget their stories." +Organisations such as Childline Zimbabwe remain committed to protecting and helping children who fall victim to all forms of child abuse. +"As Childline, we are unwavering in our fight against child abuse. We remain committed to ending any forms of violence towards children," said Childline Zimbabwe on their Twitter account. +According to researchers, most children are abused by people they know personally and the most prevalent form of abuse, sexual abuse, is usually perpetrated by family members or people that children trust. +Although child sexual abuse is a significant public health problem globally, its incidence, prevention, and management is less well described in resource-poor settings. In poorer settings, prevention initiatives assume even more importance since resources for managing abused children are severely limited. +According to Research Gate, although Zimbabwe has a well-established legal and regulatory framework to protect children from child sexual abuse, implementation of existing policies was weak. Financial, human, and material resource constraints are frequently cited to explain limited prevention activity. +Effective strategies for the prevention of child sexual abuse should focus on implementing existing legislation, targeting schoolchildren and getting community involvement \ No newline at end of file diff --git a/input/test/Test662.txt b/input/test/Test662.txt new file mode 100644 index 0000000..e955159 --- /dev/null +++ b/input/test/Test662.txt @@ -0,0 +1 @@ +AVOID SCAMS AND FRAUDS | Report Abuse | Email this Ad MBA Project Report is one of the most important parts of your educational career. We know how hard to write a MBA Project Report as a student. (ebrand17818vs) Our MBA Project Report services in all specialization offers the best help to students to complete their MBA project report. We can help right from selection of project title, developing of synopsis/project proposal, complete data collection, drafting, editing & cross checking of project. Mumbai Educational Trust is an academic institution located in Bandra, Mumbai and Nasik. It offers degrees in areas including Management, Information technology and Mass media We Provide MBA Project Report in any specialization like Marketing, Finance, HR, Operations, Hotel & Tourism, Hospital Management, Information Technology-IT etc. Our services like MBA project title selection, MBA project writing services, coursework writing, data collection, literature source / collection, data analysis, questioner preparation, PowerPoint presentations, synopsis writing, plagiarism testing & correction for MBA project, etc \ No newline at end of file diff --git a/input/test/Test663.txt b/input/test/Test663.txt new file mode 100644 index 0000000..091fd0c --- /dev/null +++ b/input/test/Test663.txt @@ -0,0 +1 @@ +Google clarifies tracking users even with location data turned off 2 hours ago Aug 17, 2018 IANS San Francisco, Aug 17 : After facing criticism over reports that certain Google apps track users' whereabouts even when they turn off location data, the tech giant has revised its Help Page, clarifying that it does track location data in order to "improve Google experience". Previously, the Help Page stated: "You can turn off Location History at any time. With Location History off, the places you go are no longer stored." The page now says: "This setting does not affect other location services on your device, like Google Location Services and Find My Device. "Some location data may be saved as part of your activity on other services, like Search and Maps". The new language confirms that location data is, indeed, being tracked by some Google apps. "We have been updating the explanatory language about Location History to make it more consistent and clear across our platforms and help centres," CNET reported on Friday, quoting a Google spokesperson. The Associated Press earlier this week ran a story saying an investigation found that many Google services on Android devices and iPhones store users' location data even if the users explicitly used a privacy setting forbidding that. Researchers from Princeton University confirmed the findings. In an earlier statement, Google had said: "Location History is a Google product that is entirely opt in, and users have the controls to edit, delete or turn it off at any time. "As the (AP) story notes, we make sure Location History users know that when they disable the product, we continue to use location to improve the Google experience when they do things like perform a Google search or use Google for driving directions." But just turning off Location History doesn't solve the purpose. In Google Settings, pausing "Web and App Activity" may do the trick. However, according to the information on Google's Activity Control page, "Even when this setting is paused, Google may temporarily use information from recent searches in order to improve the quality of the active search session". Share it \ No newline at end of file diff --git a/input/test/Test664.txt b/input/test/Test664.txt new file mode 100644 index 0000000..613ca8c --- /dev/null +++ b/input/test/Test664.txt @@ -0,0 +1,32 @@ +Santa Fe Sport brings a lot of baggage Posted: August 16, 2018 - 5:00 AM The 2018 Hyundai Santa Fe Sport carries over from the last several years, and is headed for a new design for 2019. Hyundai +2018 Hyundai Santa Fe Sport 2.0T Ultimate AWD: Looking backward. +Price: $39,875 as tested (just $1,800 for the Ultimate Tech Package, which added smart cruise, lane departure, automatic braking, bending lights, and more). +Marketer's pitch: "The perfect SUV for 5 VIPs." +Conventional wisdom: Car and Driver likes the "upscale interior, agreeable to drive, a features list as long as your leg," but not the "four-cylinder power in a V-6 class, light on standard safety gear, hoped-for fuel economy gone missing." +Reality: Hyundai is offering them at great discounts. +What's old: Usually I'll start out by mentioning what's new in a vehicle. And Hyundai and Kia reviews often focus on how far the vehicles have advanced, how strong a contender they are in the segment, blah, blah, blah. +So I took almost perverse pleasure in the general suckitude of the Santa Fe Sport. But this is a vehicle that's pretty much been around since 2013. And 2018 will be the final year for this design. +The two-row Santa Fe Sport will become just Santa Fe for 2019, while the three-row will become the Santa Fe XL. Hyundai The interior of the 2018 Hyundai Santa Fe sport is nice enough — though this artsy photo doesn't show much. But ergonomic problems mean some compromises. +Driver's Seat: Carmakers have fallen out of the habit of tossing a lot of buttons to the left side of the steering wheel. It's just as well — they're hard to see on the fly, and can be impossible to locate for newbies. +The Santa Fe I tested, though, made this an important part of vehicle operation. +To the left of the steering column reside eight buttons, for drive mode, steering-wheel heater, lane assist, and more. +While trying to change the drive mode to Sport, I managed to turn lane assist on and off three times and turn the steering-wheel heater on once. Then I couldn't find the steering-wheel heater button to turn it back off. Not ideal. +Most of these have moved to the console for the 2019 redesign. +Shifty: Furthermore, as shiftable automatics have become almost a necessity among automakers, most have realized that sliding the shifter to the right is the wrong direction. Then shifting happens away from Mr. Driver's Seat, making the shifting action harder and the driving position more awkward. +The Santa Fe looks to these bad old days for inspiration. On the bright side, shifting is easy and smooth. +In automatic mode, things work fine as well, although Sport mode will stay in lower gears longer than I'd like. +Up to speed: Anyway, dear readers, I apologize for my overstating the negative. I just rarely get to do that anymore. +But these complaints are fairly minor in the grand scheme. Much about the Santa Fe Sport is nice. +The acceleration of the 2.0-liter four-cylinder turbo makes up for other shortcomings. The 240 horses seemed quicker than that, although a lot of accelerator pressure is required to get the most out of it. Sport mode helped a lot on this account, but overcompensated a bit with a touchy accelerator. +Zero to 60 is reported to take 7.6 seconds, according to Car and Driver. +On the road: I found the handling in the Santa Fe to be acceptable. Corners were nothing to write home about, though, even in Sport mode. +Highway cruising was comfortable, although winds could knock the tall vehicle around. +Up and down: Add the Hyundai Santa Fe to a spate of vehicles with adaptive cruise control systems that weren't smooth. The Santa Fe test vehicle had a distinct fast-slow cycle in its cruise setting, and was also disrupted noticeably when another vehicle came into range, and even curves and dips meant slowdowns. +Friends and stuff: Other journalists are calling this roomy, but the rear seat fails on all counts: foot room, legroom, and general comfort. The passable headroom is not enough to save it, nor is the general lack of a hump in the middle. +Keeping warm and cool: The vents blow an ill Santa Fe Sport wind as well. Their overdesigned shape makes directing the airflow tough. +Play some tunes: The stereo in the Santa Fe Sport offers top-notch sound and simple operation, with two knobs for tuning and volume. +Night shift: I could see OK, but Hyundai's given me more than one model now with weird headlight shadows — right in the upper middle. All night long, I'm thinking, "Deer? Deer? Deer?" +Fuel economy: I averaged about 21 mpg in the usual Mr. Driver's Seat Path of Instruction. +Where it's built: West Point, Ga. +How it's built: Consumer Reports predicts its reliability to be 4 out of 5, and it has received fours or fives since 2015. +In the end: Well, reliability and end-of-cycle bargain prices count for something, as long as backseat comfort and well-organized controls are not on your requirements list. Posted: August 16, 2018 - 5:00 A \ No newline at end of file diff --git a/input/test/Test665.txt b/input/test/Test665.txt new file mode 100644 index 0000000..5ede6bb --- /dev/null +++ b/input/test/Test665.txt @@ -0,0 +1,6 @@ +Benjamin Smith new CEO of Air France-KLM, unions concerned - KSWO 7News | Breaking News, Weather and Sports Member Center: Benjamin Smith new CEO of Air France-KLM, unions concerned 2018-08-17T09:00:25Z 2018-08-17T09:01:12Z (Mark Blinch/The Canadian Press via AP). In this Feb. 9, 2017, photo Benjamin Smith, President, Passenger Airlines Air Canada, speaks before revealing the new Air Canada Boeing 787-8 Dreamliner at a hangar at the Toronto Pearson International Airport i... (Aaron Vincent Elkaim/The Canadian Press via AP). In this Dec. 18, 2012, photo, executive vice-president Benjamin Smith unveils the new leisure airline Air Canada Rouge in Toronto. Air Canada's chief operating officer Smith has been named the new CEO o... +PARIS (AP) - Unions at Air France-KLM voiced concern after the company appointed Benjamin Smith as the new CEO with the support of the French state. +The company said Thursday that Smith, who is 46 and was previously Air Canada's chief operating officer, will fill the role by Sept. 30. +Vincent Salles, unionist at CGT-Air France union, said on France Info radio that unions fear Smith's mission is to implement plans that would "deteriorate working conditions and wages." +The previous CEO, Jean-Marc Janaillac, resigned in May after Air France employees held 13 days of strike over pay and rejected the company's wage proposal, considered too low. +Finance Minister Bruno Le Maire welcomed an "opportunity" for Air France-KLM and expressed his confidence in Smith's ability to "re-establish social dialogue." Copyright 2018 The Associated Press. This material may not be published, broadcast, rewritten or redistributed \ No newline at end of file diff --git a/input/test/Test666.txt b/input/test/Test666.txt new file mode 100644 index 0000000..b3c798f --- /dev/null +++ b/input/test/Test666.txt @@ -0,0 +1 @@ +Press release from: TMR Research PR Agency: TMR Research Global Nutraceutical Excipients Market: SnapshotExcipients are known to offer an upper hand and enhanced usefulness in drugs and this has indicated their enlarged practice by pharmaceutical firms in recent years. In advanced research of materials that can be used in drugs, plans have given the market a particular lift to the nutraceutical excipients market.Request Sample Copy of the Report @ www.tmrresearch.com/sample/sample?flag=B&rep_id=3206 There has been a growing interest and prevalence for novel carriers that aid in nano-molecule solution conveyance for oncological prescriptions to offer enhanced steadiness of pharmaceuticals. This is additionally anticipated to drive the nutraceutical excipients market. Patent termination of blockbuster medicines is additionally predicted to impel the market at an impressive pace. An extra viewpoint which is foreseen to indicate worldwide growth is that most pharmaceutical firms have been requesting a development of more refined excipients with an enhanced part in drug deliverance.Through the coming years, larger part of nutraceutical excipients will be utilized as a part of the generation of supplements containing proteins and amino acids. Growing interest for protein-rich dietary nourishments will drive the utilization of nutraceutical excipients in assembling of protein and amino acids.Request TOC of the Report @ www.tmrresearch.com/sample/sample?flag=T&rep_id=3206 The most significant factor impeding worldwide nutraceutical excipients market is limitations in research and development. The consumption of demonstrating the productivity of an excipient across clinical examinations is likewise exorbitant and can be a most critical hindrance to the growth of new excipients in the glob market.Presently, organizations are dealing with improvement of excipients in pipeline drugs and conveyance. These determinants are predicted to majorly affect the improvement and promoting of the global nutraceutical excipients market in the forthcoming years.Nutraceutical Excipients Market: OverviewEver since there has been an increase in the use of bioactive ingredients in the making of nutraceuticals, wide range of excipients have been put to use in order to stabilize these products. Excipient foods are used by the nutraceuticals producers to improve the performance of the products. Various food compositions and structures are being formed by using excipient. These excipients improve the bioavailability nutraceuticals that comprise of bioactive elements. In forthcoming years increase in the requirement for the stabilization of physiochemical properties of dietary supplements, in the production process is expected to continue driving the demand for excipients for example antifoams, thickeners, binders, and disintegrants, among others.Based on type, the nutraceutical excipients market is foreseen to be one of the fastest-growing within the forecast period. The prebiotic capsules have a layer of HPMC which is an excipient. Among all the type, the dry form segment is expected to experience the highest growth in coming years. The popularity of dry form is credited to its usage in various applications and its cost-effective property.Nutraceutical Excipients Market: Trends and OpportunitiesOwing to advancement in nanotechnology, which is utilized to implement new functions to excipients, and various applications in the food and beverage industry, the market for nutraceutical excipients is expected to remain on a steady growth trajectory.Read Comprehensive Overview of Report @ www.tmrresearch.com/nutraceutical-excipients-market However, lack of investment in research and development is one of the restraining factor in the growth of nutraceutical excipients market. Moreover, the expensive clinical trial procedures is another factor restraining the market growth. Several global excipient manufacturers have invested very minimal in the research and development owing to such obstructions in the past.Nutraceutical Excipients Market: Regional AnalysisRegionally, the Asia Pacific region is expected to rise at the fastest pace in the nutraceutical excipients market, at a steady CAGR of 9.0% within the forecast period from 2017 to 2022. The application of excipients is expected to grow at an increased rate because of the soaring demand from the nutraceutical industry. Moreover, owing to rise in disposable incomes and busy lifestyles, the demand for preserved food and beverages products is growing in the region, which in turn has led to the rise in growth of nutraceutical excipients products as well.Nutraceutical Excipients Market: Competitive LandscapeAssociated British Foods plc, Kerry Group plc, Roquette Fréres S.A., Ingredion Incorporated, DuPont, Meggle AG, JRS Pharma GmbH & Co.KG, Hilmar Ingredients, Innophos, Inc., IMCD Group B.V., and Cargill, Incorporated are some of the key players in nutraceutical excipients market. Owing to constant usage of nutraceutical excipients by the manufacturers of dietary supplements, there is a significant scope of improvement in the efficiency of their products, due to which various firms are anticipated to present excipients with increased stabilization to limit the range of bioactive elements.About TMR Research TMR Research is a premier provider of customized market research and consulting services to business entities keen on succeeding in today's supercharged economic climate. Armed with an experienced, dedicated, and dynamic team of analysts, we are redefining the way our clients' conduct business by providing them with authoritative and trusted research studies in tune with the latest methodologies and market trends. Our savvy custom-built reports span a gamut of industries such as pharmaceuticals, chemicals and metals, food and beverages, and technology and media, among others. With actionable insights uncovered through in-depth research of the market, we try to bring about game-changing success for our clients.Contact \ No newline at end of file diff --git a/input/test/Test667.txt b/input/test/Test667.txt new file mode 100644 index 0000000..b0ef061 --- /dev/null +++ b/input/test/Test667.txt @@ -0,0 +1,5 @@ +Tweet +Bayer AG (OTCMKTS:BAYRY) – Equities research analysts at Jefferies Financial Group increased their FY2019 earnings per share estimates for shares of Bayer in a report released on Wednesday, August 15th. Jefferies Financial Group analyst I. Hilliker now anticipates that the company will earn $2.29 per share for the year, up from their prior estimate of $2.24. Jefferies Financial Group has a "Hold" rating on the stock. Get Bayer alerts: +A number of other brokerages have also weighed in on BAYRY. ValuEngine lowered Bayer from a "sell" rating to a "strong sell" rating in a research report on Tuesday, August 7th. Zacks Investment Research upgraded Bayer from a "sell" rating to a "hold" rating in a research report on Wednesday, May 2nd. JPMorgan Chase & Co. reiterated a "buy" rating on shares of Bayer in a research report on Monday. Finally, DZ Bank reiterated a "buy" rating on shares of Bayer in a research report on Thursday, May 17th. One analyst has rated the stock with a sell rating, two have given a hold rating and three have issued a buy rating to the company's stock. The stock presently has a consensus rating of "Hold" and an average price target of $36.00. Shares of BAYRY stock opened at $21.86 on Thursday. The firm has a market cap of $87.95 billion, a P/E ratio of 11.51, a PEG ratio of 2.02 and a beta of 1.15. Bayer has a twelve month low of $23.58 and a twelve month high of $35.41. The company has a debt-to-equity ratio of 0.32, a quick ratio of 2.04 and a current ratio of 2.53. +About Bayer +Bayer Aktiengesellschaft operates as a life science company worldwide. It operates through Pharmaceuticals, Consumer Health, Crop Science, and Animal Health segments. The Pharmaceuticals segment offers prescription products primarily for cardiology and women's health care; specialty therapeutics in the areas of oncology, hematology, and ophthalmology; and diagnostic imaging equipment and contrast agents \ No newline at end of file diff --git a/input/test/Test668.txt b/input/test/Test668.txt new file mode 100644 index 0000000..45a1bd5 --- /dev/null +++ b/input/test/Test668.txt @@ -0,0 +1,8 @@ +Tweet +Chico's FAS, Inc. (NYSE:CHS) – Stock analysts at B. Riley lowered their FY2019 earnings per share (EPS) estimates for Chico's FAS in a research note issued to investors on Wednesday, August 15th. B. Riley analyst S. Anderson now anticipates that the specialty retailer will post earnings of $0.70 per share for the year, down from their prior estimate of $0.77. B. Riley currently has a "Buy" rating and a $12.00 price target on the stock. B. Riley also issued estimates for Chico's FAS's Q4 2019 earnings at $0.19 EPS and FY2020 earnings at $0.81 EPS. Get Chico's FAS alerts: +CHS has been the topic of a number of other reports. TheStreet upgraded shares of Chico's FAS from a "c+" rating to a "b-" rating in a research report on Monday, May 21st. Zacks Investment Research downgraded shares of Chico's FAS from a "hold" rating to a "sell" rating in a research report on Tuesday, May 1st. ValuEngine downgraded shares of Chico's FAS from a "sell" rating to a "strong sell" rating in a research report on Wednesday, May 2nd. Telsey Advisory Group reduced their price target on shares of Chico's FAS from $11.00 to $9.00 and set a "market perform" rating on the stock in a research report on Thursday, May 31st. Finally, Citigroup reduced their price target on shares of Chico's FAS from $10.00 to $8.00 and set a "neutral" rating on the stock in a research report on Thursday, May 31st. Two analysts have rated the stock with a sell rating, seven have given a hold rating and five have assigned a buy rating to the stock. The company has an average rating of "Hold" and an average target price of $9.88. Chico's FAS stock opened at $9.99 on Thursday. The company has a debt-to-equity ratio of 0.08, a quick ratio of 1.03 and a current ratio of 1.88. Chico's FAS has a 1 year low of $6.96 and a 1 year high of $10.90. The stock has a market capitalization of $1.25 billion, a PE ratio of 14.69, a price-to-earnings-growth ratio of 1.51 and a beta of 0.75. +Chico's FAS (NYSE:CHS) last posted its quarterly earnings results on Wednesday, May 30th. The specialty retailer reported $0.23 earnings per share (EPS) for the quarter, missing the Zacks' consensus estimate of $0.26 by ($0.03). Chico's FAS had a return on equity of 12.82% and a net margin of 4.26%. The business had revenue of $561.80 million during the quarter, compared to the consensus estimate of $551.99 million. During the same quarter in the previous year, the business posted $0.25 earnings per share. The company's quarterly revenue was down 3.8% compared to the same quarter last year. +Large investors have recently modified their holdings of the stock. Element Capital Management LLC bought a new stake in Chico's FAS in the 1st quarter valued at about $139,000. Royal Bank of Canada lifted its position in Chico's FAS by 208.2% in the 1st quarter. Royal Bank of Canada now owns 18,186 shares of the specialty retailer's stock valued at $164,000 after purchasing an additional 12,286 shares during the last quarter. Janney Montgomery Scott LLC bought a new stake in Chico's FAS in the 2nd quarter valued at about $150,000. Xact Kapitalforvaltning AB bought a new stake in Chico's FAS in the 4th quarter valued at about $167,000. Finally, Itau Unibanco Holding S.A. bought a new stake in Chico's FAS in the 2nd quarter valued at about $163,000. Hedge funds and other institutional investors own 96.48% of the company's stock. +The company also recently disclosed a quarterly dividend, which will be paid on Monday, October 1st. Investors of record on Monday, September 17th will be given a $0.085 dividend. The ex-dividend date is Friday, September 14th. This represents a $0.34 annualized dividend and a yield of 3.40%. Chico's FAS's dividend payout ratio is presently 50.00%. +About Chico's FAS +Chico's FAS, Inc operates as an omni-channel specialty retailer of women's private branded, casual-to-dressy clothing, intimates, and complementary accessories. The company's portfolio of brands consists of the Chico's, White House Black Market (WHBM), and Soma. The Chico's brand primarily sells private branded clothing focusing on women 45 and older \ No newline at end of file diff --git a/input/test/Test669.txt b/input/test/Test669.txt new file mode 100644 index 0000000..19d9c2e --- /dev/null +++ b/input/test/Test669.txt @@ -0,0 +1,11 @@ +HONG KONG (REUTERS) - A Chinese travel website backed by Singapore state investor Temasek Holdings hopes to raise up to US$300 million in a new funding round in which it hopes to value the firm at US$2 billion to US$2.5 billion, two people with knowledge of the matter said. +Mafengwo, or "wasps' nest" in Chinese, is an online community for Chinese tourists where they share travel tips and shop for bespoke travel products. +The company hopes to use the fresh funds to acquire better tourism resources and products and better monetise its current travel content, one of the sources, who could not be identified because the information is confidential, told Reuters on Friday. +The fundraising amount and the company's valuation could change depending on market appetite, according to the two sources. Mafengwo has been in talks with potential investors for at least a couple of months, they said. +Mafengwo did not respond immediately to a request for comment. +The company raised US$133 million in December in its series D fundraising round from new investors, including US private equity fund General Atlantic, travel sector investment firm Ocean Link, Temasek, Yuantai Investment and Hopu Investments, as well as existing investors - Capital Today, Qiming Venture and Hillhouse Capital Group. +Mafengwo and a number of customised travel services providers in China, such as Qyer, are gaining popularity as Chinese people are spending more on domestic and international travel. +Related Story STB, Alipay launch campaign to attract Chinese tourists to Singapore The China National Tourism Administration reported 4.57 trillion yuan (S$911.8 billion) in domestic tourism revenues for 2017, up 16 per cent from 2016. China's international travel revenues amounted to US$123.4 billion, up 3 per cent from 2016. +More individual tourists used mobile phone apps to book hotels or purchase travel products in the past year, according to the administration's statistics. +Mafengwo said at its previous fundraising, it had 100 million active monthly users, 85 per cent of whom came from its mobile app. The website had more than 135,000 travel articles posted by users every month and expected its 2017 sales from individual travel products to exceed 9 billion yuan. +Users can book transportation and tours, order visa application services and buy travel insurance from Mafengwo. The website also pays some users to write travel blogs \ No newline at end of file diff --git a/input/test/Test67.txt b/input/test/Test67.txt new file mode 100644 index 0000000..24aab6b --- /dev/null +++ b/input/test/Test67.txt @@ -0,0 +1 @@ +Electromyography devices market is anticipated to record a significant CAGR over the forecast period. Growing awareness about psychological and physiological health among the population is anticipated to lead to faster growth of the electromyography devices market. "Electromyography Devices Market: Global Demand Analysis & Opportunity Outlook 2027" The global Electromyography Devices Market is segmented in By Modality:-Portable EMG Devices, Standalone EMG Devices; By End-User:-Hospitals, Clinics, Homecare Centers, Physical Rehabilitation Centers and by regions. Electromyography devices market is anticipated to mask a significant CAGR during the forecast period i.e. 2018-2027. Electromyography (EMG) determines electrical activity or muscle response in reaction to a nerve's stimulation of the muscle. Neuromuscular abnormalities can be identified by applying EMG which assists in the identification process. EMG measures the electrical activity of muscle during forceful contraction, slight contraction and rest. Electromyography Devices involved in therapy improve the symptoms of migraine and headache in approximately 40 to 60 percent of the cases. Electromyography devices are estimated to display strong growth over the forecast period because it is a non-invasive technique with no health risks linked with it. Due to increase in the importance of the muscle monitoring devices and growing awareness, North America dominates in electromyography devices market globally. The preference of non-drug treatment by patients is estimated to continue its authority in the coming years. Asia-Pacific region is predicted to display exponential growth curve in the forecast period owing to high demand for neurophysiology devices, increased disposable income of developing countries as well as growing number of hospitals, clinics and monitoring practices. Request Report Sample @ https://www.researchnester.com/sample-request/2/rep-id-891 Increasing Market Captivity Cumulative mergers and acquisitions and speedy product launches between government bodies and manufacturing companies are expected to aid the electromyography devices markets expand at a rapid rate across the world. The electromyography devices market is impressively propelled by the increasing R&D activities taken up by the market players to expand their product portfolio. However, certain aspects such as lack of skilled professionals and the low government funding could act as hindrances in the growth of electromyography devices market in the future. The report titled "Global Electromyography Devices Market: Global Demand Analysis & Opportunity Outlook 2027" delivers detailed overview of the global electromyography devices market in terms of market segmentation by modality; by end-user and by regions. Further, for the in-depth analysis, the report encompasses the industry growth drivers, restraints, supply and demand risk, market attractiveness, BPS analysis and Porter's five force model. Request for TOC Here @ https://www.researchnester.com/toc-request/1/rep-id-891 This report also provides the existing competitive scenario of some of the key players of the global electromyography devices market which includes company profiling of Cadwell Laboratories Inc, Compumedics Limited, Covidien Limited, Natus Medical Inc., Electrical Geodesics Inc., Nihon Kohden Inc. NeuroWave Systems Inc., and Noraxon U.S.A.; Inc., Medtronic. The profiling enfolds key information of the companies which encompasses business overview, products and services, key financials and recent news and developments. On the whole, the report depicts detailed overview of the global electromyography devices market that will help industry consultants, equipment manufacturers, existing players searching for expansion opportunities, new players searching possibilities and other stakeholders to align their market centric strategies according to the ongoing and expected trends in the future. Buy This Premium Reports Now @ https://www.researchnester.com/payment/rep-id-891 About Research Nester: Research Nester is a leading service provider for strategic market research and consulting. We aim to provide unbiased, unparalleled market insights and industry analysis to help industries, conglomerates and executives to take wise decisions for their future marketing strategy, expansion and investment etc. We believe every business can expand to its new horizon, provided a right guidance at a right time is available through strategic minds. Our out of box thinking helps our clients to take wise decision so as to avoid future uncertainties. For more details visit @ https://www.researchnester.com/reports/electromyography-devices-market/891 Media Contac \ No newline at end of file diff --git a/input/test/Test670.txt b/input/test/Test670.txt new file mode 100644 index 0000000..d23640d --- /dev/null +++ b/input/test/Test670.txt @@ -0,0 +1,11 @@ +Tweet +AT Bancorp boosted its position in shares of Assurant, Inc. (NYSE:AIZ) by 17.0% during the 2nd quarter, according to its most recent Form 13F filing with the Securities and Exchange Commission. The institutional investor owned 26,550 shares of the financial services provider's stock after acquiring an additional 3,867 shares during the quarter. AT Bancorp's holdings in Assurant were worth $2,747,000 at the end of the most recent reporting period. +A number of other hedge funds and other institutional investors have also recently bought and sold shares of the business. Bank of New York Mellon Corp raised its position in Assurant by 56.9% during the second quarter. Bank of New York Mellon Corp now owns 1,611,053 shares of the financial services provider's stock worth $166,729,000 after acquiring an additional 584,393 shares in the last quarter. Massachusetts Financial Services Co. MA raised its position in Assurant by 0.4% during the second quarter. Massachusetts Financial Services Co. MA now owns 727,904 shares of the financial services provider's stock worth $75,331,000 after acquiring an additional 2,588 shares in the last quarter. Guggenheim Capital LLC increased its holdings in shares of Assurant by 7.7% in the first quarter. Guggenheim Capital LLC now owns 692,126 shares of the financial services provider's stock valued at $63,266,000 after purchasing an additional 49,674 shares during the last quarter. First Trust Advisors LP increased its holdings in shares of Assurant by 23.6% in the second quarter. First Trust Advisors LP now owns 481,837 shares of the financial services provider's stock valued at $49,865,000 after purchasing an additional 92,052 shares during the last quarter. Finally, Schwab Charles Investment Management Inc. increased its holdings in shares of Assurant by 47.3% in the first quarter. Schwab Charles Investment Management Inc. now owns 435,125 shares of the financial services provider's stock valued at $39,775,000 after purchasing an additional 139,712 shares during the last quarter. 93.44% of the stock is currently owned by hedge funds and other institutional investors. Get Assurant alerts: +NYSE:AIZ opened at $106.05 on Friday. Assurant, Inc. has a one year low of $84.34 and a one year high of $111.43. The firm has a market capitalization of $5.60 billion, a price-to-earnings ratio of 26.65 and a beta of 0.53. The company has a debt-to-equity ratio of 0.38, a quick ratio of 0.49 and a current ratio of 0.49. Assurant (NYSE:AIZ) last released its quarterly earnings data on Tuesday, August 7th. The financial services provider reported $2.11 EPS for the quarter, beating the Thomson Reuters' consensus estimate of $1.76 by $0.35. Assurant had a net margin of 6.37% and a return on equity of 5.62%. The firm had revenue of $1.83 billion for the quarter, compared to the consensus estimate of $1.77 billion. During the same period in the previous year, the company earned $1.63 earnings per share. analysts predict that Assurant, Inc. will post 7.73 earnings per share for the current fiscal year. +The business also recently disclosed a quarterly dividend, which will be paid on Tuesday, September 18th. Shareholders of record on Monday, August 27th will be issued a $0.56 dividend. The ex-dividend date of this dividend is Friday, August 24th. This represents a $2.24 annualized dividend and a dividend yield of 2.11%. Assurant's dividend payout ratio is currently 56.28%. +In other Assurant news, COO Gene Mergelmeyer sold 14,144 shares of the company's stock in a transaction on Tuesday, August 14th. The shares were sold at an average price of $109.41, for a total value of $1,547,495.04. The transaction was disclosed in a filing with the SEC, which can be accessed through this link . Also, EVP Christopher J. Pagano sold 2,500 shares of the company's stock in a transaction dated Thursday, June 7th. The shares were sold at an average price of $95.55, for a total transaction of $238,875.00. Following the completion of the transaction, the executive vice president now owns 59,993 shares in the company, valued at $5,732,331.15. The disclosure for this sale can be found here . 0.93% of the stock is owned by insiders. +Several research firms have commented on AIZ. Keefe, Bruyette & Woods reiterated a "buy" rating and issued a $125.00 price objective on shares of Assurant in a report on Wednesday, August 8th. SunTrust Banks upped their price objective on shares of Assurant to $129.00 and gave the company an "outperform" rating in a report on Wednesday, July 11th. They noted that the move was a valuation call. Morgan Stanley began coverage on shares of Assurant in a report on Tuesday, July 10th. They issued an "overweight" rating and a $125.00 price objective on the stock. UBS Group upped their price objective on shares of Assurant from $115.00 to $118.00 and gave the company a "buy" rating in a report on Thursday, June 21st. Finally, ValuEngine upgraded shares of Assurant from a "sell" rating to a "hold" rating in a report on Thursday, June 21st. One research analyst has rated the stock with a sell rating, one has assigned a hold rating and four have given a buy rating to the stock. The stock presently has an average rating of "Buy" and an average target price of $124.25. +Assurant Profile +Assurant, Inc, through its subsidiaries, provides risk management solutions for housing and lifestyle markets in North America, Latin America, Europe, and the Asia Pacific. The company operates through three segments: Global Housing, Global Lifestyle, and Global Preneed. Its Global Housing segment provides lender-placed homeowners, manufactured housing, and flood insurance; renters insurance and related products; and mortgage solutions comprising property inspection and preservation, valuation and title, and other property risk management services. +Featured Article: What does RSI mean? +Want to see what other hedge funds are holding AIZ? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Assurant, Inc. (NYSE:AIZ). Receive News & Ratings for Assurant Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Assurant and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test671.txt b/input/test/Test671.txt new file mode 100644 index 0000000..85df225 --- /dev/null +++ b/input/test/Test671.txt @@ -0,0 +1 @@ +Press release from: Global Market Insights, Inc. Robust growth in the food & beverage industry which is attributed to rising food demand coupled with consistently increasing global population will drive peracetic acid market by 2024. Widespread product application in the food & beverage industry is since it exhibits excellent sterilization properties which helps in keeping food products free from bacteria, fungi, virus and other microorganisms.The food & beverage industry is propelling and accounted for over 30% of the total peracetic acid market in 2016. Increasing stringent regulations towards contamination free food will subsequently led to rising peracetic acid demand over the projected timeframe. Request for a sample of this research report @ www.gminsights.com/request-sample/detail/1524 Rapid industrialization in the emerging economies has given rise to water pollution which has encouraged water treatment facility in the industry. Strict regulations imposed by environment regulatory authorities against rising water pollution to help attain sustainability will boost water treatment facility across the globe. This will subsequently drive peracetic acid market during the forecast period. Mounting product application in the agriculture industry to enhance crop life after harvesting will propel product demand by 2024. It is green, sustainable and less toxic compared to its existing counterparts which will boost peracetic acid market in the coming years. In addition, it does not degrade soil structure and do not have hazardous impact on marine organisms unlike other disinfectants available in the market which will further stimulate peracetic acid market by 2024. Prolonged product use may cause eye, skin and nasal irritation which is likely to impede peracetic acid market during the forecast period. In addition, regulatory authorities of U.S. have released guidelines against product use to ensure safety which is likely to hamper peracetic acid market by 2024. Make an Inquiry for purchasing this report @ www.gminsights.com/inquiry-before-buying/1524 The overall peracetic acid market share is divided into solution grade and distilled grade. Solution grade constituted a major chunk of the total peracetic acid market share in 2016. This is attributed to its brilliant characteristics which finds widespread application across various end-user industries including food & beverage, pulp & paper, water treatment, medical and agriculture which will subsequently drive peracetic acid market by 2024.Substantial growth indicators in the pulp & paper industry is expected to drive product demand in the coming years. It is used to lessen the sludge formation which in turn also reduces the overall production cost in the pulp & paper industry which will ultimately help attain higher gains in the peracetic acid market over the projected timespan. Chapter 4. Peracetic Acid Market, By Product 4.1. Peracetic acid market share by product, 2016 & 2024 4.2. Solution grade 4.2.1. Market estimates and forecasts, 2013 - 2024 4.2.2. Market estimates and forecasts by region, 2013 – 2024 4.3. Distilled grade 4.3.1. Market estimates and forecasts, 2013 - 2024 4.3.2. Market estimates and forecasts by region, 2013 – 2024About Global Market Insights Global Market Insights, Inc., headquartered in Delaware, U.S., is a global market research and consulting service provider; offering syndicated and custom research reports along with growth consulting services. Our business intelligence and industry research reports offer clients with penetrative insights and actionable market data specially designed and presented to aid strategic decision making. These exhaustive reports are designed via a proprietary research methodology and are available for key industries such as chemicals, advanced materials, technology, renewable energy and biotechnology.Arun Hegd \ No newline at end of file diff --git a/input/test/Test672.txt b/input/test/Test672.txt new file mode 100644 index 0000000..49ecbad --- /dev/null +++ b/input/test/Test672.txt @@ -0,0 +1,8 @@ +Print By - Associated Press - Friday, August 17, 2018 +PHOENIX (AP) - Arizona Secretary of State Michele Reagan has rejected a request to unilaterally change more than 500,000 voter registration addresses to the address listed on driver's licenses. +She says the American Civil Liberties Union wrote a letter to her office late last year. +Reagan says the ACLU requested she direct the Arizona Department of Transportation to automatically update a person's voter registration address when they change information on their driver license using ADOT's website unless the voter opts out. +Reagan says the ACLU also wanted her office to alter registration records without a voter's consent. +In a statement Thursday, Reagan says her office has already coordinated with ADOT to making those changes next year. +But she expects the ACLU to file a lawsuit to force the changes before the November elections. + Th \ No newline at end of file diff --git a/input/test/Test673.txt b/input/test/Test673.txt new file mode 100644 index 0000000..3c32b79 --- /dev/null +++ b/input/test/Test673.txt @@ -0,0 +1 @@ +Press release from: Market Research Reports Search Engine - MRRSE Market Research Report Search Engine A fresh report has been added to the wide database of Market Research Report Search Engine (MRRSE). The research study is titled "Conformal Coatings Market for PCBs – Global Industry Analysis, Size, Share, Growth, Trends, and Forecast 2018 – 2026" which encloses important data about the production, consumption, revenue and market share, merged with information related to the market scope and product overview.To Get Complete Table of Content, Tables and Figures Request a Sample Report of Conformal Coatings Market for PCBs Research Report @ www.mrrse.com/sample/16340 Printed circuit boards (PCBs) form an integral part of any electronic device and serve as the foundation of a majority of electronic products. They are functional centers of most electronic devices and are used to connect various electronic components mounted on the PCBs, thereby forming an assembly or circuitry meant to perform various functions.Conformal coatings are protective chemical coatings that protect electronic circuit boards from harsh environments that contain moisture, salt, or other contaminants. They ensure operational integrity of the electronic assembly by preventing it from voltage arcing, shorts, and static discharge. Generally, conformal coatings for the protection of printed circuit boards are based on acrylic, silicone, polyurethane, epoxy, parylene, etc.Conformal coatings are used in end-use industries such as automotive, aerospace, medical, marine, etc. In the automotive industry, they are used to protect electronic systems in applications both under the hood and passenger compartments. The environmental requirements of the aerospace industry, where rapid compression and decompression can affect the performance of the circuitry, necessitates the use of conformal coatings. In the medical industry, the key application of conformal coatings is in pacemakers.Aerospace applications of PCBs require a great deal of precision and durability as they operate in extreme conditions. Aircraft often go through significant amounts of turbulence in the atmosphere. Normal PCBs might get damaged during such harsh conditions. In order to avoid this, flexible PCBs are used in the aerospace industry.Conformal coatings protect PCBs from chemicals, moisture, and other harsh environments. Advancements in the consumer electronics, automotive, medical, and defense sectors are paving the way for the expansion opportunities for the conformal coatings market. Sales of conformal coatings in the Asia Pacific region were high compared to those in other regions owing to the robust electronics manufacturing industry in countries such as China, South Korea, Japan, and other South East Asian Nations.Coating technologies such as solvent-based technology, water-based technology, and UV-cure technology are commonly employed in the conformal coatings market. The solvent-based coating technique is a highly used technology, whereas both water-based and UV-cure technologies are gaining popularity as they do not emit volatile organic compounds. Manufacturers are continually developing greener coating technologies, which helps them in minimizing solvent emissions and their impact on the environment. UV-cured technology is 100% solid based and hence does not emit volatile organic compounds.To know the latest trends and insights prevalent in this market, click the link below: www.mrrse.com/conformal-coatings-pcbs-market Manufacturers of conformal coatings strive to minimize the environmental impact of their operations by reducing emission of VOCs. The Environmental Protection Agency oversees regulations to control volatile organic compound emissions. Governments across the globe are undertaking initiatives regarding e-scrap legislations due to concerns about handling of electronic waste and the emission of volatile organic compounds it.The report analyzes and forecasts the market for conformal coatings for PCBs at the global and regional level. The market has been forecast based on revenue (US$ Mn) from 2018 to 2026. The study includes drivers and restraints of the global conformal coatings market for PCBs. It also covers the impact of these drivers and restraints on the demand for conformal coatings for PCBs during the forecast period. The report also highlights opportunities in the conformal coatings market for PCBs at the global and regional level.The report comprises a detailed value chain analysis, which provides a comprehensive view of the global conformal coatings market for PCBs. The Porter's Five Forces model for the conformal coatings market for PCBs has also been included to help understand the competitive landscape. The study encompasses market attractiveness analysis, wherein applications are benchmarked based on their market size, growth rate, and general attractiveness.The study provides a decisive view of the global conformal coatings market for PCBs by segmenting it in terms of grade, application, and region. These segments have been analyzed based on the present and future trends. Regional segmentation includes the current and forecast demand for conformal coatings for PCBs in North America, Europe, Asia Pacific, Latin America, and Middle East & Africa. The report also covers the demand for individual application segments in all the regions.The study includes profiles of major companies operating in the global conformal coatings market for PCBs. Key players profiled in the global conformal coatings market for PCBs include Henkel AG & KGaA, Chase Corporation, Dow Corning, Shin Etsu Chemical Company Limited, HB Fuller, Electrolube, Chemtronics, and MG Chemicals. Market players have been profiled in terms of attributes such as company overview, business strategies, recent developments, financial details, etc.The report provides the estimated size of the conformal coatings for PCBs market for 2017 and forecast for the next nine years. The global size of the conformal coatings market for PCBs has been provided in terms of volume and revenue. Market numbers have been estimated based on metal, end-user, and region. Market size and forecast for each grade and application have been provided in terms of global and regional markets.Conformal Coatings Market for PCBs, by ProductAcrylic \ No newline at end of file diff --git a/input/test/Test674.txt b/input/test/Test674.txt new file mode 100644 index 0000000..5fac6ef --- /dev/null +++ b/input/test/Test674.txt @@ -0,0 +1,14 @@ +SEOUL (REUTERS) - South Korea posted the weakest jobs growth in nearly nine years in July, adding to pressure on President Moon Jae-in to do more to boost economic growth and abandon policies focused on raising wages and improving income distribution. +Bond futures prices rose as the poor job growth data further dampened expectations among investors that the Bank of Korea would raise policy interest rates at its meeting on August 31. +"Today's poor jobs data makes it look almost impossible for the Bank of Korea to raise interest rates this month," said Han Song-jo, head of the fixed-income investment division at Hyundai Investments, an asset management company. +Statistics Korea data out on Friday (Aug 17) showed the economy added a mere 5,000 jobs in July over a year earlier, the smallest annual gain since 10,000 jobs were lost in January 2010 in the depths of the global financial crisis. +Following the release of the data, the ministry said it would employ "all available policy tools" to energise the slow job market. +The data comes as an additional setback for self-styled "Jobs President" Moon's approval rating which has fallen for three straight weeks to reach 55.6 per cent, hovering around its lowest since he took office about a year ago. +Friday's figures are expected to further undermine Moon's popularity, whose policy of income-led growth - which features fewer working hours and a steep hike in minimum wages - expected to draw fire as well. +July's unemployment rate was a seasonally adjusted 3.8 per cent, up 0.3 percentage points from a year earlier. The average job growth for the first seven months of this year plunged to 122,000 from 353,000 for the same period of 2017. +Employment in the mining and industrial sectors was down 133,000 and manufacturing industries cut 127,000 jobs. Wholesale and retail businesses, which are mostly small to medium enterprises, shed 80,000 jobs. +The finance ministry said in a press release that business restructuring and weak car sales had also led to job losses. +Related Story South Korea officially drops its maximum workweek to 52 hours to promote work-life balance The government is due to unveil details about fresh job creation plans when it submits next year's budget bill to parliament in September. +"First, the government will expand jobs in the public sector, since tax revenue has been robust and the government has enough room to spend. Second, the administration is likely to adopt business-friendly policies to facilitate job creation," said Lee Sang-jae, chief economist at Eugene Investment and Securities. +"However, these policies would be effective only in the short term, simply to prevent further deterioration." +Last month, the government cut its jobs growth target sharply to 180,000 for the whole of this year from 320,000 set earlier, but even this downgraded target now looks difficult to achieve \ No newline at end of file diff --git a/input/test/Test675.txt b/input/test/Test675.txt new file mode 100644 index 0000000..3e5e5f8 --- /dev/null +++ b/input/test/Test675.txt @@ -0,0 +1 @@ +The following file types are not allowed: exe, com, bat, vbs, js, jar, scr, pif Maximum file size: 200KB Enter the code shown above into this textbox Send Now It is ok to contact this poster with commercial interests. 117 Visits Ad Detail: Dell E6430 Laptop on sale in East Delhi. Call 9873247325 You are viewing "Dell E6430 Laptop on sale in East Delhi. Call 9873247325" classified Ad. This free Ad has been placed in India, Delhi location under Services, Computer category. Deal locally to avoid scams and frauds! Avoid sending money to unknown persons. Muamat.com is not involved in any transaction between members and take no responsibility of any kind of loss or damage \ No newline at end of file diff --git a/input/test/Test676.txt b/input/test/Test676.txt new file mode 100644 index 0000000..7fbef65 --- /dev/null +++ b/input/test/Test676.txt @@ -0,0 +1,10 @@ +Tweet +Arizona State Retirement System increased its stake in Concho Resources Inc (NYSE:CXO) by 36.3% during the 2nd quarter, Holdings Channel reports. The firm owned 87,106 shares of the oil and natural gas company's stock after acquiring an additional 23,217 shares during the period. Arizona State Retirement System's holdings in Concho Resources were worth $12,051,000 as of its most recent filing with the Securities and Exchange Commission. +Several other hedge funds and other institutional investors also recently made changes to their positions in the stock. BlackRock Inc. lifted its holdings in shares of Concho Resources by 1.6% in the 1st quarter. BlackRock Inc. now owns 9,902,069 shares of the oil and natural gas company's stock worth $1,488,577,000 after purchasing an additional 152,112 shares during the last quarter. Massachusetts Financial Services Co. MA raised its stake in Concho Resources by 24.4% during the 2nd quarter. Massachusetts Financial Services Co. MA now owns 939,292 shares of the oil and natural gas company's stock valued at $129,951,000 after acquiring an additional 184,263 shares in the last quarter. Royal Bank of Canada raised its stake in Concho Resources by 18.8% during the 1st quarter. Royal Bank of Canada now owns 608,402 shares of the oil and natural gas company's stock valued at $91,461,000 after acquiring an additional 96,275 shares in the last quarter. Point72 Asset Management L.P. bought a new stake in Concho Resources during the 1st quarter valued at $84,087,000. Finally, Schwab Charles Investment Management Inc. raised its stake in Concho Resources by 2.6% during the 1st quarter. Schwab Charles Investment Management Inc. now owns 531,221 shares of the oil and natural gas company's stock valued at $79,859,000 after acquiring an additional 13,354 shares in the last quarter. 97.50% of the stock is currently owned by institutional investors and hedge funds. Get Concho Resources alerts: +In other news, Director Mark B. Puckett acquired 2,000 shares of the company's stock in a transaction dated Monday, August 6th. The shares were bought at an average price of $134.39 per share, with a total value of $268,780.00. Following the purchase, the director now owns 28,535 shares of the company's stock, valued at $3,834,818.65. The purchase was disclosed in a filing with the SEC, which can be accessed through the SEC website . 1.10% of the stock is currently owned by insiders. CXO opened at $133.58 on Friday. Concho Resources Inc has a one year low of $106.73 and a one year high of $163.11. The company has a debt-to-equity ratio of 0.24, a quick ratio of 0.75 and a current ratio of 0.76. The firm has a market capitalization of $27.58 billion, a PE ratio of 62.97 and a beta of 0.95. +Concho Resources (NYSE:CXO) last posted its quarterly earnings data on Wednesday, August 1st. The oil and natural gas company reported $1.24 EPS for the quarter, topping the Zacks' consensus estimate of $0.92 by $0.32. Concho Resources had a return on equity of 5.37% and a net margin of 34.13%. The company had revenue of $945.00 million for the quarter, compared to the consensus estimate of $906.82 million. During the same quarter in the previous year, the business earned $0.52 EPS. The company's quarterly revenue was up 66.7% compared to the same quarter last year. research analysts forecast that Concho Resources Inc will post 4.38 EPS for the current year. +Several brokerages have weighed in on CXO. TheStreet downgraded Concho Resources from a "b" rating to a "c+" rating in a research note on Tuesday. Jefferies Financial Group cut their target price on Concho Resources from $210.00 to $201.00 and set a "buy" rating on the stock in a research note on Tuesday, August 7th. Zacks Investment Research raised Concho Resources from a "hold" rating to a "strong-buy" rating and set a $143.00 target price on the stock in a research note on Monday, June 25th. Susquehanna Bancshares began coverage on Concho Resources in a research note on Wednesday, July 11th. They set a "positive" rating and a $175.00 target price on the stock. Finally, Royal Bank of Canada reaffirmed a "buy" rating and set a $200.00 target price on shares of Concho Resources in a research note on Friday, July 13th. Nine investment analysts have rated the stock with a hold rating and seventeen have given a buy rating to the stock. The company presently has a consensus rating of "Buy" and a consensus price target of $175.61. +About Concho Resources +Concho Resources Inc, an independent oil and natural gas company, engages in the acquisition, development, and exploration of oil and natural gas properties in the United States. The company's principal operating areas are located in the Permian Basin of southeast New Mexico and west Texas. As of December 31, 2017, its total estimated proved reserves were 840 million barrels of oil equivalent. +Featured Article: Technical Analysis +Want to see what other hedge funds are holding CXO? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Concho Resources Inc (NYSE:CXO). Receive News & Ratings for Concho Resources Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Concho Resources and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test677.txt b/input/test/Test677.txt new file mode 100644 index 0000000..2661028 --- /dev/null +++ b/input/test/Test677.txt @@ -0,0 +1,26 @@ +Aisha Buhari thanks military personnel for securing Nigeria By - August 17, 2018 +Wife of the President, Aisha Muhammadu Buhari, has paid glowing tributes to personnel of the Nigerian armed forces for their sacrifices in securing the Nigerian nation. +Mrs. Buhari said Nigerians can never pay for the risk military officers were putting lives for the survival of the country. +Mrs. Buhari, who went emotional, while speaking at the opening of a two-day national conference, organised by the Defence and Police Officers' Wives Association (DEPOWA), held at the National Defence College, Abuja, said "We owe you from the depth of our hearts." +Represented by the wife of the vice president, Mrs. Dolapo Osinbajo, Mrs. Buhari, who described military personnel as 'great men' who signed up to die for the country, equally commended their wives for the roles in supporting their spouses by maintaining the home front, saying their roles were boosters to the successes they were recording. +According to her, "It is a great man that that can sign up for a job that can take his life. We owe such depth of gratitude which can never be repaid." +She called on women to join in the efforts to find lasting solution to the numerous security challenges confronting the country. +Mrs. Buhari, who was the special guest of honour at the opening of a two-day conference, with a theme: 'The role of Defence and Police Officers Wives in National Defence, Peace and Way Forward', said her advice to women was because "women are known as the ones that are able to encourage and gently assist." +"I like us as women to encourage the men in unity and love. +"Speak to them the way our mothers speak to us, let's dialogue, let's talk about it, let's find a middle ground, let's agree so that we won't have war (crises), "she added. +Describing wives of military personnel, especially members of the DEPOWA as great women, the president's wife said, "Women that are wives of officers are great women. They are great women, only a great man can sign up for a job that may take his life." +She said "A man that faces life and death everyday; face with sorrow, faced with solitary life, sees the worst of human beings, only a great woman can be married to such a man. +"I know that the women of DEPOWA are great. They are the ones that handle the nightmare that the men have, they are the ones that handle the anger of the men. +"Their frustrations, fear, their pains of separation from colleagues,'' she said and called for assistance for the organisation. +"I want to encourage that those that help those who helps us also need help. +"The better and quality of help that officers and men of the armed forces and police have, the better they can defend the nation.'' +In his address at the occasion the Chief of Defence Staff, General Gabriel Olonisakin, said that one of the issues that affected the performances of the military and other security agencies globally was the welfare of their families. +Olonisakin, represented by the Chief of Defence Policy and Plans, Air Vice Marshal Emmanuel Anebi, said due to the nature of military profession, they spend many years in deployment away from their families. +"The assurance that the establishment is concerned about their socio-economic and educational empowerment of their spouses and children, respectively enhances the morale of our officers and men. +"It is gratifying that the DEPOWA has risen up and taken up the challenge of giving a helping hand to military and police families in our barracks.'' +Also speaking, DEPOWA, President and wife of Chief of Defence Staff, Mrs Omobolanle Olanisakin, charged the military authorities to grant the association to use August 16, every year to celebrate what she referred to as 'DEPOWA Day'. +She also called for the institutionalisation of the association as a way to underscore the importance role it play in national security. +"Permit me to say that an important step in understanding the huge and important contribution of military and police spouses and families make to Nigeria's national security is to understand their experiences and perspective as spouses and families. +"We cannot do this on one-off exercise. We need to undertake this on a more institutionalised and sustained basis. +"We need a think-tank to, on a sustained and empirical basis, study military and police families so as to avail relevant policy and other stakeholders timely, relevant and credible information showing areas of critical needs of military families as it affects the defence establishment." +She said the objective can be achieved through a centre for military and family research. Get more stories like this on Twitter & Facebook AD: To get thousands of free final year project topics and materials sorted by subject to help with your research [click here] Shar \ No newline at end of file diff --git a/input/test/Test678.txt b/input/test/Test678.txt new file mode 100644 index 0000000..7b11b5e --- /dev/null +++ b/input/test/Test678.txt @@ -0,0 +1,3 @@ +× Close Copyright +All rights reserved. The content of the website by swissinfo.ch is copyrighted. It is intended for private use only. Any other use of the website content beyond the use stipulated above, particularly the distribution, modification, transmission, storage and copying requires prior written consent of swissinfo.ch. Should you be interested in any such use of the website content, please contact us via contact@swissinfo.ch. +As regards the use for private purposes, it is only permitted to use a hyperlink to specific content, and to place it on your own website or a website of third parties. The swissinfo.ch website content may only be embedded in an ad-free environment without any modifications. Specifically applying to all software, folders, data and their content provided for download by the swissinfo.ch website, a basic, non-exclusive and non-transferable license is granted that is restricted to the one-time downloading and saving of said data on private devices. All other rights remain the property of swissinfo.ch. In particular, any sale or commercial use of these data is prohibited. Reuse article The crowd, the digital motivator, and his mobile phone Urs Geiser Aug 17, 2018 - 11:00 The tall young man looks like... well, a tall young man, dressed casually, fluffy stubble around the jaw, friendly dark eyes. Just as he was described in several newspaper articles over the past few months. And yes, Dimitri Rougy does come across as open-minded, clued-up, curious and passionate about politics all at the same time. Needless to say, the digital campaigner produces his mobile phone, which he puts on the table, when we meet in a café not far from parliament in the Swiss capital, Bern. Always reachable, his fingers twitching to send out a tweet, post a picture, answer a call? He politely apologises for the delay. He missed a train – entirely his fault, he says. Rougy is one of a team of four using a new form of crowd campaigning and social media to challenge a law cracking down on suspected welfare fraudsters. The 21-year old's star has risen ever since he and three other citizens decided to collect the 50,000 signatures needed – as part of the direct democratic system in Switzerland – to send the issue to a referendum. Having all began with a tweet in March, and within two months they had reached their goal, winning the support of civil society, trade unions and even left-wing political parties which at first were reluctant to get involved. Rougy says he still has to get used to the public attention and the pictures in the press. "I'm still the same person and I won't let anything come between me and my deep convictions." Despite his age, he has already gained considerable experience, mainly at a local political level, and with the media. He playfully switches between jargon and self-irony while professing to being keen to remain true to himself. "It's crucial to be authentic to keep in close contact with our supporters who I meet in the digital space." Rougy prefers live-stream sessions and online interaction, at any time of the day. "Well-rehearsed phrases and political slogans bore me to sleep," he says. But in some of his answers he himself slips into socio-political marketing slang. Or is he just joking? "At the start there was the intrinsic motivation to create a better world," he says when asked how he became a political campaigner. Or: "I'm passionate about mobilising people." Motivation Trying to sketch his profile, we settle on the term "motivator" or "political influencer". He grimaces at the German-language title of "Die Crowd und ihr General" he was given in a newspaper portrait. His interest in politics goes back to his early teens, he says. He has been sitting in the parliament of the town of Interlaken as a member of the Social Democratic Party for more than two years and has made a name for himself as co-organiser of a youth assembly, giving the young generation a voice in local politics. "At the beginning it was volunteer work. But I wanted to do more than just pursue the classical career, studying documents within a party and a parliament." In 2016, the student of cultural studies enrolled for a week-long crash course, a so-called "campaign bootcamp" organised by a group of NGO activists. "We were taught the basics needed to run a campaign. Theory mixed with hands-on training, listening and discussions about political campaigning with people active in the field." The participants apply their newly-acquired knowledge about strategic and tactical planning, communications and fundraising and lobbying in a small campaign. And what exactly did he and the other participants learn? "It's crucial to set a clear goal and remain focused. Then the rest follows almost automatically," he says and chuckles, as he regularly does during the interview. "No, not really, but it becomes easy to align everything else accordingly." Differences? Despite his young age, Rougy is capable of comparing the traditional and more modern forms of campaigning. He quickly lists a small catalogue of differences. "Point number one: we have no central office, we can work at home, in a café. We have co-workers everywhere. But we meet in the digital space, 24 hours a day in principle. Our office hours are always and never," he says. The two other main differences are: "We are not the main actors in a campaign; we let the crowd do the job." Supporters are provided with tools, a manual on how to use them and advice if necessary. "Now they can become active themselves." This is where, thirdly, modern means of communication come in. "Our DNA is digital. We use all kinds of social media to improve cooperation." The internet is his working space. And it takes a good sense of understanding of the real concerns of the people to launch a successful campaign. "Social media allows you to contact hundreds of thousands of people in Switzerland within a few seconds. This is a huge asset of the internet and for democracy," he continues. But ultimately, the digital space is not very different from analogue space, he argues. It's just that "you may not see the person you're talking to and the response is not as immediate." In his role as a campaigner he currently uses Facebook, Instagram and Flickr to post pictures, as well as newsletters and emails. He himself has around 1,100 followers on his Twitter account and posted about ten tweets on the day of our interview. Substantial, but hardly extravagant figures. Learning fast Millennials, like him, may be better at using digital tools – because they are digital natives, Rougy says. But his generation still has to a lot to learn and also must make an effort to keep up with latest developments. "This morning I was trying to get to grips with liquidity planning. Yesterday I had no idea what this was and today I made a huge excel sheet for personnel planning and budgeting," he chuckles again. The campaign challenging the law on social security fraud plans to involve its supporters at all stages leading up to the November vote. For example, after writing a text to be published in the official vote booklet, Rougy sent the draft out to the crowd of supporters asking for feedback. 'Crowd campaigning' may take some time and they can't necessarily rely on paid experts to take care of all aspects of campaigning, he says. Being pioneers and doing most without external professional help could be a disadvantage. "There is nobody in Switzerland we can go to and there are no models to follow," he says. Criticism This new form of campaigning focuses on mobilisation and individual emotions, according to political analyst Claude Longchamp. "Mobilisation is the new trend – not making or changing public opinion," he says in one of his regular columns on swissinfo.ch. Quoting marketing experts, Longchamp sees a sea change in political communication. Committees bypass traditional media channels and instead zero in on "multipliers" or "citizen marketers". Some critics have expressed concern that as political parties and organisations lose their role in the political process, this could pave the way for wealthy lobby groups to enter the political scene. Any qualms about that, Dimitri Rougy? "No." (Long pause). "Not at all," he continues. We're a pluralistic democracy. Structures of parties and organisations keep changing. It isn't groups like us that are digging their grave. They have to take the blame for it themselves if they can't do their job as they should." Just as easily, Rougy rebuffs scepticism that digital campaigning is still suspected of operating within a bubble of the young generation while failing to reach the vast majority of older citizens – often considered to be the most conscientious and frequent voters. Indirectly admitting the generation gap, he says the referendum committee will operate a two-pronged approach. "We will motivate people online for offline activities. We want to initiate as many conversations as possible, we want people to talk to their friends and families." He is convinced that the digital space allows him to be close to his supporters and he vows to remain true to himself wherever his professional or political career will take him after the November vote. And what about the cliché of digital native, fingers deftly typing text messages on the phone while talking to journalists? Not today…. Not during our two-hour meeting. So, no further apologies necessary. Related Storie \ No newline at end of file diff --git a/input/test/Test679.txt b/input/test/Test679.txt new file mode 100644 index 0000000..e782669 --- /dev/null +++ b/input/test/Test679.txt @@ -0,0 +1,7 @@ +Tweet +News stories about Park Hotels & Resorts (NYSE:PK) have trended somewhat positive this week, according to Accern Sentiment. The research firm ranks the sentiment of press coverage by analyzing more than 20 million blog and news sources in real time. Accern ranks coverage of companies on a scale of negative one to one, with scores nearest to one being the most favorable. Park Hotels & Resorts earned a media sentiment score of 0.15 on Accern's scale. Accern also gave media coverage about the financial services provider an impact score of 46.0657819233069 out of 100, meaning that recent press coverage is somewhat unlikely to have an impact on the company's share price in the near future. +A number of research analysts have recently issued reports on the company. Jefferies Financial Group assumed coverage on Park Hotels & Resorts in a research note on Thursday, May 31st. They set a "buy" rating and a $37.00 price objective on the stock. Zacks Investment Research cut Park Hotels & Resorts from a "strong-buy" rating to a "hold" rating in a research note on Wednesday, July 11th. Goldman Sachs Group cut Park Hotels & Resorts from a "neutral" rating to a "sell" rating and cut their target price for the stock from $32.92 to $31.00 in a research note on Sunday, June 10th. JPMorgan Chase & Co. cut Park Hotels & Resorts from an "overweight" rating to a "neutral" rating and set a $28.00 target price on the stock. in a research note on Tuesday, June 5th. Finally, Barclays raised their target price on Park Hotels & Resorts from $31.00 to $34.00 and gave the stock an "overweight" rating in a research note on Friday, June 1st. Two equities research analysts have rated the stock with a sell rating, six have assigned a hold rating and five have given a buy rating to the company. The stock currently has a consensus rating of "Hold" and a consensus price target of $31.28. Get Park Hotels & Resorts alerts: +NYSE PK opened at $32.34 on Friday. The company has a current ratio of 1.79, a quick ratio of 1.79 and a debt-to-equity ratio of 0.51. The stock has a market capitalization of $6.34 billion, a P/E ratio of 11.63, a price-to-earnings-growth ratio of 2.61 and a beta of 0.39. Park Hotels & Resorts has a 1 year low of $23.91 and a 1 year high of $33.14. Park Hotels & Resorts (NYSE:PK) last posted its earnings results on Wednesday, August 1st. The financial services provider reported $0.93 earnings per share (EPS) for the quarter, topping the Thomson Reuters' consensus estimate of $0.82 by $0.11. The company had revenue of $731.00 million for the quarter, compared to analysts' expectations of $696.01 million. Park Hotels & Resorts had a return on equity of 8.41% and a net margin of 19.08%. Park Hotels & Resorts's quarterly revenue was down .3% on a year-over-year basis. During the same period last year, the firm earned $0.81 earnings per share. analysts anticipate that Park Hotels & Resorts will post 2.86 EPS for the current fiscal year. +The firm also recently announced a quarterly dividend, which will be paid on Monday, October 15th. Investors of record on Friday, September 28th will be paid a $0.43 dividend. The ex-dividend date is Thursday, September 27th. This represents a $1.72 annualized dividend and a dividend yield of 5.32%. Park Hotels & Resorts's payout ratio is presently 61.87%. +About Park Hotels & Resorts +Park is a leading lodging REIT with a diverse portfolio of hotels and resorts with significant underlying real estate value. Park's portfolio consists of 55 premium-branded hotels and resorts with over 32,000 rooms located in prime United States and international markets with high barriers to entry \ No newline at end of file diff --git a/input/test/Test68.txt b/input/test/Test68.txt new file mode 100644 index 0000000..138bf9a --- /dev/null +++ b/input/test/Test68.txt @@ -0,0 +1,17 @@ +No posts were found Ice Hockey Helmet Market insightful analysis of current Scenario and future Growth Prospect including key players: Bauer, CCM, Easton, Reebok, Warrior, GY August 17 Share it With Friends Ice Hockey Helmet Market HTF MI recently introduced Global Ice Hockey Helmet Market study with in-depth overview, describing about the Product / Industry Scope and elaborates market outlook and status to 2023. The market Study is segmented by key regions which is accelerating the marketization. At present, the market is developing its presence and some of the key players from the complete study are Bauer, CCM, Easton, Reebok, Warrior, GY, Oakley, Itech, Mission, Tour, Mylec, Alkali, Avision Ahead & Cascade etc. +Request Sample of Global Ice Hockey Helmet Market Insights, Forecast to 2025 @: https://www.htfmarketreport.com/sample-report/1301231-global-ice-hockey-helmet-market-10 +This report studies the Global Ice Hockey Helmet market size, industry status and forecast, competition landscape and growth opportunity. This research report categorizes the Global Ice Hockey Helmet market by companies, region, type and end-use industry. +Browse 100+ market data Tables and Figures spread through Pages and in-depth TOC on " Ice Hockey Helmet Market by Type (Ice Hockey Helmet & Ice Hockey Helmet With Cages), by End-Users/Application (Senior, Junior & Youth), Organization Size, Industry, and Region – Forecast to 2023″. Early buyers will receive 10% customization on comprehensive study. +In order to get a deeper view of Market Size, competitive landscape is provided i.e. Revenue (Million USD) by Players (2013-2018), Revenue Market Share (%) by Players (2013-2018) and further a qualitative analysis is made towards market concentration rate, product/service differences, new entrants and the technological trends in future. +Enquire for customization in Report @ https://www.htfmarketreport.com/enquiry-before-buy/1301231-global-ice-hockey-helmet-market-10 +Competitive Analysis: The key players are highly focusing innovation in production technologies to improve efficiency and shelf life. The best long-term growth opportunities for this sector can be captured by ensuring ongoing process improvements and financial flexibility to invest in the optimal strategies. Company profile section of players such as Bauer, CCM, Easton, Reebok, Warrior, GY, Oakley, Itech, Mission, Tour, Mylec, Alkali, Avision Ahead & Cascade includes its basic information like legal name, website, headquarters, its market position, historical background and top 5 closest competitors by Market capitalization / revenue along with contact information. Each player/ manufacturer revenue figures, growth rate and gross profit margin is provided in easy to understand tabular format for past 5 years and a separate section on recent development like mergers, acquisition or any new product/service launch etc. +Market Segments: The Global Ice Hockey Helmet Market has been divided into type, application, and region. On The Basis Of Type: Ice Hockey Helmet & Ice Hockey Helmet With Cages . On The Basis Of Application: Senior, Junior & Youth On The Basis Of Region, this report is segmented into following key geographies, with production, consumption, revenue (million USD), and market share, growth rate of Ice Hockey Helmet in these regions, from 2013 to 2023 (forecast), covering • North America (U.S. & Canada) {Market Revenue (USD Billion), Growth Analysis (%) and Opportunity Analysis} • Latin America (Brazil, Mexico & Rest of Latin America) {Market Revenue (USD Billion), Growth Share (%) and Opportunity Analysis} • Europe (The U.K., Germany, France, Italy, Spain, Poland, Sweden & RoE) {Market Revenue (USD Billion), Growth Share (%) and Opportunity Analysis} • Asia-Pacific (China, India, Japan, Singapore, South Korea, Australia, New Zealand, Rest of Asia) {Market Revenue (USD Billion), Growth Share (%) and Opportunity Analysis} • Middle East & Africa (GCC, South Africa, North Africa, RoMEA) {Market Revenue (USD Billion), Growth Share (%) and Opportunity Analysis} • Rest of World {Market Revenue (USD Billion), Growth Analysis (%) and Opportunity Analysis} +Buy Single User License of Global Ice Hockey Helmet Market Insights, Forecast to 2025 @ https://www.htfmarketreport.com/buy-now?format=1&report=1301231 +Have a look at some extracts from Table of Content +Introduction about Global Ice Hockey Helmet +Global Ice Hockey Helmet Market Size (Sales) Market Share by Type (Product Category) in 2017 Ice Hockey Helmet Market by Application/End Users Global Ice Hockey Helmet Sales (Volume) and Market Share Comparison by Applications (2013-2023) table defined for each application/end-users like [Senior, Junior & Youth] Global Ice Hockey Helmet Sales and Growth Rate (2013-2023) Ice Hockey Helmet Competition by Players/Suppliers, Region, Type and Application Ice Hockey Helmet (Volume, Value and Sales Price) table defined for each geographic region defined. Global Ice Hockey Helmet Players/Suppliers Profiles and Sales Data +Additionally Company Basic Information, Manufacturing Base and Competitors list is being provided for each listed manufacturers +Market Sales, Revenue, Price and Gross Margin (2013-2018) table for each product type which include Ice Hockey Helmet & Ice Hockey Helmet With Cages Ice Hockey Helmet Manufacturing Cost Analysis Ice Hockey Helmet Key Raw Materials Analysis Ice Hockey Helmet Chain, Sourcing Strategy and Downstream Buyers, Industrial Chain Analysis Market Forecast (2018-2023) ……..and more in complete table of Contents +Browse for Full Report at: https://www.htfmarketreport.com/reports/1301231-global-ice-hockey-helmet-market-10 +Thanks for reading this article; you can also get individual chapter wise section or region wise report version like North America, Europe or Asia. +Media Contac \ No newline at end of file diff --git a/input/test/Test680.txt b/input/test/Test680.txt new file mode 100644 index 0000000..710d5d0 --- /dev/null +++ b/input/test/Test680.txt @@ -0,0 +1 @@ +Believe in yourself: Shastri's mantra to struggling team 6 hours ago Aug 17, 2018 IANS Nottingham, Aug 16 : Facing criticism from various quarters after India's consecutive defeats in the first two Tests of the five-match rubber, head coach Ravi Shastri on Thursday urged his wards to believe in themselves when they take on England in the third cricket Test starting at Trent Bridge on Saturday. Apart from skipper Virat Kohli, the other Indian batsmen have failed to rise to the occasion as the visitors went down at Edgbaston and Lord's. However, Shastri felt batsmen from both the teams have struggled so far as conditions have been tough in England. Addressing mediapersons, the Indian coach said: "It's not fair to single out any one player. Batsmen from both teams have struggled, you know, when the occasion demands..." "It's a case of mental resolve -- how you put mind over matter and mental discipline will be the key as far as batsmen are concerned going forward even in this Test match." Shastri said his boys will need to show some mental discipline if they want to make a comeback at Trent Bridge as conditions have been tough for the visitors. "Conditions have been tough as you have seen right through the series but that's where character comes into place and mental discipline comes into place..the resolve to know where your off-stump is.. you have to leave a lot of balls.. to be prepared to look ugly and dirty and show some grit," Shastri opined. The 56-year-old former India all-rounder further asked his players to believe in themselves as they came from behind on quite a few occasions previously. "Just believe in yourself, you have been in this position a couple of times before and you have responded," expressed Shastri adding: "One thing for sure, there is no negative bone in this unit. Conditions favoured England at Lord's but that is no excuse.. it can happen to any team.. This is a team without a negative bone wanting to win." Commenting on Kohli, who battled a stiff back at the second Test, the coach said: "He (Kohli) is feeling much better, moving much better and improving by the day". Share it \ No newline at end of file diff --git a/input/test/Test681.txt b/input/test/Test681.txt new file mode 100644 index 0000000..58d6863 --- /dev/null +++ b/input/test/Test681.txt @@ -0,0 +1,12 @@ +Standard&Poors 500 Index: 2840.69 +22.32 +NYSE Index: 12,841.28 +118.19 +Nasdaq Composite Index: 7806.52 +32.41 +NYSE Amer Composite: 2599.25 +1.73 +Russell 2000 Index: 1685.75 +15.09 +Wilshire 5000 TotalMkt: 29,610.05 +240.54 +Volume +Total number of issues traded: 2,909 +Issues higher in price: 2,105 +Issues lower in price: 702 +Issues unchanged: 102 +Copyright 2018 The Associated Press. All rights reserved. This material may not be published, broadcast, rewritten or redistributed. React to this story \ No newline at end of file diff --git a/input/test/Test682.txt b/input/test/Test682.txt new file mode 100644 index 0000000..4cecdec --- /dev/null +++ b/input/test/Test682.txt @@ -0,0 +1,30 @@ +54 SHARES +Suzanne is one of the most amazing people we've met in 2018. Her passion for helping causes is boundless. Check out her interview below. +Hi, Suzanne! Thank you for granting the interview. We are thrilled to learn more about "Teal Soldiers." We know it is a charity film that raises awareness of ovarian cancer. Tell us how you got the role and the character you play. +Teal Soldiers was my most challenging role to date, and I knew it would be from the start. That's partly what attracted me to the script and the role. That and the fact that this was a charity film for such a worthy cause. So many people have been affected by cancer either directly or indirectly, including myself, and I wanted to be apart of a film that sent an important message to viewers and raised awareness. My character, Tiana, gets diagnosed with ovarian cancer. The film follows her journey as she deals with the diagnosis, her treatment plan & the friendships she makes along the way. +How important is it for the film industry to get involved with charities, such as this one? +If you have a platform to create art and you can do it to bring awareness to a worthy cause, then do it! +There are so many issues going on in the world and a lot of people don't know the facts or truly understand the issue. Film is a great platform to get involved and tell a story about something you truly believe in. If you can make a film and make a positive difference at the same time, then why not?! 'Teal Soldiers' Premiere, Event Cinemas +Tell us what the audience should expect? +A film filled with love, pain, and determination. If you have been affected by cancer in your life, then at least a little of this film, or maybe even all of it will resonate with you. Tiana's journey can be really confronting to the viewer, but it's also inspirational & hopeful. So go in with an open mind and an open heart. +Why should people watch "Teal Soldiers?" +Watch it for the love that went into making this film! Everyone on this project donated their time and their talent. Weekends were spent on set, and that doesn't even include the time for the pre & post-production. We all did it because we knew it was for such a good cause! So if you believe in the cause and want to support it, give it a view. Help spread the message. +Let's talk about your role in "Burns Point." Tell us about your role and character. +I was so happy to land a role in "Burns Point" as I really wanted to work with the director, Tim Blackburn. I think I ended up auditioning for three different roles on that feature film. One in the room and two self-tests. They ended up casting me in a completely different role, but that's what I love about acting. Sometimes the pieces don't fit, but there are those few times that all the pieces fit perfectly and you're meant to be on a production! I ended up playing the role of the girl who works at a bowling alley. I'm only in one scene, but it was a great scene, and so well written and I had such a ball doing it… no pun intended! +You also do choreography work. Name some of your favorite features. +I love choreographing and at the moment, I guess you can say it is my 'day job'. I think choreography and dance is a form of self-expression and I couldn't imagine my life without it. I love choreographing all styles, but my favorite is tap. It's so intricate and rhythmical and I love how you can honestly do it to any style of music. I have just finished choreographing a routine for 'Dancers Fight Cancer' – a dance concert raising money for the Cancer Council. I also do a lot of choreography and work with different styles of dance for Dreamworld. Dreamworld has not only given me the opportunity to choreograph shows, but also create & direct them. So I feel very grateful to constantly be creating. +How can fans-to-be gain access to you socially? +Instagram all the way! +Who are your biggest industry influencers and why? +The people that have influenced me the most in this industry are definitely the people I have come across who have been doing it a very long time, but still, hold that passion and love for the work. They always have and always will put in the hard yards for their career, no matter how far along they are. They really embody everything this industry is about to me and inspire me to be the best actor I can be. +I often get inspired and influenced when I watch films as well. For example, I saw a short film, "Slapper" directed by Luci Schroder at the Melbourne International Film Festival a few years back. The film is so raw & edgy; it opened my eyes and forced me to look at another angle of society. It inspired me for a TV series I'm currently writing – so thanks Luci Schroder for the inspiration! Hopefully one day we can collaborate on something together! Behind the scenes shot from 'Teal Soldiers' with Director, Jonathan Creed +When looking back on your career, what resonated with you the most and why? +I feel like my career has been, I'm not going to say small, but I will say very short lived so far for what I would like to achieve. You have to remember to celebrate the little wins in this industry because they can be few and far in between and you need to appreciate them! I honestly feel like what resonated with me was getting the role, Tiana, in 'Teal Soldiers' . At that moment in my life, I was offered a full-time job, one that would pull me away from performing or allow the time for my acting. I told myself I would take the job if I didn't get the role in 'Teal Soldiers '. I felt as though I was meant to play that role from the moment I read the character description and it took a few auditions, but I did secure the role! I felt like it was a character I needed to play, not just as an actor, but also as a person. By playing the role of Tiana, I could honor the person in my life that had been affected by cancer & understand their journey more. +In your opinion, how could talent make an impact on the world? +You don't have to make a movie & raise money for a charity to make an impact. You can do something as simple as being kind, generous and having patience with people. +I do think that some actors have a fairly generous following on social media & if you are one of those people, why not use that power to spread a positive message every now and then. You could promote body positivity, cruelty-free products that you love or talk about a charity that you truly believe in! It doesn't have to be fake or forced, just genuine things that could impact people in a positive way. +If you had to do it all over again, would you still choose this career? Would you do anything differently? +I will always remember something one of my favorite acting teachers has said before…" if you can imagine yourself doing anything else at all, choosing any other career, then do it." He wasn't saying this to make people second guess their talent, he was saying it because he was being completely truthful and real with us. This industry is for the long haul, it is full of ups and downs and highs and lows and it can be so challenging. You have to go in knowing that. That being said, I couldn't imagine myself being completely fulfilled if I did anything else. Being creative is an outlet for me and the more creative I find myself being, the more creative jobs come my way! +Do you have anything else you would like to share about your career? +I'd just like to say thank you to everyone that's ever supported me and those people that have stood by me in my journey so far. And to all those people who have ever cast me or even brought me into the audition room, I'm so grateful because my successes in this industry couldn't have happened without those moments of opportunity. Also, keep your eye out because I'm writing a TV series that raises awareness about another issue in Australia. I'm really excited about the prospects of where this project could go, so fingers crossed for that. And… if you've read until this point, thank you for taking the time to check out what I have to say! Remember it's never too late to chase your dreams and follow your creative path, go for it! +Connect with Suzanne \ No newline at end of file diff --git a/input/test/Test683.txt b/input/test/Test683.txt new file mode 100644 index 0000000..df72a1e --- /dev/null +++ b/input/test/Test683.txt @@ -0,0 +1 @@ +Press release from: TMR Research PR Agency: TMR Research Global On-site Preventive Care Market: SnapshotAcross the globe, companies are adopting on-site preventive care so as to have a greater control over the existing cost of their health care services. On-site preventive care offers the administration of company, with treatment options for their employees. On-site Services help in reducing the rate of services used by the employees on off-site preventive care. They also help in reducing the risk of any future illness among employees by addressing their prayers and concerns. On-site preventive care provide vaccinations, physical check-up routines, and the screening of several Health issues such as hypertension and anxiety. Does help in identifying future risks. On account of the different types of service types offered by on-site preventive care such as chronic disease management, acute care, Nutrition management, wellness and coaching, and diagnostic screening, on-site preventive care is becoming extremely popular among organizations.Request Sample Copy of the Report @ www.tmrresearch.com/sample/sample?flag=T&rep_id=3209 One of the important factors helping the market for on-site preventive care to grow is the increasing incidences of chronic disease management. Across the globe, it has been found that 14 million new cases of cancer were registered in 2012 as per the World Health Organization. This number is expected to rise up to 24 million by 2035. The growing prevalence of infectious diseases, cancer, and cardiovascular disorders are expected to to continue to drive the demand for on-site preventive care.In the recent past, many of the workplace Wellness programs have seen an increase in the uptake so much so that on-site preventive care has become the most popularly adopted Health Care Services across the globe. It is anticipated that this Market will grow further and benefit extensively from the implementation of the Affordable Care Act which promotes employer-based coverage of workplace Wellness. another benefit of on-site preventive care is that employees have high morale on account of cost savings with regards to medical expenses and this increases their productivity in performance in their work place which ultimately benefits the company or Organization for whom he or she is working.Global On-site Preventive Care Market: OverviewOn-site preventive care provides treatment to employees in their work place. These on-site services help to reduce the rate of services used by the employees on off-site preventive care. The services administered by the on-site preventive care lowers risks of future diseases in the employees. It monitors their current physical routines, vaccinations, and screens their health problems for example hypertension, anxiety, and so on, figuring out the future possibilities of illnesses. Owing to this, there are various kinds of service types with respect to on-site preventive care.The global on-site preventive care market is segmented on this basis of type, application and region. Based on type, the market is categorized into chronic disease management, acute care, nutrition management, wellness and coaching, diagnostic and screening, and others. As per application, the global market is divided into homecare and hospitals.Request TOC of the Report @ www.tmrresearch.com/sample/sample?flag=T&rep_id=3209 Global On-site Preventive Care Market: Trends and OpportunitiesAcute care is a branch of secondary healthcare services in which the particular patients receive an immediate but short duration treatment for severe injury or illness episodes such as epilepsy. It is also provided at times of urgent medical scenarios or at the time of surgery recovery mode. In medical terms to be specific, the manner in which the acute conditions are treated, is completely opposite of long-term care of chronic illness services. These services are usually given by the teams of well-trained and specialized healthcare practitioners from a range of medical and surgical specialties. During the acute care treatment, the on-site preventive service health specialists may admit the patient in the ambulatory center, urgent care center, and the emergency department.The increase in number of chronic diseases all over the world has stimulated the demand for chronic disease management in on-site preventive care centers. The rising cases of infective diseases, cancer, and heart diseases is anticipated to fuel the usage of this service in forthcoming years.Global On-site Preventive Care Market: Regional AnalysisGeographically, the United States is among the key nations which has adopted acute care services in its on-site preventive care departments. A federal law known as Emergency Medical Treatment and Active Labor Act (EMTALA) demands most number of healthcare centers to run an inspection, along with a stabilizing treatment, lagging the consideration of the ability to pay and the insurance coverage, when a patient is admitted to an emergency room for instant attention, treatment and care.Read Comprehensive Overview of Report @ www.tmrresearch.com/on-site-preventive-care-market Global On-site Preventive Care Market: Competitive LandscapeSeveral firms all over the world are adopting on-site preventive care so as to limit the current prices of their medical services.About TMR Research TMR Research is a premier provider of customized market research and consulting services to business entities keen on succeeding in today's supercharged economic climate. Armed with an experienced, dedicated, and dynamic team of analysts, we are redefining the way our clients' conduct business by providing them with authoritative and trusted research studies in tune with the latest methodologies and market trends. Our savvy custom-built reports span a gamut of industries such as pharmaceuticals, chemicals and metals, food and beverages, and technology and media, among others. With actionable insights uncovered through in-depth research of the market, we try to bring about game-changing success for our clients.Contact \ No newline at end of file diff --git a/input/test/Test684.txt b/input/test/Test684.txt new file mode 100644 index 0000000..ea4e9fb --- /dev/null +++ b/input/test/Test684.txt @@ -0,0 +1 @@ +Global Refined Cottonseed Oil Market Forecast to 2025 Published by Marketresearchnest Marketresearchnest Marketresearchnest Reports adds "Global Refined Cottonseed Oil Market Status and Outlook 2018-2025" new report to its research database. The report spread across 158 pages with multiple tables and figures in it. This comprehensive Refined Cottonseed Oil Market research report includes a brief on these trends that can help the businesses operating in the industry to understand the market and strategize for their business expansion accordingly. The research report provides in-depth analysis on: • The estimated growth rate along with size and share of the Global Refined Cottonseed Oil Market during the forecast period. • The prime factors expected to drive the Refined Cottonseed Oil Market for the estimated period. • The major market leaders and what has been their business winning strategy for success so far. • Significant trends shaping the growth prospects of the Global Refined Cottonseed Oil Market Request a sample copy @ https://www.marketresearchnest.com/report/requestsample/402440 Scope of Refined Cottonseed Oil: Refined Cottonseed Oil Market report evaluates the growth rate and the market value based on market dynamics, growth inducing factors. The complete knowledge is based on latest industry news, opportunities, and trends. The report contains a comprehensive market analysis and vendor landscape in addition to a SWOT analysis of the key vendors. Key Content of Chapters (Including and can be customized, report is a semifinished version, and it takes 48-72 hours to upgrade)  \ No newline at end of file diff --git a/input/test/Test685.txt b/input/test/Test685.txt new file mode 100644 index 0000000..ec80d59 --- /dev/null +++ b/input/test/Test685.txt @@ -0,0 +1,9 @@ +Just Added: Top 10 Freshmen Presented By: Micah Abernathy comments on learning Tennessee's new defense Adam Spencer | 6 days ago +The Tennessee Volunteers are undergoing a big change on defense this year, switching from former DC Bob Shoop's 4-3 scheme to new head coach Jeremy Pruitt's 3-4 scheme. +For guys like senior S Micah Abernathy, learning the new defense is an important, but slow, process. As the Vols approach their Week 1 game, Abernathy said the Vols are trying to learn a little bit more of the complex scheme every practice. +Interestingly, he had a strange response when asked whether or not he likes the Vols' new defense ( via 247Sports ): +"I mean, it's not whether you like it more or less," he said. +But, as far as installing the defense goes, Abernathy said it's going pretty well so far: +"We're learning every day, trying to get better," he said. "Getting out there on the field every day, we're just trying to do as much as we can, trying to be more versatile, learning every position we have. +"Learning a new defense, whether it's any type of defense that you're gonna learn, it's gonna be difficult in some areas. Some people are gonna pick it up faster than others. We're just trying to learn every day, learn more and more." +The Vols open the season with a game against a high-powered West Virginia offense, so Pruitt's defense will be put to the test quickly. A 2012 graduate of the University of Missouri, Adam now covers all 14 SEC football teams. Jordan Dajani | 7 hours ag \ No newline at end of file diff --git a/input/test/Test686.txt b/input/test/Test686.txt new file mode 100644 index 0000000..7134658 --- /dev/null +++ b/input/test/Test686.txt @@ -0,0 +1,28 @@ +Duncan Garner: Say no to Viagogo and shut it down now DUNCAN GARNER Last updated 18:22, August 17 2018 THREE +A victim of Viagogo speaks out on The AM Show. +OPINION: If online ticket reseller Viagogo was a retail shop on the main street, we would have fireballed the place by now. +If we hadn't gone to that extreme, then surely we might have picketed the shop, embarrassed it into action, done something that demanded it change its ways or give us our money back. +But you can guarantee it would have faced the wrath of society's seriously shafted. +Viagogo is New Zealand's most complained-about retailer, despite being based in Switzerland. It's the perfect location for these reselling cowboys – the business is able to enjoy the proceeds of a 10-year tax holiday if it qualifies, and it's domiciled in a country that has few rules and laws about online or distance selling. GRANT MATTHEW/STUFF +German tourist Stephanie Heinemann was turned away from an All Black test with an invalid ticket from Viagogo. +I think fireballing is still my favourite option, but only if the people behind the ticketing website are locked inside. +Don't get me wrong here, it's not that I don't like the people behind Viagogo. No, let me be clear, l detest everything these depraved, twisted and selfish frauds do to other hard-working and law-abiding people spending their hard-earned dollar. +If something screams that we as the human race have dropped into the gutter and become selfish, greedy and morally bankrupt narcissists, then they'd call it Viagogo. It is, of course, an international scam or fraud masquerading badly as a ticket reseller. +It is largely faceless and hides behind the shop window known as the internet. Its packages are designed to fool you, and you'll be impressed by their approach initially. But ultimately it's a website based on deceit, as it devours your money in return for a myth. It probably makes more money from the overinflated price of the ticket than the star of the show does from a ticket sold legally. +It won't always be a myth – sometimes the heinously overpriced tickets will get you into the magic, if you're one of the lucky ones. Ad Feedback BEVAN READ/STUFF +Duncan Garner: "These traders in misery don't care for the law, they barely have an ethical bone in their body." +That was me earlier this year. Seven of us wanted tickets to take the kids to Bruno Mars. I was given the job of going online. I googled and up came Viagogo. I was none the wiser and did the transaction. Easy. Really, really easy. Total cost $2350. +I thought, "That's expensive," and it bugged me for ages. Then the tickets showed up. They had someone else's name on them and the face value was just $150 each. I complained to Viagogo and got nothing back. +I was so nervous in the leadup to the concert. I was worried we'd get turned away. And imagine the disappointment from the kids and the rage from the angry dad who foolishly used the site. +In the end, we got in, but many were turned away. I spent the entire night awkwardly dancing in the aisles thinking about the unthinkable. My friends still can't believe the ticket price. 1 NEWS +The website is popular among scalpers who buy multiple tickets to events, and sell them on for an inflated price. +So I say hats off to the lumbering Commerce Commission for taking action against Viagogo under the Fair Trading Act. But what good is that really? Doesn't it highlight just how quick and nimble the baddies are, and how cumbersome the reacting authorities have been? +A number of countries are suing Viagogo; Fifa has taken court action too, but these faceless fools continue to hide behind the internet as security. I mean even Fifa has better standards and principles, I think. +The Italians fined the company, but in the wild west of the worldwide web, ethics is something humans must deal with, and Viagogo exists in a sewer of its own. +These traders in misery don't care for the law, they barely have an ethical bone in their body. How depraved and soulless can you get, selling hopes and dreams to kids but in reality they're stealing their money and laughing in their faces. +Sadly, real money buys fake tickets in a world too slow to act. We police everything in our society these days: noise, cellphones and even going up a ladder in the workplace. Why can't we stop, find and nail Mr Viagogo? +I wish the world's law enforcement agencies could act in unison against these web-based thieves. When Kim Dotcom was wanted, we allowed an FBI-style assault on his rented mansion. Now it's the hour of need for many Kiwis, who has our back? +It's a crime to take money from someone for goods that don't exist. So where are the authorities working together across borders to nail these scumbags? +We have to block or shut them down now. Sign up to collapse them. Failing that, and if they honestly are acting between and within the legal framework of Switzerland, let's lobby the Swiss. Do they even care? +Two final points. Google should stop hosting Viagogo online, and it won't survive if we and others protest by walking away. Stop using them, New Zealand. It's not worth the utter heartbreak and worry. +Now could someone bash their door down, arrest them and parade this conga line of evil so we can see what the scammers look like out of the shadows. - The Dominion Pos \ No newline at end of file diff --git a/input/test/Test687.txt b/input/test/Test687.txt new file mode 100644 index 0000000..292f6ec --- /dev/null +++ b/input/test/Test687.txt @@ -0,0 +1 @@ +Gym Duffle Bag For Women & Men Large Duffle Bag ABOUT US TopDealsCoupons.com Brings you the best Deals from Amazon along with Amazon Coupons, Amazon Sale, Amazon Discount & Offers We are a participant in the Amazon Services LLC Associates Program, an affiliate advertising program designed to provide a means for us to earn fees by linking to Amazon.com and affiliated sites. Contact us: Get a Free Gift when you Install CLOS \ No newline at end of file diff --git a/input/test/Test688.txt b/input/test/Test688.txt new file mode 100644 index 0000000..771c1c3 --- /dev/null +++ b/input/test/Test688.txt @@ -0,0 +1 @@ +AVOID SCAMS AND FRAUDS | Report Abuse | Email this Ad MBA Project Report is one of the most important parts of your educational career. We know how hard to write a MBA Project Report as a student. (ebrand17818vs) Our MBA Project Report services in all specialization offers the best help to students to complete their MBA project report. We can help right from selection of project title, developing of synopsis/project proposal, complete data collection, drafting, editing & cross checking of project. The International Institute for Population Sciences (IIPS) serves as a regional Institute for Training and Research in Population Studies for the ESCAP region. It was established in Mumbai in July 1956, till July 1970 it was known as the Demographic Training and Research Centre (DTRC) and till 1985 it was known as the International Institute for Population Studies (IIPS). The Institute was re-designated to its present title in 1985 to facilitate the expansion of its academic activities and was declared as a 'Deemed University' in August 19, 1985 under Section 3 of the UGC Act, 1956 by the Ministry of Human Resource Development, Government of India. The recognition has facilitated the award of recognized degrees by the Institute itself and paved the way for further expansion of the Institute as an academic institution. We Provide MBA Project Report in any specialization like Marketing, Finance, HR, Operations, Hotel & Tourism, Hospital Management, Information Technology-IT etc. Our services like MBA project title selection, MBA project writing services, coursework writing, data collection, literature source / collection, data analysis, questioner preparation, PowerPoint presentations, synopsis writing, plagiarism testing & correction for MBA project, etc \ No newline at end of file diff --git a/input/test/Test689.txt b/input/test/Test689.txt new file mode 100644 index 0000000..05adab6 --- /dev/null +++ b/input/test/Test689.txt @@ -0,0 +1 @@ +Press release from: QYResearch CO.,LIMITED PR Agency: QYR Whole Smart Airport Construction Market Size, Share, Development by 2025 - QY Research, Inc. This report studies the Smart Airport Construction market size by players, regions, product types and end industries, history data 2013-2017 and forecast data 2018-2025; This report also studies the global market competition landscape, market drivers and trends, opportunities and challenges, risks and entry barriers, sales channels, distributors and Porter's Five Forces Analysis.Smart airports make systems and processes digitally aware, interconnected, infused with intelligence, and easily accessible by users. The prime idea behind the development of smart airports is to create an integrated system and a unified and ready-to-use digital platform for airports to become intelligent and informed.In terms of geographic regions, EMEA will be the major revenue contributor to the smart airport construction market by 2023. In the recent years, the European Union witnessed an increase in the number of air passengers. The air passenger volume is likely to expand further in the coming years. This increase in air passenger volume in Europe region is one of the key drivers for the demand for smart airport construction. Additionally, European countries are popular tourist destinations and are widely preferred by other tourist regions in the world. Similarly, the Middle East is expanding at a robust pace catered by strong developments of the tourism sector and as a result, the demand for smart airports will increase in this region during the forecast period.This report focuses on the global top players, covered    AECOM    Bechtel    CH2M    Fluor    TAV Construction    Amadeus IT Group    Balfour Beatty    Cisco    Crossland Construction    Gilbane    GMR Group    GVK IndustriesMarket segment by Regions/Countries, this report covers    North America    Europe    China    Rest of Asia Pacific    Central & South America    Middle East & AfricaMarket segment by Type, the product can be split into    Security Systems    Communication Systems    Passenger, Cargo & Baggage Handling Control    Air/Ground Traffic Control    OtherMarket segment by Application, the market can be split into    Defense & Military    Commercial and CivilThe study objectives of this report are:    To study and forecast the market size of Smart Airport Construction in global market.    To analyze the global key players, SWOT analysis, value and global market share for top players.    To define, describe and forecast the market by type, end use and region.    To analyze and compare the market status and forecast among global major regions.    To analyze the global key regions market potential and advantage, opportunity and challenge, restraints and risks.    To identify significant trends and factors driving or inhibiting the market growth.    To analyze the opportunities in the market for stakeholders by identifying the high growth segments.    To strategically analyze each submarket with respect to individual growth trend and their contribution to the market    To analyze competitive developments such as expansions, agreements, new product launches, and acquisitions in the market.    To strategically profile the key players and comprehensively analyze their growth strategies.Request Sample Report and TOC@ www.qyresearchglobal.com/goods-1790548.html About Us:QY Research established in 2007, focus on custom research, management consulting, IPO consulting, industry chain research, data base and seminar services. The company owned a large basic data base (such as National Bureau of statistics database, Customs import and export database, Industry Association Database etc), expertâs resources (included energy automotive chemical medical ICT consumer goods etc.QY Research Achievements:  Year of Experience: 11 YearsConsulting Projects: 500+ successfully conducted so farGlobal Reports: 5000 Reports Every YearsResellers Partners for Our Reports: 150 + Across GlobeGlobal Clients: 34000 \ No newline at end of file diff --git a/input/test/Test69.txt b/input/test/Test69.txt new file mode 100644 index 0000000..e64c90f --- /dev/null +++ b/input/test/Test69.txt @@ -0,0 +1,3 @@ +How to Set Up and Use AliPay in China on Your Smartphone - Living in China published: 27 Feb 2018 How to Set Up and Use AliPay in China on Your Smartphone - Living in China How to Set Up and Use AliPay in China on Your Smartphone - Living in China published: 27 Feb 2018 views: 4114 +Chinese society is embracing technology in all aspects of their lives, including moving more and more toward a paperless currency. In China, Alipay and WeChat pay rule, and it seems most everyone uses their Smartphones for payment. But that doesn\\'t mean expats living in China have to miss out on this convenience. To help expats get started, we have broken down for you how all the steps to set up your Alipay and make life a little easier for you in China. Read more - https://www.careerchina.com/blog/how-to-setup-alipay-in-china Make sure to follow Lingling (@Lenaaround) - https://www.youtube.com/channel/UCiNVSZAp8QiFKf2O2TwjlgQ More info on... How to Rent a Bike in China With Your Smart Phone! - https://www.careerchina.com/blog/bike... How to Order Food Online in China - https://youtu.be/OyvL1wiIzGk How to Set Up WeChat Wallet to Pay With Your Phone in China - https://www.careerchina.com/blog/how-... How to get a Taxi in China in English with the DiDi app - https://www.careerchina.com/blog/how-... What is Career China? Career China makes it easy to �nd a secure job in China with a reputable company. We're here for you every step of the way, ensuring a comfortable transition to your life in China. ESL Teacher in China, Living in China, Working in China, English Teacher in China, and so much more. Visit Career China: https://www.careerchina.com FOLLOW US ON SOCIAL MEDIA LinkedIn: https://www.linkedin.com/company/1791... Facebook: https://www.facebook.com/CareerChinaJ... Twitter: https://twitter.com/Career_China Instagram: https://www.instagram.com/careerchi... How to Set Up and Use AliPay in China on Your Smartphone - Living in China published: 27 Feb 2018 views: 4114 +Chinese society is embracing technology in all aspects of their lives, including moving more and more toward a paperless currency. In China, Alipay and WeChat pay rule, and it seems most everyone uses their Smartphones for payment. But that doesn\\'t mean expats living in China have to miss out on this convenience. To help expats get started, we have broken down for you how all the steps to set up your Alipay and make life a little easier for you in China. Read more - https://www.careerchina.com/blog/how-to-setup-alipay-in-china Make sure to follow Lingling (@Lenaaround) - https://www.youtube.com/channel/UCiNVSZAp8QiFKf2O2TwjlgQ More info on... How to Rent a Bike in China With Your Smart Phone! - https://www.careerchina.com/blog/bike... How to Order Food Online in China - https://youtu.be/OyvL1wiIzGk How to Set Up WeChat Wallet to Pay With Your Phone in China - https://www.careerchina.com/blog/how-... How to get a Taxi in China in English with the DiDi app - https://www.careerchina.com/blog/how-... What is Career China? Career China makes it easy to �nd a secure job in China with a reputable company. We're here for you every step of the way, ensuring a comfortable transition to your life in China. ESL Teacher in China, Living in China, Working in China, English Teacher in China, and so much more. Visit Career China: https://www.careerchina.com FOLLOW US ON SOCIAL MEDIA LinkedIn: https://www.linkedin.com/company/1791... Facebook: https://www.facebook.com/CareerChinaJ... Twitter: https://twitter.com/Career_China Instagram: https://www.instagram.com/careerchi.. \ No newline at end of file diff --git a/input/test/Test690.txt b/input/test/Test690.txt new file mode 100644 index 0000000..7126d75 --- /dev/null +++ b/input/test/Test690.txt @@ -0,0 +1,6 @@ +Tweet +Stuart Olson (TSE:SOX) had its price target cut by CIBC from C$8.50 to C$8.00 in a research note published on Monday morning. +Separately, Raymond James boosted their price objective on shares of Stuart Olson from C$8.00 to C$9.00 and gave the stock an outperform rating in a report on Thursday, June 28th. Two research analysts have rated the stock with a hold rating and three have assigned a buy rating to the company's stock. Stuart Olson presently has a consensus rating of Buy and an average target price of C$8.00. Get Stuart Olson alerts: +TSE:SOX opened at C$6.61 on Monday. Stuart Olson has a 52-week low of C$5.06 and a 52-week high of C$8.39. The firm also recently announced a quarterly dividend, which will be paid on Tuesday, October 16th. Investors of record on Friday, September 28th will be paid a $0.12 dividend. The ex-dividend date of this dividend is Thursday, September 27th. This represents a $0.48 dividend on an annualized basis and a yield of 7.26%. +Stuart Olson Company Profile +Stuart Olson Inc provides general contracting and electrical building systems contracting to the institutional and commercial construction markets in Canada. The company's Buildings Group segment provides general contracting services, including integrated project delivery, construction management, and design-build services for schools, hospitals, and high-rise buildings; and provision of management, estimating, accounting, site management, field workers, and equipment in order to complete projects \ No newline at end of file diff --git a/input/test/Test691.txt b/input/test/Test691.txt new file mode 100644 index 0000000..f51888e --- /dev/null +++ b/input/test/Test691.txt @@ -0,0 +1,2 @@ +with subcultures with your higher purpose or vision for how life should be. Connection solves anxiety and helps with career. Connection is the best medicine. It cures. it saves lives. I read a study and I believe it. The best people for your career are not your friends or close associates. They are the associates of your associates. They are the ones who know of you and think of you in a time when they have great need. Every day work on connection. This is good advice I've gotten (but not the best). With connection..less worry…more career….more creativity….more luck. But this is not the BEST advice. This is the second best advice. "You are stupid" I wish someone had told me this advice in 2010, in 2008, in 2005, in 2002, in 2000, in 1997. Someone told me it in 2012 and it's been straight up for me financially ever since. If I wrote my resume it would just be a list of all the times I was stupid. If "stupid" is a bad word, I apologize. But I'm not being self-deprecating or humble. I found out after 20 years of hard work that I am a big idiot. When I first started a technology company in the 90s I thought I was smart (I had been a technologist and software guy since the 80s). When I first was a venture capitalist I thought I was smart because I had sold a company and was so good at technology. When I first was a day trader I thought I had a great model of the stock markets that I had programmed. But I didn't realize the importance of psychology. When I ran a hedge fund, I thought I was a good judge of people. When I invested in angel investments, I thought I was smart enough to know about money management. When I…when I…when I…: relationships, partnerships, investments. I invested in a company once where I was so greedy I took 30% for almost no money. Why didn't I realize there's a reason some companies are so cheap. When I went on the board of another company, my gut screamed, "don't do it". But I got greedy by the number of shares they offered me. Greed, lack of money management, lack of understanding of bigger business models, laziness, bad people judgment, poor ability to handle failure, little understanding of cycles in markets…all of these things led to me being stupid. And since everyone thought I was smart, I was always afraid to act stupid. I always wore a mask pretending to be smart. Pretending to be a GENIUS! Like if someone was explaining a sophisticated technology, I'd be the first one to try and ask some stupid question to prove to my colleagues that I was the smart guy. What an idiot! This is my hero: I had a partner at my venture capital firm. The firm was called "212 Ventures". I liked that name. (our logo. It was the best thing about our fund. We even had jackets made). We had four partners and four associates and managed about $125 million for major investors. We sucked. But… One of my partners would go to every meeting, get the business explained to him, and he'd hold up his hand. "Wait a second," he said, "Explain this to me again like I'm a third grader". And he wouldn't let them stop until they were able to explain everything as if he were a third grader and he would finally understand. I'd smirk at his stupidity. Now I realize he was the smartest man in the room. I was the stupidest. All of my investment decisions then lost money. 100% of them. When they shut the VC firm down (all the investors pulled their money) my "stupid" colleage was smart enough to get a massive payout for all of us despite our non-stop failure. I'm glad he was so stupid. But then I changed. It's no longer worth explaining how much money pretending to be smart has cost me. Tens of millions. Maybe more. And if I describe all of the ways in which I were stupid people would be like, "What the…." Nine out of ten drivers think they are "above average". I am the one driver who KNOWS he's a bad driver. And nine out of ten people think they are good investors or good judges of character. I am the one who "KNOWS" he is not either. In 2012 (really 2007 by accident but then I had a relapse) that changed. I was sick of losing money all of the time. I was sick of bad relationships. I was sick of the non-stop mediocrity. I thought I was smart! Why weren't good things happening to me? When my father was getting a divorce in the early 60s, he and his then-wife went to a therapist. My father went on and on about how smart he was and how much potential he had. He was an ice-cream man at the time. The therapist said, "if you're so smart, why aren't you rich?" Which is a horrible question. Maybe it's not so important to be rich. But being poor is really difficult. My dad died poor as anything. I later paid for his house, furniture, paid off all his debt, and hid his other debts from my mom. I thought I was smart and wanted to show off in front of him. But then I went broke. Stupid! This is what happened: I got the advice: "You are stupid!" In other words, don't make any decisions for myself. Find other people who are smarter than me to help me. For instance, one time I invested in a company, Buddy Media. The CEO had pitched me to become CEO of a company I had started, Stockpickr. I was smart enough then to steal all of his ideas. Every single one of them. They worked. So I knew he was smart. When he finally started his own company, I begged to be included in the first round. When I invest now: I find someone smarter than me. This CEO had built and sold 2 other companies. Plus I had seen the power of his ideas when I stole them. I find co-investors smarter than me. Peter Thiel (found of PayPal and initial investor in Facebook) and Mark Pincus (found of Zynga) both billionaires, were investing along side of me. No matter how smart I thought I was, they were more successful, smarter investors who did smarter due diligence than me. And that's it. Everyone has to be smarter than me for me to get involved. When I invested in that company, it was worth $4 million. When the company sold in 2012, it was worth almost $900 million. Once a company I invest in calls me for help I know that I'm in trouble. I want the CEO to NOT return my calls. He should be busy being smart. That's why he's in that business and not stupid me. When Howard Stern said to Jerry Seinfeld, "Everyone the country wanted you to do a ninth season and you didn't", Seinfeld replied, "That's why I am in show business and they are NOT." I want the guy smarter than me to be like Jerry Seinfeld. That's why he's X, Y, and Z and I'm NOT so I trust his decision. +(Jerry Seinfeld performing the other day at the club I am part-owner of. Again, I feel very blessed since I started following this advice) Since I decided I was stupid, this is what happened. 100% of my investments have worked out. 100%! It's so simple: if the CEO is smarter than me (and an easy way to tell: they've built and sold a similar business before) and if my co-investors are smarter than me (so they did better due diligence than I could have done) then the investment is good. When I start a business, I make sure everyone I hire is smarter than me, so I can learn. When I do a podcast, I assume my guests are all smarter than me, to feed my curiosity. I'm blessed to have so many of my superheroes answer all my questions on my podcast. The best advice I've gotten lately (from billionaires, super-comedians, artists, athletes): be honest, be who you are, be humble, be curious, sincerely network, show up every day. It's that simple. I will add: be stupid. You can do this with relationships: see if the people hanging around someone is smarter than you. This is how I now judge people. By the people they spend time with and how I see them treat me. If someone says, "I love you" to me, this means nothing. I'm stupid enough to believe it. But if someone shows they love me, then I guess I can invest in that. I love them. Who gave me this advice? This fantastic, wonderful advice that has changed my life over and over? One day I lost a lot of money in the stock market. I thought I was smarter than the stock market. I was so depressed I walked a mile to a beach near me and took off my clothes and went in. I didn't want to drown but I wanted to drown. I went home. I looked at my bank account again. So much money lost. For the 10,000th time. I was so sick of it. "Aren't I smart?" I thought to myself. No. I looked in the mirror. "You are so stupid," I said and looked at my arrogant gross face. "Please, please, please stop being so stupid." And then my whole life got better. 25.261002 55.29075 \ No newline at end of file diff --git a/input/test/Test692.txt b/input/test/Test692.txt new file mode 100644 index 0000000..c2b9cb6 --- /dev/null +++ b/input/test/Test692.txt @@ -0,0 +1,5 @@ +NEW YORK Lounge Lizard is a New York Website Design company that is recognized within the web design and development industry for their amazing designs. Lounge Lizard's brandtenders are creative, tech-savvy, and passionate in developing innovative strategies that drive conversion for both startup and established clients of all industries, making them the "best of breed since 1998." +Google My Business, which used to be known as Google Places for Businesses, is a valuable tool that every business should utilize to be more relevant in Google search results. GMB is fairly straightforward with basic information about hours, location, contact information and the like. However, like most things there are certain insider tips that can be utilized for better local search visibility. Today NY based web design company, Lounge Lizard, shares Insider Tips for better Google My Business Listings. +Check your dashboard weekly . Google My Business is not a place you should set-up and forget about. The main reason you need to check in regularly is because anyone can make a suggestion to change or edit your business listing from your next-door neighbor to your biggest competitor. Even worse, you are not always notified about these changes. When you log in, simply switch to the "classic view' of the dashboard and then select "Google Updates". From here you can review any updates that were made or suggested. Regularly use GMB posts . These posts are a terrific way to promote your business. While not as effective as social media or other marketing methods, you can let people know about new products, services, events, sales, and the like. Ideally posts should be 150 to 300 characters as that is the ideal window for a snippet, so keep them short and to the point. Each post stays live for seven days and you should use images for additional visibility. Respond to reviews. Responding to reviews shows that you do care about customer problems and concerns. Google's policies include tips for replying to reviews and they should be taken to heart. Their tips are to be nice, keep it short, be a friend and not a salesperson, thank reviewers, and don't get personal. You can check Google's Review Policies if you feel a review might be fake and is in violation of their policies. If so you can go to your dashboard and flag the review as inappropriate. Claim your listing . Always take the time to claim your listing and don't lose the email address used or password. If someone else set up the page and claimed it, make sure you obtain the email address and password so that you maintain control of your listing as the primary owner. If by chance someone else has claimed your listing, you can contact Google. Visit the GMB forum . The Google My Business forum is a fantastic resource. Not only is there a ton of great info from prior posts that have been answered, but you can also post questions that experts and Top Contributors can answer. Knowledge is power! Everyone who uses GMB should take time to explore the forum and become familiar with what it has to offer. Lounge Lizard Top Web Design Company is an award-winning, high-end design boutique specializing in website and mobile app development, UX/UI, branding, and marketing. Lounge Lizard excels in creating the ultimate brand strategy, fully loaded with expertly crafted visuals that work together to increase sales and effectively communicate a client's unique personality. +SOURCE Lounge Lizard +Related Links https://www.loungelizard.co \ No newline at end of file diff --git a/input/test/Test693.txt b/input/test/Test693.txt new file mode 100644 index 0000000..6de1745 --- /dev/null +++ b/input/test/Test693.txt @@ -0,0 +1,7 @@ +Comments +DNA is a perfect polymeric molecule for interfacing biology with material science to construct hydrogels with fascinating properties for a wide variety of biomedical applications. DNA is an irreplaceable building block for the construction of novel 3D hydrogels, because of its multifunctional tunability, convenient programmability, adequate biocompatibility, biodegradability, capability of precise molecular recognition, and high versatility. +DNA can be used as the only component of a hydrogel, the backbone or a cross-linker that connects the main building blocks and forms hybrid hydrogels through chemical reactions or physical entanglement. Responsive constructs of DNA with superior mechanical properties can undergo a macroscopic change induced by various triggers, including changes in ionic strength, temperature, and pH. These hydrogels can be prepared by various types of DNA building blocks, such as branched double-stranded DNA, single-stranded DNA, X-shaped DNA or Y-shaped DNA through intermolecular i-motif structures, DNA hybridization, enzyme ligation, or enzyme polymerization. +However, more attention needs to be paid towards long term biocompatibility, degradability and the impact of the gel composition on the surrounding microenvironment of the hydrogels when applied within the body. The impact of the gelation process on the loaded therapeutics or cells, the importance of mass transport with the surrounding microenvironment, and the impact of mechanical properties on biological activities of the hydrogels need to be carefully considered. +In their review article, researchers from the University of Helsinki first sought to comprehensively discuss physicochemical identifications and key features that can directly affect the design and synthesis of DNA based hydrogels . Novel advances in the fabrication of DNA hydrogels and further recognition of unique properties that DNA can impart to the hydrogels are addressed. The key design parameters to achieve responsive DNA hydrogels are discussed and challenges of DNA hydrogel fabrication are addressed from biological point of view. In addition, potential usages of DNA hydrogels for different biomedical applications are highlighted by giving different examples of efforts intending to bring the molecule of DNA into the realm of bulk materials. +"This review opens up new avenues towards the development of new generation of DNA hydrogels for various biomedical applications by giving different examples and discussing challenges and progresses in both in vitro and in vivo investigations in order to facilitate the bench-to-bedside transition of these 3D structures", says the first author of the article, Mohammad-Ali Shahbazi +One of the main challenges that should be overcome is to develop new innovative matrices of DNA hydrogels with more favorable viscoelastic properties and swelling performance, which can enhance the biological interaction of the gels with the host body while reducing foreign body reactions. Ongoing research deals with the design of practically applicable DNA-based materials in medicine, including precise DNA sequence design, interactions between DNA and other molecules within the gel structure, and introduction of stimuli to the materials. Furthermore, improving the stability of DNA self-assemblies needs further attention since DNA resistance to harsh environments or organic solvents is not sufficient, limiting the synthesis methods of hybrid DNA hydrogels. Therefore, it is important to get a better understanding of the impacts of each gel component on its physicochemical and biological properties. Related post \ No newline at end of file diff --git a/input/test/Test694.txt b/input/test/Test694.txt new file mode 100644 index 0000000..4c07647 --- /dev/null +++ b/input/test/Test694.txt @@ -0,0 +1,10 @@ +Tweet +Alps Advisors Inc. cut its position in shares of Madrigal Pharmaceuticals Inc (NASDAQ:MDGL) by 26.3% during the second quarter, according to the company in its most recent disclosure with the Securities and Exchange Commission. The firm owned 13,847 shares of the biopharmaceutical company's stock after selling 4,932 shares during the period. Alps Advisors Inc.'s holdings in Madrigal Pharmaceuticals were worth $1,271,000 at the end of the most recent reporting period. +Several other institutional investors and hedge funds have also recently added to or reduced their stakes in the company. BlackRock Inc. increased its position in shares of Madrigal Pharmaceuticals by 52.4% during the first quarter. BlackRock Inc. now owns 319,093 shares of the biopharmaceutical company's stock valued at $37,268,000 after purchasing an additional 109,665 shares during the period. Millennium Management LLC grew its position in Madrigal Pharmaceuticals by 2,263.4% in the first quarter. Millennium Management LLC now owns 92,291 shares of the biopharmaceutical company's stock valued at $10,779,000 after acquiring an additional 88,386 shares during the period. Northern Trust Corp grew its position in Madrigal Pharmaceuticals by 12.9% in the first quarter. Northern Trust Corp now owns 73,640 shares of the biopharmaceutical company's stock valued at $8,600,000 after acquiring an additional 8,393 shares during the period. Geode Capital Management LLC grew its position in Madrigal Pharmaceuticals by 50.9% in the fourth quarter. Geode Capital Management LLC now owns 54,299 shares of the biopharmaceutical company's stock valued at $4,984,000 after acquiring an additional 18,319 shares during the period. Finally, Artal Group S.A. bought a new stake in Madrigal Pharmaceuticals in the first quarter valued at $5,256,000. Institutional investors and hedge funds own 43.78% of the company's stock. Get Madrigal Pharmaceuticals alerts: +Shares of NASDAQ:MDGL opened at $238.25 on Friday. The firm has a market capitalization of $3.57 billion, a price-to-earnings ratio of -92.87 and a beta of 1.36. Madrigal Pharmaceuticals Inc has a fifty-two week low of $15.53 and a fifty-two week high of $325.98. Madrigal Pharmaceuticals (NASDAQ:MDGL) last posted its quarterly earnings data on Tuesday, August 7th. The biopharmaceutical company reported ($0.45) EPS for the quarter, topping analysts' consensus estimates of ($0.63) by $0.18. equities research analysts anticipate that Madrigal Pharmaceuticals Inc will post -2.19 EPS for the current fiscal year. +A number of analysts have weighed in on MDGL shares. Oppenheimer set a $130.00 price target on Madrigal Pharmaceuticals and gave the company a "hold" rating in a research report on Tuesday, May 8th. Cowen reiterated a "buy" rating on shares of Madrigal Pharmaceuticals in a research report on Thursday, May 10th. Zacks Investment Research upgraded Madrigal Pharmaceuticals from a "sell" rating to a "buy" rating and set a $132.00 price target on the stock in a research report on Friday, May 11th. HC Wainwright upped their price target on Madrigal Pharmaceuticals to $178.00 and gave the company a "buy" rating in a research report on Thursday, May 24th. Finally, ValuEngine cut Madrigal Pharmaceuticals from a "buy" rating to a "hold" rating in a research report on Thursday, May 31st. One investment analyst has rated the stock with a sell rating, four have given a hold rating and seven have assigned a buy rating to the company. Madrigal Pharmaceuticals presently has an average rating of "Buy" and an average target price of $310.29. +In other Madrigal Pharmaceuticals news, insider Rebecca Taub sold 73,526 shares of the business's stock in a transaction on Monday, June 11th. The stock was sold at an average price of $287.46, for a total value of $21,135,783.96. The transaction was disclosed in a document filed with the SEC, which is available at this link . Also, CFO Marc R. Schneebaum sold 10,099 shares of the business's stock in a transaction on Monday, June 11th. The stock was sold at an average price of $287.46, for a total value of $2,903,058.54. The disclosure for this sale can be found here . In the last three months, insiders sold 363,625 shares of company stock worth $104,527,643. Insiders own 56.70% of the company's stock. +About Madrigal Pharmaceuticals +Madrigal Pharmaceuticals, Inc, a clinical-stage biopharmaceutical company, focuses on the development and commercialization of therapeutic candidates for the treatment of cardiovascular, metabolic, and liver diseases. The company's lead candidate is MGL-3196, an orally administered, small-molecule, liver-directed, thyroid hormone receptor (THR) ß-selective agonist, which is in Phase II clinical trials for the treatment of non-alcoholic steatohepatitis and heterozygous familial hypercholesterolemia. +See Also: Fundamental Analysis +Want to see what other hedge funds are holding MDGL? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Madrigal Pharmaceuticals Inc (NASDAQ:MDGL). Receive News & Ratings for Madrigal Pharmaceuticals Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Madrigal Pharmaceuticals and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test695.txt b/input/test/Test695.txt new file mode 100644 index 0000000..bbbba17 --- /dev/null +++ b/input/test/Test695.txt @@ -0,0 +1,6 @@ +Apple reassures customers after reported hack by Australian teen Updated 32 sec ago Follow @arabnews +SYDNEY/SAN FRANCISCO: Apple said on Friday no customer data was compromised after Australian media reported a teenager had pleaded guilty to hacking into its main computer network, downloading internal files and accessing customer accounts. The boy, 16, from the southern city of Melbourne, broke into the US computer giant's mainframe from his suburban home many times over a year, The Age newspaper reported, citing statements by the teenager's lawyer in court. The teen downloaded 90 gigabytes of secure files and accessed customer accounts without exposing his identity, the paper said. Apple contacted the US Federal Bureau of Investigation when it became aware of the intrusion, The Age said, quoting statements made in court. The FBI then referred the matter to the Australian Federal Police (AFP). The report said an AFP raid on the boy's family home produced two laptops, a mobile phone and a hard drive that matched the intrusion reported by Apple. The sensitive documents were saved in a folder called "hacky hack hack," the report said. It said the boy had boasted about his activities on the mobile messaging service WhatsApp. An Apple spokesman said the company's information security personnel "discovered the unauthorized access, contained it, and reported the incident to law enforcement" without commenting further on the specifics of the case. "We ... want to assure our customers that at no point during this incident was their personal data compromised," the spokesman said. The AFP declined to comment because the matter was before the court. A court spokeswoman also declined to comment other than to say the teenager would be sentenced on Sept. 20. The boy's name could not be made public because he was a juvenile offender. Follow @arabnews Dubai regulators move against Abraaj Capital Dubai regulators have implemented a winding up order against Abraaj Capital stopping it from doing any new business in the emirate's financial center The DFSA said it has also stopped Abraaj Capital from moving funds to other parts of the group Updated 17 August 2018 August 16, 2018 18:47 0 +DUBAI: Dubai regulators have moved against Abraaj Capital, the UAE arm of the beleaguered private equity group, implementing a winding up order against it and stopping it doing any new business in the emirate's financial center. The Dubai Financial Services Authority, the regulatory arm of the Dubai International Financial Center (DIFC), announced the moves after the DIFC Courts earlier this month received a petition to wind up the troubled firm under UAE insolvency laws. The court has appointed two liquidators from the accounting firm Deloitte to oversee the winding up order. "The DFSA will continue to take all necessary actions within its remit to protect the interests of investors and the DIFC," the regulator said in a statement. +The DFSA also said it has stopped Abraaj Capital from moving funds to other parts of the group. +The DFSA has been monitoring events at the company since the scandal at Abraaj broke in February, involving redirection of investment funds to purposes for which they were not intended. Only a relatively small part of Abraaj's operations fall under the remit of the DFSA. Most of its business and assets are located in the Cayman Islands, the domicile for its ultimate holding company Abraaj Holdings Limited (AHL) and its main operation business Abraaj Investment Management. The Cayman entities are also going through liquidation procedures. The DFSA said: "Given the onset of financial difficulties of the wider Abraaj Group, the DFSA has been closely monitoring the activities of its regulated entity ACL. The DFSA has taken regulatory actions over the past few months in order to safeguard the interests of investors and the DIFC. "Given such actions and the current matters surrounding the Abraaj Group, the DFSA continues to monitor the limited financial services activities currently being undertaken by ACL," it added. ACL was authorized to conduct various financial services from DIFC, including managing assets and fund administration, but restricted to funds established by the firm or members of its group. It could also advise on financial products, arranging deals in investments, and arranging and advising on credit. It is unprecedented for the DFSA to comment on a case while it is still under investigation, but the application in the DIFC Courts on Aug. 1 presented an opportunity to address investors and DIFC members who were concerned about the scandal, which some observers believe has been damaging for Dubai's reputation as a regional financial hub. FACT OID +The Dubai Financial Services Authority has been monitoring events at Abraaj since a scandal emerged involving redirection of investment funds to purposes for which they were not intended \ No newline at end of file diff --git a/input/test/Test696.txt b/input/test/Test696.txt new file mode 100644 index 0000000..941555f --- /dev/null +++ b/input/test/Test696.txt @@ -0,0 +1,21 @@ +Register for our free newsletter +RULES around e-cigarettes should be relaxed to help accelerate already declining smoking rates, MPs have said. +Vaping is less harmful than conventional smoking and the two should not be treated as the same, according to a report by the Science and Technology Committee. +There should be an urgent review to make it easier for e-cigarettes to be made available on prescription, "wider debate" on vaping in public spaces, and greater freedom for the industry to advertise the devices as a less harmful option for smokers, they said. +An end to the ban on "snus", an oral tobacco product which is illegal in the UK under EU regulations, should also be considered after Brexit, according to the report. +Norman Lamb, chairman of the committee, said: "E-cigarettes are less harmful than conventional cigarettes, but current policy and regulations do not sufficiently reflect this and businesses, transport providers and public places should stop viewing conventional and e-cigarettes as one and the same. +"There is no public health rationale for doing so. +"Concerns that e-cigarettes could be a gateway to conventional smoking, including for young non-smokers, have not materialised. +"If used correctly, e-cigarettes could be a key weapon in the NHS stop-smoking arsenal." +Public Health England (PHE) has estimated that e-cigarettes are at least 95% less harmful than smoking. +While "uncertainties" remain about the long-term health impact of the devices, they present "an opportunity to significantly accelerate already declining smoking rates", the committee of MPs said. +Mr Lamb said: "Medically licensed e-cigarettes would make it easier for doctors to discuss and recommend them as a stop smoking tool to aid those quitting smoking. +"The approval systems for prescribing these products must be urgently reviewed." +Deborah Arnott, chief executive of Action on Smoking and Health (ASH), said: "Today's call to improve the process to enable e-cigarettes to be licensed as medicines is extremely welcome. +"E-cigarettes have already helped many smokers to quit, but they could help many more. +"Licenced products could transform the public's understanding of e-cigarettes and help many more smokers see vaping as a viable alternative to smoking." +The report also called for limits on refill strengths and tank sizes, which may put off heavy smokers looking for a strong nicotine-hit, to be reviewed. +Meanwhile, NHS England's "default" policy should be that e-cigarettes are permitted on mental health units, to address the "stubbornly high" levels of smoking among people with mental health conditions, the report said. +George Butterworth, from Cancer Research UK, said: "The evidence so far shows that e-cigarettes are far less harmful than tobacco. +"The Government should carefully consider the report's recommendations, but any changes to current e-cigarette regulations should be aimed at helping smokers to quit whilst preventing young people from starting to use e-cigarettes." +Around 2.9 million people in the UK are currently using e-cigarettes, with an estimated 470,000 using them as an aid to stop smoking, according to the report \ No newline at end of file diff --git a/input/test/Test697.txt b/input/test/Test697.txt new file mode 100644 index 0000000..37e8eb7 --- /dev/null +++ b/input/test/Test697.txt @@ -0,0 +1,10 @@ +Tweet +Aperio Group LLC acquired a new stake in Fortis Inc (NYSE:FTS) in the 2nd quarter, HoldingsChannel.com reports. The fund acquired 111,561 shares of the utilities provider's stock, valued at approximately $3,557,000. +Several other institutional investors also recently made changes to their positions in the stock. Massachusetts Financial Services Co. MA grew its stake in shares of Fortis by 0.3% during the 2nd quarter. Massachusetts Financial Services Co. MA now owns 778,232 shares of the utilities provider's stock worth $24,810,000 after purchasing an additional 2,278 shares during the period. Community Financial Services Group LLC grew its stake in shares of Fortis by 2.1% during the 2nd quarter. Community Financial Services Group LLC now owns 89,355 shares of the utilities provider's stock worth $2,849,000 after purchasing an additional 1,803 shares during the period. Eqis Capital Management Inc. grew its stake in shares of Fortis by 36.0% during the 2nd quarter. Eqis Capital Management Inc. now owns 14,809 shares of the utilities provider's stock worth $472,000 after purchasing an additional 3,919 shares during the period. Intact Investment Management Inc. grew its stake in shares of Fortis by 3,641.7% during the 2nd quarter. Intact Investment Management Inc. now owns 583,700 shares of the utilities provider's stock worth $24,510,000 after purchasing an additional 568,100 shares during the period. Finally, Hedeker Wealth LLC grew its stake in shares of Fortis by 108.7% during the 2nd quarter. Hedeker Wealth LLC now owns 21,657 shares of the utilities provider's stock worth $718,000 after purchasing an additional 11,280 shares during the period. 50.05% of the stock is owned by hedge funds and other institutional investors. Get Fortis alerts: +A number of equities research analysts have recently commented on the stock. Zacks Investment Research raised shares of Fortis from a "sell" rating to a "hold" rating in a research note on Wednesday, May 23rd. ValuEngine raised shares of Fortis from a "sell" rating to a "hold" rating in a research note on Thursday, July 5th. Scotiabank cut shares of Fortis from an "outperform" rating to a "sector perform" rating in a research note on Tuesday, May 1st. Finally, UBS Group started coverage on shares of Fortis in a research note on Tuesday, May 1st. They issued a "buy" rating on the stock. One research analyst has rated the stock with a sell rating, three have issued a hold rating and three have assigned a buy rating to the company's stock. The stock has an average rating of "Hold" and a consensus price target of $45.00. Fortis stock opened at $32.82 on Friday. Fortis Inc has a 1 year low of $30.88 and a 1 year high of $38.24. The firm has a market capitalization of $13.73 billion, a P/E ratio of 16.83, a P/E/G ratio of 3.01 and a beta of -0.17. The company has a debt-to-equity ratio of 1.37, a quick ratio of 0.49 and a current ratio of 0.59. +Fortis (NYSE:FTS) last released its quarterly earnings results on Tuesday, July 31st. The utilities provider reported $0.57 earnings per share (EPS) for the quarter, beating analysts' consensus estimates of $0.44 by $0.13. Fortis had a net margin of 11.97% and a return on equity of 6.75%. The firm had revenue of $1.51 billion for the quarter, compared to analysts' expectations of $1.57 billion. During the same quarter last year, the company earned $0.61 EPS. analysts forecast that Fortis Inc will post 1.95 EPS for the current year. +The business also recently declared a quarterly dividend, which will be paid on Saturday, September 1st. Investors of record on Tuesday, August 21st will be paid a $0.324 dividend. The ex-dividend date is Monday, August 20th. This represents a $1.30 dividend on an annualized basis and a yield of 3.95%. Fortis's dividend payout ratio is currently 67.69%. +Fortis Profile +Fortis Inc operates as an electric and gas utility company in Canada, the United States, and the Caribbean. It generates, transmits, and distributes electricity to approximately 422,000 retail customers in southeastern Arizona; and 96,000 retail customers in Arizona's Mohave and Santa Cruz counties with an aggregate capacity of 2,834 megawatts (MW), including 64 MW of solar capacity. +Read More: What are CEFs? +Want to see what other hedge funds are holding FTS? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Fortis Inc (NYSE:FTS). Receive News & Ratings for Fortis Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Fortis and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test698.txt b/input/test/Test698.txt new file mode 100644 index 0000000..b03c09b --- /dev/null +++ b/input/test/Test698.txt @@ -0,0 +1,11 @@ +Tweet +Alps Advisors Inc. decreased its position in shares of Hartford Financial Services Group Inc (NYSE:HIG) by 13.8% during the 2nd quarter, according to its most recent filing with the Securities and Exchange Commission (SEC). The fund owned 18,431 shares of the insurance provider's stock after selling 2,941 shares during the quarter. Alps Advisors Inc.'s holdings in Hartford Financial Services Group were worth $1,037,000 as of its most recent SEC filing. +Other institutional investors have also recently added to or reduced their stakes in the company. First Mercantile Trust Co. bought a new position in Hartford Financial Services Group during the 2nd quarter worth approximately $133,000. BTIM Corp. bought a new position in Hartford Financial Services Group during the 2nd quarter worth approximately $211,000. Piedmont Investment Advisors LLC bought a new position in Hartford Financial Services Group during the 2nd quarter worth approximately $215,000. Dupont Capital Management Corp boosted its stake in Hartford Financial Services Group by 52.2% during the 2nd quarter. Dupont Capital Management Corp now owns 4,200 shares of the insurance provider's stock worth $215,000 after acquiring an additional 1,441 shares during the last quarter. Finally, United Capital Financial Advisers LLC bought a new position in Hartford Financial Services Group during the 1st quarter worth approximately $224,000. 88.75% of the stock is currently owned by institutional investors and hedge funds. Get Hartford Financial Services Group alerts: +Shares of HIG opened at $51.70 on Friday. The company has a debt-to-equity ratio of 0.34, a quick ratio of 0.29 and a current ratio of 0.29. Hartford Financial Services Group Inc has a twelve month low of $49.67 and a twelve month high of $59.20. The company has a market capitalization of $18.52 billion, a price-to-earnings ratio of 18.84, a P/E/G ratio of 1.16 and a beta of 0.98. Hartford Financial Services Group (NYSE:HIG) last announced its quarterly earnings results on Thursday, July 26th. The insurance provider reported $1.13 earnings per share for the quarter, beating the Zacks' consensus estimate of $1.02 by $0.11. Hartford Financial Services Group had a negative net margin of 12.24% and a positive return on equity of 9.84%. The firm had revenue of $4.79 billion for the quarter, compared to analyst estimates of $4.63 billion. During the same quarter in the previous year, the firm posted $0.81 earnings per share. The business's revenue was up 13.6% on a year-over-year basis. analysts anticipate that Hartford Financial Services Group Inc will post 4.7 earnings per share for the current year. +The business also recently declared a quarterly dividend, which will be paid on Monday, October 1st. Shareholders of record on Tuesday, September 4th will be paid a $0.30 dividend. The ex-dividend date is Friday, August 31st. This represents a $1.20 dividend on an annualized basis and a yield of 2.32%. This is a positive change from Hartford Financial Services Group's previous quarterly dividend of $0.25. Hartford Financial Services Group's payout ratio is presently 36.50%. +In other Hartford Financial Services Group news, insider Brion S. Johnson sold 11,568 shares of Hartford Financial Services Group stock in a transaction that occurred on Monday, May 21st. The shares were sold at an average price of $53.60, for a total value of $620,044.80. The sale was disclosed in a document filed with the SEC, which is available at this hyperlink . Also, insider Brion S. Johnson sold 11,569 shares of Hartford Financial Services Group stock in a transaction that occurred on Tuesday, May 29th. The shares were sold at an average price of $51.91, for a total transaction of $600,546.79. Following the completion of the transaction, the insider now directly owns 61,445 shares in the company, valued at approximately $3,189,609.95. The disclosure for this sale can be found here . In the last ninety days, insiders sold 49,438 shares of company stock worth $2,605,412. Insiders own 1.50% of the company's stock. +Several research analysts recently weighed in on HIG shares. TheStreet raised shares of Hartford Financial Services Group from a "c" rating to a "b" rating in a research note on Thursday, July 26th. Zacks Investment Research raised shares of Hartford Financial Services Group from a "hold" rating to a "buy" rating and set a $57.00 price objective on the stock in a research note on Monday, July 2nd. ValuEngine raised shares of Hartford Financial Services Group from a "hold" rating to a "buy" rating in a research note on Monday, April 30th. Citigroup lifted their price objective on shares of Hartford Financial Services Group from $55.00 to $57.00 and gave the stock a "hold" rating in a research note on Tuesday, May 1st. Finally, Wells Fargo & Co set a $56.00 price objective on shares of Hartford Financial Services Group and gave the stock a "hold" rating in a research note on Thursday, April 26th. One analyst has rated the stock with a sell rating, seven have issued a hold rating and four have assigned a buy rating to the company. Hartford Financial Services Group has a consensus rating of "Hold" and a consensus target price of $59.00. +About Hartford Financial Services Group +The Hartford Financial Services Group, Inc, through its subsidiaries, provides insurance and financial services to individual and business customers in the United States. It operates through five segments: Commercial Lines, Personal Lines, Property & Casualty Other Operations, Group Benefits, and Mutual Funds. +Recommended Story: How to Invest in Marijuana Stocks +Want to see what other hedge funds are holding HIG? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Hartford Financial Services Group Inc (NYSE:HIG). Receive News & Ratings for Hartford Financial Services Group Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Hartford Financial Services Group and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test699.txt b/input/test/Test699.txt new file mode 100644 index 0000000..e6153f3 --- /dev/null +++ b/input/test/Test699.txt @@ -0,0 +1,5 @@ +PARIS (AP) — Unions at Air France-KLM voiced concern after the company appointed Benjamin Smith as the new CEO with the support of the French state. +The company said Thursday that Smith, who is 46 and was previously Air Canada's chief operating officer, will fill the role by Sept. 30. +Vincent Salles, unionist at CGT-Air France union, said on France Info radio that unions fear Smith's mission is to implement plans that would "deteriorate working conditions and wages." +The previous CEO, Jean-Marc Janaillac, resigned in May after Air France employees held 13 days of strike over pay and rejected the company's wage proposal, considered too low. +Finance Minister Bruno Le Maire welcomed an "opportunity" for Air France-KLM and expressed his confidence in Smith's ability to "re-establish social dialogue. \ No newline at end of file diff --git a/input/test/Test7.txt b/input/test/Test7.txt new file mode 100644 index 0000000..8b4e823 --- /dev/null +++ b/input/test/Test7.txt @@ -0,0 +1 @@ +. Megalith began trading on New York Stock Exchange on
August 24, 2018
The deal represents Chardan's tenth SPAC IPO in 2018 and 25
th
over the past three years, placing the firm as the top investment bank for SPAC IPOs, based on deal volume, for 2016, 2017, and 2018 year-to-date.
Megalith Financial Acquisition Corp. is led by
Jay S. Sidhu
, Chairman and Chief Executive Officer of Customers Bancorp and
Sam S. Sidhu
, Chief Executive Officer of Megalith Capital Management.
In addition to Megalith Financial Acquisition Corp., in 2018 Chardan successfully led initial public offerings for Trident Acquisitions Corp., Greenland Acquisition Corp. and Tottenham Acquisition I Limited for a combined IPO value of
$291 million
. According to Chardan's calculations, the total U.S. SPAC market is on pace to hit
$12.9 billion
in gross proceeds for the 2018 fiscal year.
About Chardan
Chardan provides a full suite of Global Investment Banking services designed for micro, small and mid-cap emerging growth companies. Our full range of services includes capital raising, merger and acquisition advisory, strategic advisory, equity research, institutional trading and market making. Headquartered in
New York City
, Chardan is a registered broker-dealer with the U.S. Securities and Exchange Commission and is a member of the following: FINRA, SIPC, NASDAQ and the NYSE Arca, Inc.
To learn more about Chardan, visit

{usernameAlt}
{username} Just Now
Saved. See Saved Items.
This comment has already been saved in your Saved Items
Author's response
{commentAlt}
{commentContent}
Reply
0 0
{usernameAlt}
{username} Just Now
Author's response
Saved. See Saved Items.
This comment has already been saved in your Saved Items
{commentAlt}
{commentAlt} {commentContent}
Reply
0 0
Show more comments ()
Show more replies ()
Aug. 23, 2018
/PRNewswire/ -- Hooker & Holcombe is pleased to announce it has named two of their consultants to practice leader roles in response to the firm's expanding actuarial services group. The firm has named
Steve Lemanski
as OPEB practice leader and
Ellen Kucenski
as pension practice leader. This better positions the firm for additional growth and strengthens its consulting expertise within the actuarial marketplace.
Steve Lemanski
is an enrolled actuary with nearly 30 years of experience providing actuarial services to municipalities, multi-employer pension funds and Fortune 500 companies. He oversees the team who manages the firm's other post-employment benefits (OPEB) plans. His expertise includes valuations of defined benefit and OPEB plans, plan design, benefit certifications, experience studies, and consulting on a number of compliance related issues. Steve is chairperson of the EA-1 actuarial exam writer's committee, and is a Fellow of the Society of Actuaries, a Fellow of the Conference of Consulting Actuaries, and a Member of the American Academy of Actuaries.
Ellen Kucenski
has been with the firm since 2002 and leads the team who manages the day-to-day operations of the pension area within the actuarial services group. Ellen's broad actuarial background includes complex testing, deterministic forecasts and cash flow projections. She is an enrolled actuary, a Fellow of the Society of Actuaries and a Member of the American Academy of Actuaries.
"We are pleased to have Steve and Ellen in these new leadership roles. They have continuously contributed to the growth within the unit and are well-respected by their peers," stated
Richard Sych
, president and consulting actuary.
About Hooker & Holcombe
Hooker & Holcombe, founded in 1956, is a leading regional provider of comprehensive and integrated actuarial, investment advisory and retirement plan consulting services. Through the expertise of dedicated and knowledgeable professionals, the firm designs and implements customized retirement plan programs based on proven practices and advanced technology that exceed client expectations. For more, visit
eShops > Health & Fitness > Abs Workout Plan How To Get Them How To Keep Them, Health & Fitness Abs Workout Plan How To Get Them How To Keep Them, Health & Fitness The Most Comprehensive Guide To Obtaining And Maintaining Perfectly Sculpted Abs. This Ebook Outlines The Foods You Need To Eat And The Ones You Need To Avoid. Learn How To Avoid Failure And The Best Exercises To Obtain The Abs You Desire. Display Full Page 10 Super Foods that Keep You Away from Claiming Health Insurance The sedentary lifestyle aids in increasing the everyday diseases at a rapid pace. The growing cost of quality healthcare has made it mandatory to buy health insurance. While health insurance in India ... Preeclampsia Is a Leading Cause of Maternal Death. So Why Do We Keep Getting the Facts Wrong? But some, including the Mayo Clinic and Harvard Health Publishing, agreed to update or review their ... But despite the scary statistics, it's important to keep in mind that most women with preeclamps... Health Inspections: 7 Mooresville Restaurants Keep 'A' Rating MOORESVILLE, NC — Seven recently inspected Mooresville area restaurant kitchens all earned "A" health ratings, however numerous health code violations were found ranging from food found at improper te... How to Keep Your Kids From Getting Sick Once School Starts But as back-to-school time approaches, parents may start to get concerned about what that means for their kids and their health. We wish we had a secret formula to shield our kids from all the germs a... 6 doc-approved tips to keep calm during fights with your S.O.—for the sake of your gut health Ever feel like your significant other is a real pain in the butt? Well, according to new research, they're more literally a pain in the gut. Apparently, all that bickering about bills and whose turn i... Health Tip: Keep Diabetic Feet Healthier (HealthDay News) -- People who have diabetes often have foot problems that, if severe enough, can lead to amputation of a toe or the entire foot. But by taking care of your feet every day and by watch... Health benefits for coffee drinkers keep mounting up Q: As I coffee lover, I have been happy to read about its health benefits. However, I am a bit disturbed about the question of one of the ingredients causing cancer. What's your opinion? A: Indeed, th... Health experts: Keep windows closed at night while air quality is in 'unhealthy' range With so much smoke in the air, some have found the need to stay indoors to protect their lungs. But what about those who want cool off at night? While it is tempting to want to open up a window and le.. \ No newline at end of file diff --git a/input/test/Test800.txt b/input/test/Test800.txt new file mode 100644 index 0000000..d1a265f --- /dev/null +++ b/input/test/Test800.txt @@ -0,0 +1 @@ +Gameover for DK? Pant likely to make his debut at Trent Bridge 12:55 File Image (Twitter) Nottingham: India's rookie wicket-keeper batsman Rishabh Pant is likely to make his Test debut at Trent Bridge, based on the training session the visitors had two days before the third Test. Pant was seen batting in the nets after all the specialist batsmen had finished their rounds, according to reports. Dinesh Karthik, who kept wickets for India in the first two Tests, was seen feeding balls to Pant during the wicket-keeping drills. Also Read: BCCI giving cold shoulder to domestic openers even after India's continuous flop show In Pic: Rishabh Pant Karthik, who got a chance in the Test team in place of injured Wridhiman Saha, has failed miserably with the bat in the two Tests scoring just 21 runs in four innings with two ducks. In Pic: Dinesh Karthik It was a bold call on part of the selectors to pick Pant in the Test squad. For his part, the swashbucking batsman has already played four T20Is for India and even showed his readiness during India A's tour of England. In the two first-class matches he played on the tour, Pant scored a total of 189 runs, at an average of 63 including three half-centuries. When asked in the press conference if Pant would be handed a Test debut, head coach Ravi Shastri said wait for the toss on Saturday. "About Rishabh, you will know 11 am day after," he said on Thursday. Earlier, former BCCI chief selector Dilip Vengsarkar had backed the inclusion of Pant in India's playing XI for the third Test. He said,"Rishabh Pant should get in. Apart from Kohli, nobody has shown that they could score runs here. Whether it's English or Australian conditions, you have to adapt quickly. You have to apply yourself and get runs." Even, ex-India skipper Sourav Ganguly had voiced the same opinion. The third Test between England and India starts from August 18 \ No newline at end of file diff --git a/input/test/Test801.txt b/input/test/Test801.txt new file mode 100644 index 0000000..85e49c4 --- /dev/null +++ b/input/test/Test801.txt @@ -0,0 +1,13 @@ +ALEXANDRIA, Va. — The jury in the fraud trial of former Trump campaign chairman Paul Manafort ended its first day of deliberations with a series of questions to the judge, including a request to "redefine" reasonable doubt. +The questions came after roughly seven hours of deliberation, delivered in a handwritten note to U.S. District Judge T.S. Ellis III. Ellis read the questions aloud to lawyers for both sides as well as Manafort before he called the jury in to give his answers. +Along with the question on reasonable doubt, the jury asked about the list of exhibits, rules for reporting foreign bank accounts and the definition of "shelf companies," a term used during the trial to describe some of the foreign companies used by Manafort. +Ellis told the jurors they need to rely on their collective memory of the evidence to answer most questions. As for reasonable doubt, he described it as "a doubt based on reason" and told jurors it does not require proof "beyond all doubt." +The jury concluded deliberations around 5:30 p.m. after receiving Ellis' answers. Deliberations will resume Friday at 9:30 a.m. +Jurors began their deliberations Thursday morning in the case against Manafort, who prosecutors say earned $60 million advising Russia-backed politicians in Ukraine, hid much of it from the IRS and then lied to banks to get loans when the money dried up. +Manafort's defence countered that he wasn't culpable because he left the particulars of his finances to others. +The financial fraud trial calls on the dozen jurors to follow the complexities of foreign bank accounts and shell companies, loan regulations and tax rules. It exposed details about the lavish lifestyle of the onetime political insider, including a $15,000 jacket made of ostrich leather and $900,000 spent at a boutique retailer in New York via international wire transfer. +It's the first courtroom test of the ongoing Russia probe led by special counsel Robert Mueller. While allegations of collusion are still being investigated, evidence of bank fraud and tax evasion unearthed during the probe has cast doubt on the integrity of Trump's closest advisers during the campaign. +"When you follow the trail of Mr. Manafort's money, it is littered with lies," prosecutor Greg Andres said in his final argument Wednesday, asking the jury to convict Manafort of 18 felony counts. +In his defence, Manafort's attorneys told jurors to question the entirety of the prosecution's case as they sought to tarnish the credibility of Manafort's longtime protege — and government witness — Rick Gates. +The government says Manafort hid at least $16 million in income from the IRS between 2010 and 2014. Prosecutors say Manafort declared only some of his foreign income on his federal income tax returns and repeatedly failed to disclose millions of dollars that streamed into the U.S. to pay for luxury items, services and property. + Chinese-Canadian moviegoers hope Crazy Rich Asians will dispel stereotypes Vaughn Palmer: NDP taking express lane to rush changes for auto... Share this story Questions mark first day of deliberations at Manafort tria \ No newline at end of file diff --git a/input/test/Test802.txt b/input/test/Test802.txt new file mode 100644 index 0000000..5c1476c --- /dev/null +++ b/input/test/Test802.txt @@ -0,0 +1,13 @@ +A 6-year-old Utah girl's sneaky Barbie spending spree has become an internet sensation, and an unexpected windfall for Primary Children's Hospital . +Catherine Lunt had ordered one Barbie for her daughter Katelyn, a reward for doing extra chores around the house. When she gave Katelyn permission to check on the order's status on Amazon.com , Katelyn "went crazy" and ordered what she later called a "Barbie collection." +Lunt didn't notice until the next day when she was checking on a different order and saw a long list of Barbie dolls and accessories she didn't order — like the Barbie Dolphin Magic Transforming Mermaid Doll , which comes with a water-squirting dolphin and costs $18.77. +The toys totaled close to $400. Some items Lunt was able to cancel, but many were already shipped. +The following day, a delivery van showed up at the Lunts' home in Pleasant View, north of Ogden, with a stack of boxes nearly as tall as Katelyn, who turned 6 on Aug. 2. +"It was hilarious so we had to take pictures," Lunt said in an email. "Her face pretty much says it all." +The photos were sent to Katelyn's cousin, Ria Diyaolu, in Scottsdale, Ariz., who posted them on Twitter last Saturday. +"Next thing you know, she's getting all kinds of hits on Twitter," Lunt said. +The tweet, in which Diyaolu calls Katelyn "my badass little cousin" and includes a photo of the girl standing by the Amazon packages and grinning devilishly, got more than 26,000 retweets and nearly 79,000 likes. +My badass little cousin ordered $300 worth of toys w/o my aunt & uncle knowing. This is a picture of how everyone found out. pic.twitter.com/wHWVhsMBYI +— princess ria (@R_tatas) August 11, 2018 Katelyn's caper was also picked up by Buzzfeed and USA Today , thanks to Diyaolu's tweet. +The Lunts considered sending the packages back, but decided instead to donate the excess Barbie dolls and accessories to Primary Children's Hospital in Salt Lake City, where Katelyn spent a week when she was born in 2012. A hospital spokeswoman said the Lunts brought the packages to Primary on Tuesday. +"I guess we used it more as a teaching moment than a time for punishment," Lunt said \ No newline at end of file diff --git a/input/test/Test803.txt b/input/test/Test803.txt new file mode 100644 index 0000000..08815cb --- /dev/null +++ b/input/test/Test803.txt @@ -0,0 +1,10 @@ +Japan's Toyota Motor Corp will build additional capacity at its auto plant in China's Guangzhou, a company source said, in addition to beefing up production at a factory in Tianjin city by 120,000 vehicles a year. +A person close to the company said Toyota will build capacity at the production hub in the south China city of Guangzhou to also produce an additional 120,000 vehicles a year, an increase of 24 percent over current capacity. +Altogether, between the eastern port city of Tianjin and Guangzhou, Toyota will boost its overall manufacturing capacity by 240,000 vehicles a year, or by about 20 percent. Toyota's production capacity in China is 1.16 million vehicles a year. +Toyota plans to build additional capacity in Tianjin to produce 10,000 all-electric battery cars and 110,000 plug-in hybrid electric cars a year. +China has said it would remove foreign ownership caps for companies making fully electric and plug-in hybrid vehicles in 2018, for makers of commercial vehicles in 2020, and the wider car market by 2022. Beijing also has been pushing automakers to produce and sell more electric vehicles through purchase subsidies and production quotas for such green cars. +Toyota's planned additional capacity in Guangzhou is also for electrified vehicles, said the company source, who declined to be named because he is not authorised to speak on the matter. +The source did not say how much the additional capacity would cost. The Tianjin expansion is likely to cost $257 million, according to a government website. +The planned capacity expansions in Guangzhou and Tianjin are part of a medium-term strategy of the Japanese automaker that aims to increase sales in China to two million vehicles per year, a jump of over 50 percent, by the early 2020s, according to four company insiders with knowledge of the matter. +The plans signal Toyota willingness to start adding significant manufacturing capacity in China with the possibility of one or two new assembly plants in the world biggest auto market, the sources said. +Car imports could also increase, they said \ No newline at end of file diff --git a/input/test/Test804.txt b/input/test/Test804.txt new file mode 100644 index 0000000..daf6d3e --- /dev/null +++ b/input/test/Test804.txt @@ -0,0 +1,12 @@ +Thermo Fisher Scientific Inc. (TMO) Shares Sold by Ascension Asset Management LLC Anthony Miller | Aug 17th, 2018 +Ascension Asset Management LLC lessened its stake in Thermo Fisher Scientific Inc. (NYSE:TMO) by 16.2% during the second quarter, according to the company in its most recent 13F filing with the SEC. The institutional investor owned 12,555 shares of the medical research company's stock after selling 2,430 shares during the quarter. Thermo Fisher Scientific makes up approximately 2.4% of Ascension Asset Management LLC's holdings, making the stock its 8th biggest holding. Ascension Asset Management LLC's holdings in Thermo Fisher Scientific were worth $2,601,000 at the end of the most recent reporting period. +Several other institutional investors also recently modified their holdings of the company. Princeton Portfolio Strategies Group LLC raised its stake in shares of Thermo Fisher Scientific by 1.6% in the 2nd quarter. Princeton Portfolio Strategies Group LLC now owns 35,920 shares of the medical research company's stock valued at $7,440,000 after purchasing an additional 581 shares in the last quarter. State Treasurer State of Michigan raised its stake in shares of Thermo Fisher Scientific by 1.3% in the 2nd quarter. State Treasurer State of Michigan now owns 449,531 shares of the medical research company's stock valued at $93,116,000 after purchasing an additional 5,900 shares in the last quarter. Flossbach Von Storch AG raised its stake in shares of Thermo Fisher Scientific by 2.4% in the 2nd quarter. Flossbach Von Storch AG now owns 37,010 shares of the medical research company's stock valued at $7,666,000 after purchasing an additional 850 shares in the last quarter. CIBC World Markets Inc. raised its stake in shares of Thermo Fisher Scientific by 84.1% in the 2nd quarter. CIBC World Markets Inc. now owns 16,666 shares of the medical research company's stock valued at $3,452,000 after purchasing an additional 7,615 shares in the last quarter. Finally, Loring Wolcott & Coolidge Fiduciary Advisors LLP MA raised its stake in shares of Thermo Fisher Scientific by 2.6% in the 2nd quarter. Loring Wolcott & Coolidge Fiduciary Advisors LLP MA now owns 200,825 shares of the medical research company's stock valued at $41,599,000 after purchasing an additional 5,037 shares in the last quarter. Institutional investors and hedge funds own 85.69% of the company's stock. Get Thermo Fisher Scientific alerts: +In other Thermo Fisher Scientific news, CFO Stephen Williamson sold 2,500 shares of the company's stock in a transaction dated Monday, June 4th. The shares were sold at an average price of $212.00, for a total value of $530,000.00. The transaction was disclosed in a legal filing with the Securities & Exchange Commission, which is accessible through the SEC website . Also, CEO Marc N. Casper sold 50,000 shares of the company's stock in a transaction dated Monday, August 6th. The stock was sold at an average price of $233.95, for a total transaction of $11,697,500.00. Following the completion of the transaction, the chief executive officer now owns 320,122 shares of the company's stock, valued at approximately $74,892,541.90. The disclosure for this sale can be found here . In the last 90 days, insiders sold 168,050 shares of company stock valued at $37,585,029. 0.49% of the stock is owned by insiders. +TMO opened at $230.79 on Friday. The stock has a market cap of $93.22 billion, a P/E ratio of 24.32, a price-to-earnings-growth ratio of 1.69 and a beta of 1.13. Thermo Fisher Scientific Inc. has a fifty-two week low of $172.15 and a fifty-two week high of $236.29. The company has a current ratio of 1.58, a quick ratio of 1.11 and a debt-to-equity ratio of 0.67. +Thermo Fisher Scientific (NYSE:TMO) last released its quarterly earnings data on Wednesday, July 25th. The medical research company reported $2.75 earnings per share for the quarter, topping the consensus estimate of $2.63 by $0.12. The firm had revenue of $6.08 billion for the quarter, compared to analyst estimates of $5.90 billion. Thermo Fisher Scientific had a net margin of 10.36% and a return on equity of 16.28%. Thermo Fisher Scientific's quarterly revenue was up 21.8% on a year-over-year basis. During the same quarter in the prior year, the business earned $2.30 earnings per share. sell-side analysts predict that Thermo Fisher Scientific Inc. will post 10.98 earnings per share for the current fiscal year. +The company also recently announced a quarterly dividend, which will be paid on Monday, October 15th. Shareholders of record on Monday, September 17th will be given a $0.17 dividend. This represents a $0.68 annualized dividend and a yield of 0.29%. The ex-dividend date of this dividend is Friday, September 14th. Thermo Fisher Scientific's dividend payout ratio (DPR) is 7.17%. +Several equities research analysts recently weighed in on TMO shares. Morgan Stanley increased their price objective on shares of Thermo Fisher Scientific from $233.00 to $242.00 and gave the stock an "overweight" rating in a research note on Thursday, July 26th. Zacks Investment Research lowered shares of Thermo Fisher Scientific from a "buy" rating to a "hold" rating in a research note on Tuesday, August 7th. JPMorgan Chase & Co. reiterated an "overweight" rating and set a $300.00 price objective on shares of Thermo Fisher Scientific in a research note on Thursday, July 26th. Finally, ValuEngine lowered shares of Thermo Fisher Scientific from a "buy" rating to a "hold" rating in a research note on Wednesday, June 20th. Two research analysts have rated the stock with a hold rating and twelve have issued a buy rating to the stock. The stock has an average rating of "Buy" and an average price target of $239.08. +Thermo Fisher Scientific Profile +Thermo Fisher Scientific Inc provides analytical instruments, equipment, reagents and consumables, software, and services for research, manufacturing, analysis, discovery, and diagnostics under the Thermo Scientific, Applied Biosystems, Invitrogen, Fisher Scientific, and Unity Lab Services brands worldwide. +See Also: How Do You Make Money With Penny Stocks? +Want to see what other hedge funds are holding TMO? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Thermo Fisher Scientific Inc. (NYSE:TMO). Receive News & Ratings for Thermo Fisher Scientific Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Thermo Fisher Scientific and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test805.txt b/input/test/Test805.txt new file mode 100644 index 0000000..a809628 --- /dev/null +++ b/input/test/Test805.txt @@ -0,0 +1,6 @@ +From QUAKE GLOBAL, INC. Aug 17 2018 +Quake Global, Inc. (QUAKE), a leading provider of solutions to the global IoT market, announced the launch of their advanced telematics device, QConnect™. The Ultra-compact QConnect integrates with fixed and mobile assets for real-time tracking, monitoring and control anywhere, anytime. The device provides a variety of advanced, wireless communication options, including LTE/2G/3G, dual-band Wi-Fi, Bluetooth/BLE, V2X, and satellite. The device is designed to meet the demands of a wide variety of requirements from simple low-cost tracking applications to high-performance, multi-channel, video streaming applications. +Quake Global's new QConnect, the most intelligent, global, ultra-compact and rugged communication device available (Photo: Business Wire) +QConnect is flexible with unique apps and software options on an open source Linux platform. Control your vision with standard built-in security. Users can provision QConnect with a variety of standard configurable apps for specific applications. QConnect also provides advanced users the flexibility to create their own applications to suit their specific needs. Integrated Ethernet, CAN, RS232, and multiple GPIO channels enable a multitude of connectivity options at the machine or equipment level. Advanced features support driver authentication, predictive maintenance, real-time video processing, data collection, process and schedule synchronization, and alert automation. +QConnect provides worldwide terrestrial connectivity on LTE with 3G/2G fallback giving you the stability, confidence, and reliability to operate with complete global coverage. Concurrent, multi-constellation GNSS provides world-wide position information in the most extreme conditions. Internal and external battery backup options ensure your data will be securely saved. +"Quake Global is proud to introduce the QConnect line of products that specifically focus on large data capacity and flexible cloud integration. QConnect is loaded with a variety of different options, functions, and integration features that enable our customers to have flexibility, increase efficiency, and improve the productivity of their equipment for their users. The device was designed to accommodate the Logistics, Transportation, Heavy Equipment, Oil and Gas, Mining, Agriculture, and Fleet Management industries," stated James Miller, Vice President of Quake Global \ No newline at end of file diff --git a/input/test/Test806.txt b/input/test/Test806.txt new file mode 100644 index 0000000..7347666 --- /dev/null +++ b/input/test/Test806.txt @@ -0,0 +1,7 @@ +1:59 am +In this Feb. 9, 2017, photo Benjamin Smith, President, Passenger Airlines Air Canada, speaks before revealing the new Air Canada Boeing 787-8 Dreamliner at a hangar at the Toronto Pearson International Airport in Mississauga, Ontario. Air Canada's chief operating officer Smith has been named the new CEO of Air France-KLM. Smith will replace former Air France CEO Jean-Marc Janaillac, who quit more than three months ago when staff turned down his offer of a pay deal aimed at halting a wave of strikes. (Mark Blinch/The Canadian Press via AP) +PARIS (AP) — Unions at Air France-KLM voiced concern after the company appointed Benjamin Smith as the new CEO with the support of the French state. +The company said Thursday that Smith, who is 46 and was previously Air Canada's chief operating officer, will fill the role by Sept. 30. +Vincent Salles, unionist at CGT-Air France union, said on France Info radio that unions fear Smith's mission is to implement plans that would "deteriorate working conditions and wages." +The previous CEO, Jean-Marc Janaillac, resigned in May after Air France employees held 13 days of strike over pay and rejected the company's wage proposal, considered too low. +Finance Minister Bruno Le Maire welcomed an "opportunity" for Air France-KLM and expressed his confidence in Smith's ability to "re-establish social dialogue. \ No newline at end of file diff --git a/input/test/Test807.txt b/input/test/Test807.txt new file mode 100644 index 0000000..8669a22 --- /dev/null +++ b/input/test/Test807.txt @@ -0,0 +1,7 @@ +Macau Legend Development considers investments in São Tomé and Príncipe 17 August 2018 | China | Macau | São Tomé and Príncipe +Macau Legend Development Ltd. may invest in São Tomé and Príncipe, particularly in infrastructure, agriculture and tourism, company CEO David Chow Kam Fai said on Thursday in São Tomé. +Chow admitted this possibility at the end of separate hearings with Prime Minister Patrice Trovoada and with the Minister of Economy and Finance, Américo Ramos, to whom he expressed his interest in investing in the archipelago. +"We have received some government proposals to invest in the country and we will analyse them," said the Macau Legend Development CEO, referring to deepwater port construction projects valued at about US$800 million and modernisation of the airport estimated to cost over US$35 million. +"The government presented a plan for the airport and air transport and the deep-water port project as the country's priorities," said Chow, who added that these two projects are now being analysed. +Macau Legend Development's interest follows that of other Chinese companies that have expressed a similar intention to the Sao Tomean authorities following the resumption of diplomatic relations between China and São Tomé and Príncipe on 12 December 2016, replacing Taiwan. +Chow's company is investing about US$250 million in Praia, the capital of Cabo Verde (Cape Verde), in the construction of a tourist complex on Gamboa/Ilhéu de Santa Maria, which includes a hotel, marina with capacity for 20 to 30 recreational boats, a convention centre and casino \ No newline at end of file diff --git a/input/test/Test808.txt b/input/test/Test808.txt new file mode 100644 index 0000000..0524e67 --- /dev/null +++ b/input/test/Test808.txt @@ -0,0 +1,2 @@ +Electric car maker Tesla 's CEO Elon Musk admitted to The New York Times that stress is taking a heavy toll on him personally in what he calls an "excruciating" year. +The newspaper said Musk alternated between laughter and tears during the interview in which he said he was working up to 120 hours a week an \ No newline at end of file diff --git a/input/test/Test809.txt b/input/test/Test809.txt new file mode 100644 index 0000000..e8392c4 --- /dev/null +++ b/input/test/Test809.txt @@ -0,0 +1,40 @@ +Profile: A Chinese entrepreneur's work towards a better potato 0 2018-08-17 13:53 By: Xinhua +SHIJIAZHUANG, Aug. 16 (Xinhua) -- After over 30 years of hard work in the potato industry, Wang Dengshe has risen from an entry-level researcher to the CEO of one of the leading potato companies in the country, yet he still spends most his time in the field or the laboratory. +"I felt like it was my destiny to enter the potato industry," 55-year-old Wang said, "I knew from the very beginning that innovation will always be the core of the job." +Wang graduated from a technical school in 1981, three years after the country's reform and opening up drive began. Agricultural research institutes were looking for some young talent and Wang took a job as a researcher instead of returning to his hometown to become a farmer. +Wang now has a potato company with an annual revenue of about 800 million yuan (116 million U.S. dollars). "None of this would have been possible without the new policies and great timing of that era," he said. +After three years of researching soils and fertilizers, Wang joined the potato research team. +Working at the research institute, Wang learned about planting potatoes and developing new varieties, and the importance of converting the achievements of scientific research into productivity. +SUPPLYING MCDONALD'S +It wasn't until the late 1980s that foreign food chains began to enter the Chinese market. In 1990, the first McDonald's franchise opened in the southern coastal city of Shenzhen, and two years later, the fast-food chain came to downtown Beijing. +Burgers and French fries were welcomed by Chinese people, but few know the story behind the potatoes the company used. +"We didn't grow the right kind of potato that McDonald's required back then," said Wang, "Their foreign potato seeds couldn't grow in China." +As the country with the largest potato output, China had to import about 50,000 tonnes of potatoes to meet the needs of McDonald's. +We were focusing on developing high-yield and disease-resistant potatoes, the quality and shape of the local potatoes were far behind the standard required to make frozen fries, Wang recalled. +In 1982, McDonald's sent a team to China to find the right potato and the following year sent U.S. potato experts who tried to plant new potato varieties, including "shepody," the most popular potato used for French fries in North America. +This was the first time Wang worked with foreigners. He was surprised, and at the same time inspired, by their advanced technologies and ideas. "I wanted to work on a bigger scale," he said. +In 1995, Wang left his secure job and joined the Beijing Office of J.R. Simplot, the supplier of MacDonald's fries. He saw foreign experts come and go, and at the end of the 1990s, the plan to plant shepody potatoes in China was almost suspended. +"There was a gap between the foreign advanced ideas and the Chinese reality. Some of the equipment and the components that foreign experts wanted were almost impossible to find back then," Wang said. +Wang observed and learned, and decided to try planting shepody potatoes by himself. +"With some innovation and adjustment, I believed I could bring the idea and reality together, and make it happen," said Wang. In 1999, he led a team of researchers from the agricultural science research institute he previously worked for and started his own experiments. +After four years, Wang finally found the way to establish shepody down in China. J.R. Simplot was thrilled, and Wang's name became well-known in the industry. +DREAM BIGGER +Wang's potato dream didn't stop there. +"The industry was expanding. I wanted to go out and do more," Wang said, "I will always be grateful to J.R. Simplot. It broadened my horizons and let me know that I can achieve more." +At the beginning of 2007, with a start-up fund of 10 million yuan, Wang and a few friends set up their company, Snow Valley Agricultural Development Co., Ltd., in Zhangjiakou, Hebei Province, a leading potato planting, production, and processing base. +Over the last decade, the company grew from a small potato supplier with only a couple of employees and revenue of less than 10,000 yuan, to an industry giant with an annual revenue close to 800 million yuan. +Wang continued his pursuit of innovation over the years. Since 2008, his company has developed 28 new potato varieties. They spent 120 million yuan to build a potato research center last year, the first such center opened by a Chinese company. +More foreign capital and products flowed into China after the country joined the WTO in 2011. This brought both challenges and opportunities and the domestic potato industry was forced to grow faster, Wang recalled. +In 2014, Snow Valley partnered up with Aviko, one of the four largest potato processors in the world. New processing lines were opened with a total investment of more than 600 million yuan from both sides. +The company can turn a raw potato into a box of semi-finished French fries in just about an hour. About 7.5 tonnes of potatoes are washed, peeled, cut, and fried every minute. +The Ministry of Agriculture said in early 2016 that the country will further boost potato production to make the tuber one of the nation's staple foods. By 2020, China will have more than 6.67 million hectares of potato planting areas, 30 percent of which can be processed into staple food. +"Promoting potatoes as a staple food has made our customers realize the importance of the potato and the rich nutrition it contains. It's good for the whole industry," Wang said. "Once again we have enjoyed the benefits of the latest government policy." +GIVING BACK +Growing up in an ordinary family in Zhangbei county, Wang never forgot where he came from. No matter how much money he earned and how big his business grew, he always likes to call himself a farmer. +"I have tried to help local farmers as much as they helped me," said Wang. +Villagers living in the Chabei area changed as Snow Valley grew. The company has been hiring local farmers to grow potatoes since its establishment. They taught the farmers harvesting techniques and supplied them with seeds and equipment, and offered to pay the rent for the lands they manage. More than 700 locals have been employed by the company, and another 4,000 are hired during the harvest season. +Meanwhile, Snow Valley has built potato planting bases in several impoverished counties in Hebei Province and the north Inner Mongolia Autonomous Region, providing a stable income for more than 20,000 households living under the poverty line, the company said. +"I've been successful by following the industry trends and the government's policies, " Wang said. "But we need to stay vigilant at all times." +China is the world's largest potato producer with a planting area of around 5.6 million hectares, one quarter of the world's total, but we do not receive the market shares equal to our output, Wang said. +Wang is determined to keep expanding and strengthening his business in the domestic market over the next few years and is ready to tackle the overseas market. +"I believe there's much more we can do," Wang said. [ Editor: Zhang Zhou ] Share or comment on this article More From Guangming Onlin \ No newline at end of file diff --git a/input/test/Test81.txt b/input/test/Test81.txt new file mode 100644 index 0000000..7a72f2d --- /dev/null +++ b/input/test/Test81.txt @@ -0,0 +1,12 @@ +Tweet +Alps Advisors Inc. cut its position in shares of SunTrust Banks, Inc. (NYSE:STI) by 18.1% during the second quarter, according to its most recent Form 13F filing with the Securities and Exchange Commission (SEC). The firm owned 17,665 shares of the financial services provider's stock after selling 3,901 shares during the period. Alps Advisors Inc.'s holdings in SunTrust Banks were worth $1,141,000 at the end of the most recent quarter. +A number of other hedge funds have also recently modified their holdings of STI. BlackRock Inc. raised its stake in shares of SunTrust Banks by 2.1% in the 1st quarter. BlackRock Inc. now owns 45,528,440 shares of the financial services provider's stock valued at $3,097,755,000 after acquiring an additional 951,652 shares during the period. LSV Asset Management raised its stake in shares of SunTrust Banks by 1.3% in the 1st quarter. LSV Asset Management now owns 6,450,022 shares of the financial services provider's stock valued at $438,859,000 after acquiring an additional 82,600 shares during the period. OppenheimerFunds Inc. raised its stake in shares of SunTrust Banks by 31.0% in the 1st quarter. OppenheimerFunds Inc. now owns 4,240,997 shares of the financial services provider's stock valued at $288,557,000 after acquiring an additional 1,002,395 shares during the period. Bank of Montreal Can raised its stake in shares of SunTrust Banks by 169.8% in the 2nd quarter. Bank of Montreal Can now owns 4,117,886 shares of the financial services provider's stock valued at $271,863,000 after acquiring an additional 2,591,748 shares during the period. Finally, Massachusetts Financial Services Co. MA raised its stake in shares of SunTrust Banks by 0.3% in the 2nd quarter. Massachusetts Financial Services Co. MA now owns 1,766,896 shares of the financial services provider's stock valued at $116,650,000 after acquiring an additional 4,838 shares during the period. 84.93% of the stock is currently owned by institutional investors. Get SunTrust Banks alerts: +NYSE STI opened at $73.55 on Friday. The company has a quick ratio of 0.92, a current ratio of 0.94 and a debt-to-equity ratio of 0.54. SunTrust Banks, Inc. has a 52 week low of $51.96 and a 52 week high of $74.04. The company has a market cap of $33.15 billion, a price-to-earnings ratio of 18.21, a PEG ratio of 0.97 and a beta of 1.31. SunTrust Banks (NYSE:STI) last posted its quarterly earnings results on Friday, July 20th. The financial services provider reported $1.49 EPS for the quarter, topping the consensus estimate of $1.30 by $0.19. SunTrust Banks had a net margin of 26.41% and a return on equity of 10.94%. The company had revenue of $2.32 billion during the quarter, compared to analysts' expectations of $2.33 billion. During the same quarter in the previous year, the business posted $1.03 EPS. The firm's revenue was up 3.9% on a year-over-year basis. research analysts expect that SunTrust Banks, Inc. will post 5.61 EPS for the current fiscal year. +SunTrust Banks declared that its board has approved a stock repurchase program on Thursday, June 28th that permits the company to buyback $2.00 billion in shares. This buyback authorization permits the financial services provider to reacquire up to 6.6% of its stock through open market purchases. Stock buyback programs are often a sign that the company's leadership believes its stock is undervalued. +The company also recently declared a quarterly dividend, which will be paid on Monday, September 17th. Shareholders of record on Friday, August 31st will be issued a dividend of $0.50 per share. This represents a $2.00 annualized dividend and a yield of 2.72%. The ex-dividend date is Thursday, August 30th. This is a boost from SunTrust Banks's previous quarterly dividend of $0.40. SunTrust Banks's payout ratio is 39.60%. +In other SunTrust Banks news, EVP Jorge Arrieta sold 2,500 shares of the business's stock in a transaction that occurred on Tuesday, August 14th. The shares were sold at an average price of $73.13, for a total transaction of $182,825.00. Following the completion of the transaction, the executive vice president now owns 6,148 shares in the company, valued at approximately $449,603.24. The transaction was disclosed in a document filed with the Securities & Exchange Commission, which is available at this hyperlink . Also, COO Hugh S. Cummins III sold 11,000 shares of the business's stock in a transaction that occurred on Monday, May 21st. The stock was sold at an average price of $69.00, for a total transaction of $759,000.00. Following the transaction, the chief operating officer now owns 40,198 shares of the company's stock, valued at approximately $2,773,662. The disclosure for this sale can be found here . Insiders own 0.52% of the company's stock. +A number of research firms have recently issued reports on STI. Morgan Stanley boosted their price target on shares of SunTrust Banks from $80.00 to $86.00 and gave the company an "overweight" rating in a research note on Tuesday, July 24th. Ameriprise Financial raised shares of SunTrust Banks from a "neutral" rating to a "buy" rating in a research note on Monday, July 23rd. B. Riley raised shares of SunTrust Banks from a "neutral" rating to a "buy" rating and boosted their price target for the company from $70.00 to $81.00 in a research note on Monday, July 23rd. Piper Jaffray Companies reissued a "buy" rating and issued a $75.00 price target on shares of SunTrust Banks in a research note on Sunday, April 22nd. Finally, Macquarie downgraded shares of SunTrust Banks to an "underperform" rating in a research note on Monday, July 23rd. One research analyst has rated the stock with a sell rating, twelve have given a hold rating and fifteen have issued a buy rating to the stock. SunTrust Banks currently has a consensus rating of "Buy" and an average price target of $72.23. +SunTrust Banks Profile +SunTrust Banks, Inc operates as the holding company for SunTrust Bank that provides various financial services for consumers, businesses, corporations, and institutions in the United States. It operates through two segments, Consumer and Wholesale. The Consumer segment provides deposits and payments; home equity and personal credit lines; auto, student, and other lending products; credit cards; discount/online and full-service brokerage products; professional investment advisory products and services; and trust services, as well as family office solutions. +See Also: Marijuana Stocks +Want to see what other hedge funds are holding STI? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for SunTrust Banks, Inc. (NYSE:STI). Receive News & Ratings for SunTrust Banks Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for SunTrust Banks and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test810.txt b/input/test/Test810.txt new file mode 100644 index 0000000..457d2fc --- /dev/null +++ b/input/test/Test810.txt @@ -0,0 +1,2 @@ +Data Entry Looking for Data Entry of Market Survey Reports +A market survey is being conducted across 174 outlets of a fashion brand in India. The field force records its observations in a software tool. The dump from the software tool will be provided for text improvement and basic quality check. We need to finish data entry and quality check by 22nd of August, 2018. Offer to work on this job now! Bidding closes in 6 days Open - 6 days left Your bid for this job INR Set your budget and timeframe Outline your proposal Get paid for your work It's free to sign up and bid on jobs 15 freelancers are bidding on average ₹1160 for this job Greetings! Dear sir,I am fully proficient in these given skills:- (1) Lead Generation; (2) Email Marketing; (3) Data Entry; (4) Data Mining; (5) Web Researching; (6) Linkedin Researching; (7) MS Office; (8) PDF to Exce More ₹1300 INR in 1 day (12 Reviews) Dear Client: If you are in the searching of right FREELANCER for your project then you are at the RIGHT place. Welcome to MY Profile. Urgent Services of Data Entry Web Search Document Formatting Creating Exce More ₹1300 INR in 1 day (10 Reviews) AlieGhazanfar "Greetings! My name is Ali Ghazanfar and I am an expert in Data Entry. I would love to have the opportunity to discuss your project with you. I can do it right now and I will not stop until it's finished. Thank you More ₹1500 INR in 1 day (9 Reviews \ No newline at end of file diff --git a/input/test/Test811.txt b/input/test/Test811.txt new file mode 100644 index 0000000..60c6031 --- /dev/null +++ b/input/test/Test811.txt @@ -0,0 +1,52 @@ +Published: 11:35, 16 August 2018 | Updated: 16:20, 16 August 2018 +It's the day thousands of students have been looking forward to, and thousands more have been dreading - A-level results day. +Teenagers from across west Kent have been arriving at their schools this morning to find out how they've performed in recent exams. +Below, we take a look at how they got on. From Maidstone Grammar: Archie Danvers, Daniel Aujarg, Kristian Szwedziuk, Matthew Wheeler, Luke Stuart (3636011) +TOWN +Maidstone Grammar School +MGS enjoyed a huge improvement in results this year, with 55% of all exam entries graded A* to B - up 10% on the previous year. In total 193 students sat 568 exams and some 44 students achieved two A grades or better and 24 students achieved at least three A grades or better. Top scholars were Max Bauer, Jacob Gawel, Benedict King, Jamie Steel and Luke Stuart who all gained at least three A* grades. The good performance across the school means that many of the students have achieved their university offers. Headmaster Mark Tomkins said: "These very good results and the improvement from last year reflect the hard work of the students and staff at a time when there have been lots of changes to many A-level subjects." +Oakwood Park Grammar School +A third of the entire year group achieved A and A* grades, with a number of students securing places at some of the world's top educational institutions.Bruno Robinson and Alex Wainwright, both with 3A*s and an A, are taking up their places at Wadham College and St Catherine's College, Oxford University to study Maths and Engineering, while OPGS's Head Girl, Isabelle Pym, is off to demonstrate her famous debating skills as a Law student, having achieved 2A*, A and B. Headteacher Kevin Moody said: "The fact that nearly 60% of our students achieved grades from A* to B is testimony both to our students' ambition and the extensive support we give our sixth formers as they move from Year 12 to 13." We are proud of their achievements, especially in the face of the introduction of the new A Level courses." Caitlin Graham from Lenham School with Mrs Feldwick, the head of VI form) and Georgia Mulley (3638333) +The Lenham School +The Lenham School boasted 100% pass rate at Distinction to Merit in its set of level 3 BTEC results this year, with all students securing their first choice destinations at university or in apprenticeships. Notable high performers were Caitlin Graham, with three Distinctions, who will be going on to study Physiotherapy at Christchurch Canterbury University and Matthew Underdown (Distinction, Distinction, Merit) who will be starting an apprenticeship at the NHS to train as a Healthcare Scientist. Head of School Chris Foreman said: "I am proud of the achievements of our students and wish them well in the next stages of their careers. The fact that all of our students were able to progress to their chosen destinations is a reflection of the dedication and hard work displayed by both students and teachers". +St Simon Stock +Jon Malone, vice principal, said: "The students have done really really well this year, with some outstanding individuals. One boy, Aidan, scored three A*s and an A. He will be going to Warwick to do Physics. Another had three A*s and is going to Surrey to do business management. There are lots of very happy students here today." Students at St Simon Stock in Maidstone (3635350) +The Maplesden Noakes School +Headteacher Richard Owen hailed another year of "amazing" results at Maplesden Noakes, as the school boasted a 97% pass rate with 71% of students picking up A* to C grades and 22% A* to As. Among those celebrating success this year was head girl Beth Elliott who is going to Queen Mary's to study Film Studies after getting two A grades and a B, Sammi Ta who got an A*, A and a B, and will study Biomedical Science at Warwick University, and Brooke Ellis who picked up A*, A, B and is taking on an apprenticeship. Mr Owen added: "We are so pleased that all the hard work has paid off. We are extremely proud of all our students and our staff as our results are fantastic." +Invicta Grammar School +Invicta achieved outstanding A-level results yet again this year. 73% of all grade were A*, A or B, nearly 200 of these being A* and A. The head teacher, Julie Derrick, is "extremely proud and excited about the wonderful futures for the students...More Invicta students than ever before will head off to the best universities; continuing the exciting journey that they started seven years ago". Russell Group university place confirmations were of course, in great multitude this morning at Invicta, with girls off to the likes of Cambridge, King's and Nottingham. Among the highest achieving pupils were Bryony Jenner, Sophie Scott and Hannah Stanley, who all came out with 3 A*s. Hannah said how there was "no way" she expected to get such fantastic results and has now confirmed her place at Surrey to do Veterinary Science, which is her dream. Outstanding pupils at Invicta Grammar School (3637105) +Maidstone Grammar School for Girls +It was a good year at MGGS with 82% of passes for the 165 students who took A-levels at A* to C. Five percent of all results were at the top A*. +Head teacher Deborah Stanley said: "It's been a very positive year. Most of our students have got into the universities they wanted. We have some going to Cambridge, some doing medicine. Some students have overcome some real difficulties in this last year, including some who lost their parents, so all credit to them for the hard work they still put in and their achievements today." +Sutton Valence School +With an overall pass rate in excess of 98%, and a quarter of students achieving two or more A* to A grades, it was another successful year for Sutton Valence School. A* to C grades were up by 4.5%, with students out-performing their predicted results by an average of half a grade. There were a number of exceptional performances including Marta Chronowska (three A*s and two A grades), Francesca Ash (two A* and two A grades), Ellie Agu Benson (one A* and four A grades), Faber Swaine (one A* and two A grades), Archie Averill (three A grades) and Marco Hu (three A grades). Headmaster Bruce Grindlay said: "As A-level examinations become increasingly more challenging, we are delighted that the percentage of top grades achieved by our students has, once again, increased this year. We welcome a broad ability cohort to the school and are immensely proud to consistently add so much academic value to our students." Back row: Katie Gunner, Steph Gunner, Jenna Roper, Brooke Palmer, Bronwyn Curran; front row: Lucy Fitzsimmons, Charlotte Filmer and Safia Rassool, from MGGS (3636072) +Valley Park +Valley Park School celebrates a record-breaking 80% A*-C grades for this year's A-level results. Some particularly outstanding students were Charlotte Barnes, Fiona Wilmington and Megan Warren, who all achieved an A and two Bs and are heading off to university at the end of the summer. Megan described feeling "so happy- I nearly cried. I was a bit scared, you always have that doubt in your head." Additionally, many students who studied vocational subjects such as Drama and Music also excelled. Megan Lakin achieved exceptional results which have allowed her to secure a place on the Southampton Solent Drama and Performance course. Megan told us how nervous she was before she opened the envelope- "my stomach was doing flips but now I've got my results I know that it was all definitely worth the stress." As well as university offers, several pupils have secured apprenticeships due to their results. Katie Griffin from Bearsted will begin a degree apprenticeship with Barclays in September following her outstanding results of two As and a Distinction. Vic Ashdown, the Executive Head Teacher of the school, said he is "ecstatic", adding: "We track our pupils' progress very closely so they delivered exactly what we thought they would. We expected to see a significant increase from last year's A-level results and the students delivered this." +MALLING +The Judd School +More than a quarter of Judd's results were graded A*, repeating last year's success, while 85% of grades were A* - B for the third successive year. A total of 15 students achieved straight A*s or equivalent, namely Tobias Chatfield; Oliver Crowe; Sam Dixon; Elodie Harbourne; Tom Hayward; Mateo Hoare; Elizabeth Hopkins; Olivia Kehoe; Isaac Murphy; Edith Ranson; Rohan Shiatis; James Smith; Daniel Starkey; Gabriel Swallow and Joe Wheeler. Additionally, Ollie Baker; Joshua Evans; Adam Fidler; Stephen Lidbetter; Peter Mathieson; Oli Prendergast and Vishrut Pundir all achieved at least three A*s. Headteacher Jon Wood said: "I am delighted for our students who have yet again achieved outstanding results. The hard work and determination that has been evident throughout their time at the school has reaped this reward. They have been a fantastic set of students, showing maturity and good spirit at all times. I knew that this bunch would not disappoint in my first year of results as Headteacher. Thanks too to the staff of the school who have helped make this possible in the toughest of times in education. I wish the class of 2018 a fond farewell as they embark on the next stage in their education and careers." Students at Sutton Valence School (3634314) +Aylesford School - Sports College +Aylesford School is no longer doing A-levels having switched to the IB Careers Pathway. The first results under the new system will come out next year. In the meantime a number of students collected BTEC or OCR diplomas in vocational courses that are the equivalent of A-levels. Head teacher Tanya Kelvie said: "It's another successful year of record results. Some 59% of students achieved A* or A grades or their equivalent, and 98% got A* to B grades - this is phenomenal considering the greater emphasis on final examinations rather than coursework." Miss Kelvie said: "We have a significant number going to university and we have also been thrilled to see an increase in the number of students successfully gaining apprenticeships. Almost 30% of our students are starting apprenticeships at excellent companies such as Redrow, Waterloo and Magnus Search." +The Hayesbrook School, Tonbridge +With a 100% pass rate in Business Studies, ICT and Sport Science, it was another successful year for the Hayesbrook, where students also excelled in Geography and Maths. Students have secured places at a number of universities in the UK as well as the Briar Cliff University in Iowa, USA. OVerall grades indicate that 57% were A*-C grades, and an impressive 32% were A*, A or B. Amongst the stand-out individuals was George Vasileiadis, who picked up a total of five A grades including Advanced Subsidiary Further Maths and Biology and Dominic Winslade who picked up three Distinctions and a C grade. Principal Daniel Hatley said: "At Hayesbrook we are always focused on ensuring students access the career or university of their choice and I am so pleased that so many of them will be moving on to this and that their time at Hayesbrook has helped them to secure such bright futures. This year's outcomes are even more pleasing given the revised assessment model in many courses which aimed to ensure greater rigour and challenge. The results are also a testament to the hard work and dedication of the staff at The Hayesbrook School as well as the support of our students' families. We are extremely pleased for them all and look forward to hearing about their continued successes as they leave us to start the next stage of their lives." Lucy Boorman, Jack Perman, Kiera Robbins, Chloe Jarrett and Phoebe Lowe with the their clutch of diplomas at Aylesford School (3636091) +Tonbridge School +Tonbridge School once more achieved an extremely strong set of A-level results, with nearly two-thirds of all grades being A* or A, or their Pre-U equivalent. This was the school's second year of offering 'Pre-U', which is an alternative to A-level, recognised by and developed in conjunction with universities, which develops in-depth subject knowledge, research skills and independent thinking. The Pre-U at Tonbridge now covers six subjects. Headmaster Tim Haynes said: "Congratulations to the boys, their parents and all our staff for their efforts in achieving these outstanding results." +Hillview school for Girls +A number of students exceeded expectations at Hillview this year across a broad range of subjects, including 100% of those taking Childcare achieving A* or A grades. The school highlighted Silvie Jones, Chloe Devall, Eliza Gomersall, Izzy Woodward, Kat Cashman, Samuel Healey, Holly Owen, and Chloe Cooper among its stand-out performers, with all of its students moving onto a positive destination in employment, apprenticeships, further or higher education. Headteacher Hilary Burkett said: "Yet again our Hillview students have done themselves proud and have achieved some wonderful results; following some real hard work over the past two years. A huge congratulations to all of our students and thanks to the teachers and staff at Hillview for their dedication and to our parents for their support." Ruby Brooks from West Kent College (3642460) +West Kent College +A total of 62 students sat A-Levels at West Kent College, with an overall pass rate of 96% - up 3.1% on last year. Three quarters of subjects achieved a 100% pass rate, while five subjects achieved 75% A*-C or better. The percentage of A*-C grades achieved was 62%. Ruby Brooks, who achieved an A*, A and a B, said: "I'm really happy; I got better grades than I expected and I beat my brother, which I'm thrilled about. I'll be going to study Law at Nottingham Trent." Kelly Bennett, Head of A-Levels, said: "We're delighted with the fantastic set of results our students have achieved this year. We are very proud of all their achievements, with a number of them achieving beyond their expectations. The results are testament to the hard work of both students and staff, who I'd like to thank for all their efforts in attaining these excellent results. We wish all our students every success for the future." +WEALD +Kent College Pembury +Kent College celebrated another set of successful A-level results, with a 100% pass rate and nearly 20% of grades awarded the top A* mark. Among the success stories was Annabel Guye-Johnson, who achieved an A* in PE, an A for her EPQ and two B grades in Biology and Psychology, whilst balancing her swimming commitments in the Olympic training programme and recently breaking three regional records in the British Swimming Championships. She said: "I have managed to balance my swimming dreams alongside my studies because of the support my teachers and friends have given me. KC will always mean a lot to me, and to my mum and Grandmother who also came here. I am so excited about studying Sport and Recreational Management in Edinburgh." Meanwhile, Tara Davis boasted three As and an A*, Marie Srotyr achieved two A* grades, an A and a B and Abigail Evans is off to Leeds University to study Economics after getting two A*s and two As. Annabel Guye-Johnson and Kent College head Julie Lodrick (3636490) +Tunbridge Wells Girls Grammar School +Assistant head Richard Smith said: "We are exceptionally proud of our pupils who have achieved incredible results in a very challenging year, given the move to linear A-levels. They have worked incredibly hard and fully deserve the tremendous grades they gave attained." The school had a total of 138 pupils taking exams, with 94.5% achieving A* to C grades. Some 44 pupils attained three A grades or better, with 40 getting one A*, 14 achieving two A* grades and six boasting three separate A* grades. +High Weald Academy, Cranbrook +Every student leaving the school this year was celebrating securing their chosen destination - whether that be to a university, apprenticeship or straight into employment. Particular highlights for this year include the cohort of students who studied for the Maths in Context A-level with 50% of the class exceeding their target grades. The majority of students who followed a Level 3 Applied Science course also either achieved or exceeded their predicted grades. Individual recognition went to Aoife Cooper, Callum Rhodes and George Saunders. Co-Principals Caroline Longhurst and Nic Taylor said: "We are very proud of the commitment and hard work which sit behind each of the grades our students have achieved and we wish them every success in their futures which we are certain will be bright." Olivia Dean, Chloe Henshaw and Isabella Lynn from Cranbrook School are off to Cambridge (3642514) +Bethany School Goudhurst +It was another successful year with a host of students finishing the school's range of 26 A-level courses with offers of employment and places at some of the country's best universities. Head of school, master craftsman and Young Furniture Maker of the Year, Sean Evelegh, will be undertaking further specialist study at Rycotewood Furniture Centre in Oxford, while Sharon Umahi will be going to University College London to study Pharmacy and Will Cunningham will study Civil Engineering at the University of Surrey. Headmaster, Francie Healy, said: "What matters most to us is that every individual pupil achieves their full potential, and to see so many pupils not just meeting their predictions but achieving excellence is fantastic. Thanks are also due to the inspirational teachers and supportive parents who have helped bring out the very best in our pupils." +Cranbrook School +With a 99% pass rate, including 62% of grades being A* to B, students at Cranbrook School enjoyed another strong performance. Staff celebrated some standout performances in Geography, English Literature, Classics, Maths, Drama and Languages, all of which achieved 70% or more A*-B grades. Three students achieved three straight A* grades and 19 students gained three straight A grades or better, including Olivia Dean, Chloe Henshaw and Isabella Lynn who are all off to Cambridge to study subjects including Modern Languages and History. Benenden School's Wendy Zhang, who picked up five A* grades (3641623) +Skinners School, Tunbridge Wells +With over 93% of grades at A*- C, some 118 A-level students at Skinners' enjoyed receiving their results. Although the A* seems to have been harder to get hold of (10% this year), nearly all students have nevertheless achieved their ambitions of places at Russell Group universities. Among the stand-out performers were Will Hardwick, who is off to read International Relations at the University of York while Syimyk Kyshtoobaev, whose family arrived in the UK from Kyrgyzstan in 1999, is departing for Yale in the USA. Headmaster Edward Wesson said: "These students have demonstrated considerable resilience in coping with the reformed A levels, and have come through with great results. They deserve our congratulations for their hard work and dedication, as indeed do all teachers here." +Benenden School +With 31% of grades picked up being A* - up from 26% last year - it was another successful results day for students at Benenden School. The proportion of grades at A* to A also increased to 62% while almost a third of the year group achieved nothing less than an A grade. The school's top performer was Wendy Zhang, who picked up an incredible five A* grades, allowing her to read Natural Sciences at Cambridge. Her success was made even more remarkable by the fact she was almost late for her Physics exam, but still came away with some of the highest marks. She said: "I got to my desk just in time and was really unsettled throughout it, so I was really happy when I saw my Physics result." Five other girls achieved four A* grades each and eight more earned at least three A* grades. Headmistress Samantha Price added: "Once again Benenden girls have not only achieved academic outcomes that they can be very proud of but they also leave us fully prepared for the next exciting phase of their lives as they head to higher education, having developed a vast array of practical skills through opportunities including our Professional Skills Programme in the Sixth Form, to say nothing of the friendships and independence they have developed being in a boarding environment." Join the debate.. \ No newline at end of file diff --git a/input/test/Test812.txt b/input/test/Test812.txt new file mode 100644 index 0000000..f060d2b --- /dev/null +++ b/input/test/Test812.txt @@ -0,0 +1,5 @@ +Kinesis Aims to Bring the Gold Standard of Currencies into Cryptocurrency Home » News » Kinesis Aims to Bring the Gold Standard of Currencies into Cryptocurrency +Kinesis aims to bring the gold standard of a monetary system onto the blockchain. Kinesis is a yield-bearing digital currency backed 1 to 1 in gold and silver. The vision for Kinesis is to deliver an evolutionary step beyond any monetary and banking system available today. +Kinesis is in its pre-sale ITO (initial token offering) and has already sold in excess of $15M tokens to date. Investors receive an allocation of 20% of fees collected in the network and interested individuals can visit the Kinesis website or proceed with an application here : +This content will be accelerated and curated in partnership with New York based Blockchain Venture Accelerator Etheralabs, whose mission is to accelerate companies and drive engagement to ideas that they believe will truly change the world. Etheralabs lays the foundation for promising IP by investing in, building and deploying disruptive technologies across the Blockchain Ecosystem. Their acceleration model is a highly relevant intelligence platform of people, networks, artificial intelligence and code with over 30 years of experience, over $200M in investment and over 100 companies served. Etheralabs is led by CEO and founder, Bryan Feinberg, a licensed investment banker holding series 7, 63 & 79 FINRA license designations. +For more information about Etheralabs, contact its CEO, Bryan Feinberg at zephyr@etheralabs.io Share this \ No newline at end of file diff --git a/input/test/Test813.txt b/input/test/Test813.txt new file mode 100644 index 0000000..655b2d8 --- /dev/null +++ b/input/test/Test813.txt @@ -0,0 +1,11 @@ +American Axle & Manufact. Holdings, Inc. (AXL) Shares Bought by AT Bancorp Anthony Miller | Aug 17th, 2018 +AT Bancorp increased its holdings in shares of American Axle & Manufact. Holdings, Inc. (NYSE:AXL) by 99.0% during the 2nd quarter, according to the company in its most recent 13F filing with the Securities and Exchange Commission (SEC). The fund owned 290,192 shares of the auto parts company's stock after buying an additional 144,343 shares during the quarter. American Axle & Manufact. accounts for about 0.5% of AT Bancorp's portfolio, making the stock its 22nd largest position. AT Bancorp's holdings in American Axle & Manufact. were worth $4,516,000 as of its most recent SEC filing. +A number of other hedge funds have also made changes to their positions in AXL. Advisors Preferred LLC grew its stake in American Axle & Manufact. by 465.8% during the 2nd quarter. Advisors Preferred LLC now owns 10,738 shares of the auto parts company's stock valued at $167,000 after purchasing an additional 8,840 shares during the last quarter. Brave Asset Management Inc. purchased a new stake in American Axle & Manufact. during the 2nd quarter valued at about $170,000. Point72 Asia Hong Kong Ltd grew its stake in American Axle & Manufact. by 7,105.7% during the 1st quarter. Point72 Asia Hong Kong Ltd now owns 11,457 shares of the auto parts company's stock valued at $174,000 after purchasing an additional 11,298 shares during the last quarter. Element Capital Management LLC purchased a new stake in American Axle & Manufact. during the 1st quarter valued at about $181,000. Finally, Engineers Gate Manager LP purchased a new stake in American Axle & Manufact. during the 2nd quarter valued at about $190,000. Get American Axle & Manufact. alerts: +Several analysts have weighed in on the company. ValuEngine upgraded American Axle & Manufact. from a "sell" rating to a "hold" rating in a research note on Monday, July 30th. Zacks Investment Research downgraded American Axle & Manufact. from a "buy" rating to a "hold" rating in a research note on Tuesday, May 8th. TheStreet upgraded American Axle & Manufact. from a "c+" rating to a "b-" rating in a research note on Wednesday, August 8th. Buckingham Research assumed coverage on American Axle & Manufact. in a research note on Friday, June 1st. They set a "neutral" rating and a $18.00 price target on the stock. Finally, Citigroup boosted their price target on American Axle & Manufact. to $20.00 and gave the company a "buy" rating in a research note on Tuesday, May 8th. Two analysts have rated the stock with a sell rating, five have given a hold rating and four have issued a buy rating to the company. The stock presently has an average rating of "Hold" and an average target price of $19.13. +American Axle & Manufact. stock opened at $16.69 on Friday. The company has a current ratio of 1.62, a quick ratio of 1.30 and a debt-to-equity ratio of 2.19. The stock has a market cap of $1.85 billion, a price-to-earnings ratio of 4.45, a PEG ratio of 0.53 and a beta of 1.37. American Axle & Manufact. Holdings, Inc. has a fifty-two week low of $13.38 and a fifty-two week high of $20.27. +American Axle & Manufact. (NYSE:AXL) last issued its quarterly earnings data on Friday, August 3rd. The auto parts company reported $1.23 earnings per share (EPS) for the quarter, beating the Thomson Reuters' consensus estimate of $1.09 by $0.14. The business had revenue of $1.90 billion during the quarter, compared to analysts' expectations of $1.83 billion. American Axle & Manufact. had a return on equity of 28.88% and a net margin of 6.00%. The company's revenue for the quarter was up 8.1% on a year-over-year basis. During the same quarter in the previous year, the firm posted $0.99 EPS. research analysts forecast that American Axle & Manufact. Holdings, Inc. will post 3.88 earnings per share for the current year. +In other news, insider Norman Willemse sold 9,700 shares of the business's stock in a transaction dated Thursday, May 31st. The stock was sold at an average price of $15.66, for a total value of $151,902.00. Following the completion of the transaction, the insider now owns 93,051 shares of the company's stock, valued at approximately $1,457,178.66. The sale was disclosed in a legal filing with the SEC, which is accessible through this link . Insiders own 1.10% of the company's stock. +About American Axle & Manufact. +American Axle & Manufacturing Holdings, Inc, together with its subsidiaries, designs, engineers, validates, and manufactures driveline, metal forming, powertrain, and casting products. The company's Driveline segment offers axles, driveshafts, power transfer units, rear drive modules, transfer cases, and electric and hybrid driveline products and systems for light trucks, sport utility vehicles, crossover vehicles, passenger cars, and commercial vehicles. +Further Reading: Short Selling Stocks, A Beginner's Guide +Want to see what other hedge funds are holding AXL? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for American Axle & Manufact. Holdings, Inc. (NYSE:AXL). Receive News & Ratings for American Axle & Manufact. Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for American Axle & Manufact. and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test814.txt b/input/test/Test814.txt new file mode 100644 index 0000000..6065e4c --- /dev/null +++ b/input/test/Test814.txt @@ -0,0 +1,12 @@ +Uganda to prioritize infrastructure financing at FOCAC Beijing summit 0 2018-08-17 13:39 By: Xinhua +KAMPALA, Aug. 16 (Xinhua) -- Uganda will focus on infrastructure financing when its delegation attends the Forum on China-Africa Cooperation (FOCAC) Beijing summit this September. +The country continues to prioritize infrastructure development in its partnership with China, David Bahati, minister of state for finance, planning and economic development told Xinhua in an interview on Thursday. +"We are looking at the financing terms of these projects, especially the requirement of counterpart funding. It would also be something that we need to talk about," Bahati said on the sidelines of the second annual Uganda-China Economic and Trade Cooperation Forum held here. +Speaking at the meeting that brought together Chinese enterprises, government officials and economists, Zheng Zhuqiang, Chinese ambassador to Uganda, said the upcoming FOCAC meeting will generate new opportunities for Uganda and Africa. +Uganda is now focusing on the construction of the Standard Gauge Railway (SGR) with help from China, President Yoweri Museveni said at the opening ceremony of the business meeting. +Once completed, the railway will cut domestic transport costs and thus bring down production costs, the president said. +China is already assisting the construction of two major hydropower plants, Karuma and Isimba, both critical for ensuring Uganda adequate power for industrialization, he added. +Uganda has 2.1 billion U.S. dollars alloted to infrastructure in the 2018/19 financial year, Monica Azuba Ntege, minister of works and transport said at the meeting. +Infrastructure development is one of the key factors making Uganda a competitive upper middle-income country by 2040, she said. +Albert Saltson, the CEO of Standard Chartered Bank Uganda, said commercial banks can arrange long-term financial solutions which can help the government get credit for infrastructure development. +China has been committed to partnership with African countries. At the 2015 FOCAC held in South Africa, China pledged a 60-billion-U.S.-dollar fund to fast track the development of Africa with industrialization and infrastructure topping the agenda. [ Editor: Zhang Zhou ] Share or comment on this article More From Guangming Onlin \ No newline at end of file diff --git a/input/test/Test815.txt b/input/test/Test815.txt new file mode 100644 index 0000000..ef11b33 --- /dev/null +++ b/input/test/Test815.txt @@ -0,0 +1,8 @@ +Tweet +BidaskClub downgraded shares of Willdan Group (NASDAQ:WLDN) from a hold rating to a sell rating in a research report released on Tuesday morning. +A number of other research firms have also issued reports on WLDN. ValuEngine lowered Willdan Group from a hold rating to a sell rating in a report on Friday, May 4th. Roth Capital initiated coverage on Willdan Group in a report on Friday, June 15th. They issued a buy rating and a $39.00 target price for the company. Finally, Zacks Investment Research lowered Willdan Group from a strong-buy rating to a hold rating in a report on Thursday, May 10th. One equities research analyst has rated the stock with a sell rating, two have assigned a hold rating and three have given a buy rating to the company's stock. Willdan Group currently has a consensus rating of Hold and a consensus price target of $35.50. Get Willdan Group alerts: +WLDN opened at $31.65 on Tuesday. The firm has a market capitalization of $285.40 million, a PE ratio of 26.82 and a beta of 0.89. Willdan Group has a 12-month low of $19.25 and a 12-month high of $33.75. The company has a quick ratio of 1.65, a current ratio of 1.65 and a debt-to-equity ratio of 0.03. Willdan Group (NASDAQ:WLDN) last released its earnings results on Thursday, August 2nd. The construction company reported $0.36 earnings per share (EPS) for the quarter, beating the Zacks' consensus estimate of $0.35 by $0.01. The company had revenue of $59.83 million during the quarter. Willdan Group had a return on equity of 14.25% and a net margin of 4.72%. sell-side analysts anticipate that Willdan Group will post 1.6 EPS for the current fiscal year. +In other news, President Michael A. Bieber sold 4,000 shares of the stock in a transaction on Wednesday, May 23rd. The stock was sold at an average price of $26.99, for a total value of $107,960.00. The transaction was disclosed in a document filed with the Securities & Exchange Commission, which is available at this hyperlink . Also, SVP Paul Milton Whitelaw sold 4,709 shares of the stock in a transaction on Wednesday, May 23rd. The shares were sold at an average price of $27.18, for a total value of $127,990.62. The disclosure for this sale can be found here . 11.50% of the stock is owned by corporate insiders. +Large investors have recently made changes to their positions in the stock. Bank of Montreal Can raised its holdings in shares of Willdan Group by 66.4% during the second quarter. Bank of Montreal Can now owns 6,119 shares of the construction company's stock worth $191,000 after acquiring an additional 2,441 shares in the last quarter. Rhumbline Advisers purchased a new stake in shares of Willdan Group during the second quarter worth $232,000. Millennium Management LLC purchased a new stake in shares of Willdan Group during the fourth quarter worth $235,000. Victory Capital Management Inc. purchased a new stake in shares of Willdan Group during the first quarter worth $256,000. Finally, Trexquant Investment LP purchased a new stake in shares of Willdan Group during the first quarter worth $286,000. Institutional investors and hedge funds own 64.47% of the company's stock. +About Willdan Group +Willdan Group, Inc, together with its subsidiaries, provides professional technical and consulting services to utilities, private industry, and public agencies at various levels of government primarily in the Unites States. It operates through four segments: Energy Efficiency Services, Engineering Services, Public Finance Services, and Homeland Security Services \ No newline at end of file diff --git a/input/test/Test816.txt b/input/test/Test816.txt new file mode 100644 index 0000000..28a89f0 --- /dev/null +++ b/input/test/Test816.txt @@ -0,0 +1,28 @@ +Pin +While imported chocolate and sweets lined supermarket aisles in Ghana this past holiday season, there is a quiet, sweet revolution bubbling away in this country known for its cocoa. +Ghana is the second-largest supplier of cocoa to the global market—cocoa beans from Ghana make up about 25 percent of the global supply. The country is widely known for its cocoa beans, but not its chocolate. +There has been a local brand available for the past few decades, but it's far from what American or European supermarket shelves will typically carry. It's harder and grittier, sold throughout Ghana, often by hawkers making the most of traffic jams. +But tastes are changing in Ghana—there is a rising middle class and a large foreign community. While sweets might not be as popular as they are in the west, imports show they are growing in popularity, as does increasing availability at supermarkets. +Statistics from 2014 to 2016 show Ghana imports are between US$2.23 million and US$8.06 million worth of chocolate a year, but exports between US$1 billion and $US2 billion of cocoa beans a year. +When it comes to exports, according to government figures , Ghana and neighboring Côte d'Ivoire account for about 60 percent of the world's output of cocoa. Despite this, the two countries jointly commanded revenue of about US$5.75 billion in 2015. This measures against a global market value of US$100 billion for chocolate in 2015. +In October 2017, Ghana's President Nana Akufo-Addo said the trend "cannot, and should not continue." It is time to enter "different kinds of commercial interests," to see more processing and value-enhancing aspects of the development of the cocoa industry in Ghana, he said. +The government has been talking about the billion-dollar gap, but large-scale change has been slow-moving. Meanwhile, entrepreneurs have been processing, melting, flavoring, and branding Ghana's cocoa to make sure Ghanaians reap the rewards of cocoa—creating homegrown and homemade bean-to-bar chocolate products. +In 2014, Ghanaian sisters Kimberly and Priscilla Addison returned home after taking a chocolate factory tour in Switzerland. They started wondering why Ghana wasn't producing chocolate with its abundance of cocoa beans and were inspired to set up their boutique chocolate company, ' 57 Chocolates , in homage to Ghana's independence in 1957. They make chocolate engraved with visual symbols originally created by the Ashanti of Ghana. +'57 Chocolates officially launched in 2016, and since then the Addison sisters have been working on made-to-order chocolates, with plans to start retail sales in the new future. Their business is based in a pride for Ghana. +"It's important for us to be Africans in Africa, using our raw materials and adding value to them and processing them into finished goods, rather than exporting them in their raw form and importing them back into the country as a finished good. That's not right, it should not be that way," Kimberly explains. "We should be creating [from] what we have in this country." +Kimberly finds demand is increasing as more people hear about her and her sister, and more people want to support locally made products. +Other companies like '57 Chocolates are beginning to tap into this market. After moving home to Ghana from England three years ago, Ruth Amoah started making Moments Chocolate. With a background in startup support, she wanted to create a business adding value to a Ghanaian resource. +"I used to criticize Ghanaian chocolate all the time because it's so hard. Every time I bit, it was rigid. I would give it to my friends in England and no one would want it," Amoah says. "I decided to do something about it. Why can't we get chocolate that's like the European style?" +Amoah visited a cocoa farm in Ghana's Central region, bought a sack of cocoa, and started experimenting. Now, she has refined her recipe, and her products are in very high demand in the area. She has a retail space in an upmarket area of Accra but struggles to stock it. She says she receives a lot of customized and corporate orders, which keep her busy. Amoah also makes welcome-gift chocolates when heads of state visit Ghana. +According to Amoah, 2018 will see Moments scaling up, as demand for premium, quality products grows. +She makes chocolate bars, truffles, praline bars, and chocolate spreads, and she is working on cookies and premium popcorn. On average, Amoah makes 10,000 chocolate bars per month. In the near future, she hopes to create an interactive space in Ghana's capital city, Accra, where people can learn about chocolate and have a go at making their own. +While both '57 Chocolates and Moments are currently only working on a per-order basis, Niche Chocolates is available in supermarkets and fuel station shops through the country. After starting chocolate bar production in March 2016, their product received front-and-center placement in top supermarkets in Accra throughout 2017. Offered a few different flavors, customers like that the bars are creamy, smooth, and balanced. +However, they are not without challenges, Niche Cocoa Industry Limited Marketing Manager Akua Kwakwa says, citing the high and volatile cost of imported raw material needed such as milk and sugar. +Despite the challenges, Kwakwa believes it's important for Ghana to produce its own chocolate "to enjoy the benefit of value addition—both financially and in improving our sense of national pride." +Producing chocolate in Ghana will also create more employment opportunities, help bring foreign exchange into the country, and contribute to reducing the volatility of world market cocoa prices, Kwakwa says. +Niche exports via private label customers in Germany and Barbados, but the company is planning on more exports in 2018. +While '57 Chocolates, Moments, and Niche all supply bean-to-bar products to their local markets, Ghana's first commercial chocolate factory was established 27 years ago to purely export. +American Steve Wallace's factory just outside of Accra sees cocoa beans plucked from trees across the nation, turning into premium chocolate products which are then exported across the world. Wallace started Omahene in 1991 as the first commercial chocolate maker in Ghana, and perhaps the first brand in the world to offer bean to bar single origin chocolate. +While Omanhene has been around for 27 years, Wallace says he is not surprised others are also pushing bean-to-bar chocolate in Ghana. "Chocolate has an evocative story and it is an evocative product." +But Wallace has words of wisdom for those who are also wanting to push this "evocative product," and help plug that gap between what Ghana earns in selling cocoa and what the large corporations of the confectionary industry make. +"This is a labor of love. Any rational venture capitalist would have fired me years ago and closed what I do down," he says. "It took many, many years to get where we are. You do it because you really believe it's important." prin \ No newline at end of file diff --git a/input/test/Test817.txt b/input/test/Test817.txt new file mode 100644 index 0000000..fcf9485 --- /dev/null +++ b/input/test/Test817.txt @@ -0,0 +1,20 @@ +From prototype to production 17 August 2018 | Mike Farish +The use of additive manufacturing technologies has now moved passed their initial application area of just 'rapid prototyping' +While now seeing use in limited production roles, additive techniques are still being put to use in new and innovative ways as product development tools. One example is the Plastics 3D Printing Centre within Audi's Pre-Series Centre at Ingolstadt, Germany. This facility has been testing out the potential of the Stratasys J750 machine, specifically for the prototyping of tail light covers and as a result of its exploration of the machine's potential Audi has now decided to add one to its roster of additive technologies. "We successfully tested and used the J750, especially regarding printing of tail light covers in collaboration with Stratasys and suppliers," confirms Dr Tim Spiering, head of the 3D Printing Centre. +Reducing lead times In the case of the tail light covers the company expects the main benefit to be compressed development times. "We expect a reduction in lead time for producing tail light covers of up to 50% in comparison to traditional methods like milling or casting," Dr Spiering confirms. +The machine also offers the ability to experiment with different colours and Audi aims to make the most of that opportunity. "Our first area of application will be the production of prototypes for light models in various colours," states Dr Spiering. "We will specifically match shades of red and yellow colours as they are the commonly used colours for lighting applications." +As Dr Spiering explains one of the main challenges with previous prototyping techniques was that of effecting a workable compromise between the wish to experiment with different colour combinations and the labour-intensive assembly procedures entailed by the use of multi-coloured covers for the tail light housings. The individually coloured parts had to be assembled together to create the complete units as they could not be produced in one-piece. In contrast the new J750 machine will enable the production of entirely transparent, multi-coloured tail light covers in a single print, eliminating the need for the previous multi-stage process. Nor will there be any effective limitation on the company's ability to experiment as some 500,000 different colour combinations will be available to Audi's team. Dr Spiering notes that "due to the high printing resolution of the machine we expect especially grained parts in the interior to display a persuasive level of detail." +Just how great an impact this specific application will have on the company's overall development timescales is, though, a matter on which Dr Spiering remains guarded. "In general the reduction in lead time will allow us to create more design alternatives in a given time frame," he observes. "But since producing the tail light covers is only one step in the entire light design process we will have to evaluate the impact on this process after a longer time period." +Nevertheless, other material properties both in terms of their visual appearance and handling characteristics will also be exploited. Dr Spiering adds that "since we intend to use the machine for further application areas, standard modelling materials and especially flexible materials will be used on the machine for further prototyping applications besides tail light covers." +Multi-colour capability in the development process Interestingly the machine is an example of what Stratasys terms 'Poly-Jet' technology that is derived from commonplace ink-jet printing techniques and which it added to its portfolio when it acquired Israeli company Objet several years ago. In the case of Audi, the new machine will supplement others of the same type. "We expect the J750 to be a useful addition to other Poly-Jet machines in our portfolio further enabling us to make design decisions on interior and exterior elements," states Dr Spiering. But, Audi believes that the multi-colour capability will support not just styling-related decision-making but also 'harder' engineering-related issues. "It will make it possible to produce coloured models of car components such as engines, control elements or electronics to facilitate productive discussion in the development process," notes Dr Spiering. +The importance of such factors as the colour, texture and visual detail of additively manufactured parts as real engineering tools is reiterated by Scott Sevcik – vice-president manufacturing solutions for Stratasys. Sevcik says that Poly-Jet's origins as a relatively low-cost technology should not detract from the sophistication of its capabilities. As such it is, he states, complementary to the other additive technology in Stratasys roster – that of the 'fused deposition modelling' (FDM), essentially a targeted extrusion technology – which it originally developed. The essential attribute of FDM in contrast to Poly-Jet, he states, is simply the robustness of the parts it can produce, which makes it suitable for such applications as the production of composite mould tooling and even some end-use parts. "There is little overlap between them," he observes. +Antero 800NA is a new thermoplastic material that came onto the market in April this year. The new release is, Sevcik states, based on PEKK (polyetherketoneketone) material and for automotive applications its most interesting capability might be the very high chemical resistance to hydrocarbons, such as fuels and lubricants. It is also claimed to possess sufficient heat resistance to be suitable for under-the-hood applications. Moreover, since the FDM technique is one of continuous extrusion, parts made in this way should also be more durable than those made using alternative powder-based additive processes that use PEKK materials. +Meanwhile elsewhere additive techniques have made their way onto automotive manufacturing shopfloors but not necessarily always as direct manufacturing technologies. Instead they have found a use in the fabrication of tools for use by assembly workers to assist them in part handling and lifting operations, where the benefits they provide can include considerable cost savings, massively compressed lead-times for tool production and precise matching of equipment geometry to both that of the parts involved and also to the physiology of individual workers. +In-house tool making One automotive plant that has explored the potential for this approach and is now reporting considerable benefits is the Volkswagen Autoeuropa operation in Palmela, Portugal, where the company employs 5,700 people in the production of the Volkswagen Sharan and T-Roc and SEAT Alhambra vehicles. Current output is 860 vehicles per day. Back in the middle of this decade the company decided that both lead-times and costs for the tools its workers used, and which were sourced externally, were prohibitive. The company found that working in this way meant that lead-times of several weeks could be involved, especially when multiple designs or assemblies were required. Fundamentally the approach was one of trial and error rather than of a targeted set of procedures aimed at satisfying closely defined objectives. It therefore began to look for an in-house solution with the immediate objective being to enable it to create more prototypes, gauges, tools and spare parts in-house and so reduce the development times and acceptance testing procedures involved. +A search of the market eventually saw it decide to use 3D printing machines from Netherlands-based Ultimaker, which use what the technology supplier describes as a 'fused filament fabrication' technique to make parts from a range of polymer materials. The Portugal plant now has seven Ultimaker3 machines in operation and is reporting that purchasing costs have been reduced by 91% when compared to working with external suppliers and implementation times cut 95% along with associated ergonomic, assembly processes and quality enhancements. +According to Luis Reis, pilot plant engineer at the plant, the company has now integrated the use of additively manufactured tools deep into its production processes. "There is a wide range of 3D printed tools being developed, printed, tested and implemented in Volkswagen Autoeuropa," he confirms. "They range from the simplest templates and hand tools to more complex gauges such as those used to position logos and badges, to higher complexity fixtures used to assemble parts. 3D printed tools for all these applications are being used by the operators in the production lines." As such not only is the sheer number of additively manufactured tools the company now uses considerable but so also is the range of materials involved. On both counts Reis provides some details. +Additive now part of production operations As far as numbers are concerned then "there is a positive acceptance for these types of tools and we can certainly say that the amount of such tools currently being used is very wide," states Reis. "It is reasonable to say that up to 300 3D printed tools are being used daily in the production lines with spare parts and components for currently existing tools being produced continuously". He adds that around three completely new tools are produced each week. +As far as materials are concerned Reis says quite explicitly that "the success of 3D printing depends significantly on the materials used. He reports that within Volkswagen Autoeuropa the most widely used materials are those based on PLA (polylactic acid), TPU (thermoplastic polyurethane), PET (polyethylene terepthalate) and nylon. "We are continuously looking for new materials in the market, so our portfolio of available materials is very wide," he adds. +But at a more general level Reis says that several other less quantifiable but still identifiable benefits accrue from the use of the additive machines. The first involves their direct ergonomic efficiency – "the design and light weight of 3D printed tools provide an added value in any production line," he states. A key factor is that tools can be designed and made to suit the requirements of individual workers. Another very simple but very effective capability is that printed tools can be colour-coded. "Establishing simple colour codes is a very positive add-on," he observes. "In our plant all left-hand gauges are green and all right-hand gauges are red. It is a very positive feature to have these gauges built in clearly distinctive colours, thus simplifying the decision making process and avoid potential mistakes." +Nevertheless, specific quantifiable benefits remain the policy's major justification. One that the company identifies is the relative before and after costs, and production timescales for the production of a tool to enable accurate and repeatable positioning of a liftgate badge. Previously each unit cost €400 with a 35-day lead-time. Now the corresponding figures are €10 and four days. Overall the company reckons that by using 3D printed tools, jigs and fixtures, it not only reduces cycle times, labour requirements and the need for reworking, but does so while improving tool ergonomics at a tenth of the previous cost. It estimates that total savings during the course 2017 were in the region of €325,000. +Reis confirms that Volkswagen Autoeuropa's use of additive manufacturing stretches well beyond the technology's original application area of 'rapid prototyping'. Nevertheless, there is, he admits some use of the technology for more conventional prototyping applications at the company. "We use 3D printing to test in advance any part coming from an engineering change," he states. But Reis also adds that the same approach is used to test out elements of new production equipment intended for use on the shopfloor. "We support colleagues from the planning department by 3D printing critical components from equipment to be installed in the production line," he explains. As such he ultimately takes the view that a proper appreciation of the potential of additive techniques in a manufacturing environment requires that that initial terminology should now be regarded as effectively redundant. Quite simply it is now the case that: "The word 'prototype' is a bad advertisement for 3D printing. \ No newline at end of file diff --git a/input/test/Test818.txt b/input/test/Test818.txt new file mode 100644 index 0000000..a38acf4 --- /dev/null +++ b/input/test/Test818.txt @@ -0,0 +1,13 @@ +LJ Zenarosa in Movies/TV SM Cinema Celebrates the Brilliance of Philippine Cinema with Pista 2018! +Get ready to witness world-class Filipino films at SM Cinema with the premiere ! With their existing partnership with the Film Development Council of the Philippines (FDCP) , SM Cinema fully supports the local film industry as they feature these 8 shortlisted movies that will bring unique cinema experiences to their audience. +Ever imagined a life without the Internet? In Ang Babaeng Allergic sa Wifi , a girl named Norma is suddenly diagnosed with Electromagnetic Hyper-sensitivity. She is then forced to move to the province to start a new and simple life, away from everything she has been used to for so long. The movie is directed by Jun Robles Lana and stars Sue Ramirez , Jameson Blake , and Marcus Paterson . +The features four musically-gifted brothers. When a chance at stardom is presented to them, their relationship is tested as they deal with love, heartbreak, success, and failure. Directed by Jason Paul Laxamana, Bakwit Boys stars Vance Larena , Devon Seron , Nikko Natividad , Ryle Santiago , Mackie Empuerto , and Kiray Celis. +Director Adolfo Alix, Jr . tells a story inspired by the ongoing war against drugs in Madilim ang Gabi . Renowned actors Gina Alajar and Phillip Salvador star as a couple whose son, played by Felix Roco , has gone missing and is feared to have been a victim of the deadly war. +Pinay Beauty tackles the ridiculous beauty standards set by today's society. In a journey to self-love and self-acceptance, Annie ( Chai Fonacier ) is dead set on doing everything to transform into her ideal "beautiful" self. The movie also stars Edgar Allan Guzman and is directed by Jay Abello . +Small town secrets are unearthed in Signal Rock when Intoy ( Christian Bables ) tries to help his embattled sister abroad win a child custody case. The movie is helmed by Chito Roño . +When a man hires a woman to keep him company, he doesn't expect to become attached to her. The Day After Valentine 's stars Bella Padilla and JC Santos and they are back to give a heart-wrenching performance on the big screen under the direction of Jason Paul Laxamana . +Vhong Navarro stars as Benedict in the comedy movie Unli Life . After his break-up with the woman he loves, Benedict drinks a mysterious beverage given by a bartender ( Joey Marquez) that transports him back in time where he hopes he can win back his ex-girlfriend ( Winwyn Marquez) . Unli Life is directed by Miko Livelo . +In We Will Not Die Tonight , an underpaid stunt woman played by Erich Gonzales is forced to fight for her life when a supposed big-time deal goes wrong. The movie also stars Alex Medina , Maxine Eigenmann , and Paolo Paraiso under the direction of Richard Somes. +Catch the Pista from August 15-21 at any SM Cinema branch near you. Awarding of winners will take place during the PPP Thanksgiving Night on August 19. +Book your tickets through the website, www.smcinema.com or download the SM Cinema mobile app. You may also follow /SMCinema on Facebook and @SM_Cinema on Instagram for updates! +LJ Zenarosa Nurse by day but a geek 24/7. Cat Lady who loves wrestling. And can eat lots of sweets -- like a LOT. More articles by LJ Zenarosa » Related \ No newline at end of file diff --git a/input/test/Test819.txt b/input/test/Test819.txt new file mode 100644 index 0000000..8b018cf --- /dev/null +++ b/input/test/Test819.txt @@ -0,0 +1,5 @@ +By a News Reporter-Staff News Editor at Journal of Transportation -- Leading two-sided digital automotive marketplace Cars.com™ (NYSE: CARS) announces the appointment of Matthew Gold +as Chief Strategy Officer. With proven experience across strategy development, technology and consulting, he is responsible for evolving and expanding the company's long-term growth strategy and creating strategic alignment across all Cars.com brands. Gold also leads the company's new business development efforts. "Matthew is a proven strategist and important addition to the Cars.com leadership team. Over the past year, our company has grown from Cars.com - the online automotive marketplace - to an enterprise of brands offering digital solutions focused on driving the future of automotive retail for consumers and our partners," said Alex Vetter +, CEO of Cars.com . "He brings a data-driven approach to strategic planning and execution that will help define and accelerate new growth opportunities across our business and brands." Keywords for this news article include: Business, Automobiles, Cars.com Inc , Transportation. +Our reports deliver fact-based news of research and discoveries from around the world. Copyright 2018, NewsRx LLC +(c) 2018 NewsRx LLC, source Business Newsletter \ No newline at end of file diff --git a/input/test/Test82.txt b/input/test/Test82.txt new file mode 100644 index 0000000..7e320e9 --- /dev/null +++ b/input/test/Test82.txt @@ -0,0 +1 @@ +Envestio Review Hello fellow alternative investment seekers! ​As this is my very first review of one of the platforms I have invested in, I hope you do me the favour of taking it a little bit easy on me with comments… But good advice is very much appreciated! I will always try to write my posts in an easy to read style – I am but a simple person myself – with honest thoughts and 100% real numbers. So let's dive into the review… The below review is fully based on my own opinions and experience. Mintos was the platform I was most excited about when I started investigating peer to peer lending platforms. This started nearly three months ago, not too long after my marriage. The reason being of course trying to approach our future smart, financially speaking. ​ After that, it took me about a month to have my diversified portfolio of 6 different platforms, where I had invested a total of €5500 in. At the time of this post, nearly one and a half months into the platforms on average, the total portfolio value is just a little above €5600 . Not bad at all… already €100 up. I believe with that amount in Belgium I would have gotten €5 after a full year ! A big part of this interest increase has to do with Envestio , which has a portfolio value of €1026.11 at the time of writing, with a few more payments coming up this month. As I only started investments with them on the 2nd of July, I have to admit… not bad! ​The reason why I'm not writing a review about the first platform I started investing in, Mintos , but the one I ended with (for now – doing some renovations in the apartment so further investing will be delayed a bit) is just because of the all-around great impression they gave me. And yes, because of the announced Mogo buybacks on Mintos ( read more ), their interest rates have dropped quite a bit. ​ So first of all, who is Envestio? Are they trustworthy? Is Envestio a scam? Do they have long-term stability and plans? As always, don't take my word for it, do your own research as there are always risks involved. ​ Envestio started approximately 4 years ago, have offices in Riga, Latvia and offer investment opportunities in Real Estate, Business, Energy and also Cryptomining equipment. Their website is easy to use and understand. Envestio ​offers a very clear overview and can get you started very quickly. You can start investing with as low as €100 . Their focus on Crowdinvesting with great and interesting projects made me a believer and I can vouch they are definitely not a scam and are growing to become a P2P Lending platform to be reckoned with. At the time of writing, August 15th, they had their first "1-day project" (open to the crowd in the morning and fully financed by the evening) on the platform. It was the "Biomass fuel – factoring 1" project with total value of €40,000. Their latest numbers (as of the end of July) are: €1,441 mln invested, 854 people registered. ​​ ​Some bonus points about Envestio: Good interest rates, on average a whopping 18% since I joined. They've recently added the Biomass Fuel project, which is giving 22% , or a new Crypto mining option with 20,5% . I always advise to diversify, so up to you to take your pick. And the above Projects are just two examples of the six active investment options. Good starting bonus of €5 and another 0,5% of the total invested amount over the first 9 months! You can see below my own "Timespan bonus for Invitee" of €5,77 . This is because I used an affiliate link to join and was already paid out after 1 month based on my total investments over that period. Extremely useful overview on the homepage Dashboard. The "Investments repayment schedule" will show exactly how much interest is coming in next by showing the 10 next results as default. On time payment of all the loans! If I'm honest this to me is a very big plus. Because for some of the other platforms delayed payments are a real hassle. Below the overview of interest received in July. Good choice of projects, with plenty of availability. What I mean by this is there has been a steady flow of new projects and the active ones aren't sold out in one day or even one week. This gives investors like us the time to investigate a bit and not having to act immediately. Detailed information about the projects, with pictures and exact payment dates & amount. Envestio compares it to an investment of €1000 . That way you can easily calculate if you invest €100 or €500 yourself the monthly return. Buyback option and guarantee on the projects. Please read on the Envestio blog for more info. A useful statistic, even though at the moment there is only one. This might be a suggestion to them to expand the options here a little bit. I could go on… but safe to say out of the 6 current platforms Envestio ​is my favourite. And not solely based on the high-interest returns. ​ I hope this platform has a great future ahead. However, I must warn everyone reading this (thank you very much for that by the way!) investing in peer to peer lenders always comes with risk. That's why the key really is diversification. If one of my investments fails and I lose my money on it, the others will make up for it after 1 year due to the great rates. So please make sure to do your due diligence before investing. ​ This brings me to the end… my conclusion Envestio has given me the confidence to recommend them as a p2p platform and so far the contact I have had with their people have been really smooth with a very quick response. From the moment I joined, one and a half months ago, there have been no shortages on loans and they've had a steady flow of new projects. This is a big bonus point for me. So if this lights a small fire within you, feel free to sign up through any of the links on my blog. This will give you the bonus mentioned above, and will also help me with keeping the blog alive. If you would like to share any of your own experiences with Envestio , or any of the other platforms you'd like to get a review about. Feel free to leave a comment and I'll make sure to get back to you. Again, I'd like to take a moment to thank you and I wish you a very pleasant day. Happy investing! †\ No newline at end of file diff --git a/input/test/Test820.txt b/input/test/Test820.txt new file mode 100644 index 0000000..1071b8a --- /dev/null +++ b/input/test/Test820.txt @@ -0,0 +1,7 @@ +Wajax (WJX) Given New C$29.00 Price Target at BMO Capital Markets Anthony Miller | Aug 17th, 2018 +Wajax (TSE:WJX) had its price target increased by BMO Capital Markets from C$27.00 to C$29.00 in a report published on Monday. +Other analysts have also issued research reports about the company. TD Securities raised their price target on Wajax from C$32.00 to C$33.00 and gave the stock a buy rating in a research note on Wednesday, May 9th. Scotiabank raised their price target on Wajax from C$32.00 to C$32.50 and gave the stock an outperform rating in a research note on Wednesday, May 9th. Get Wajax alerts: +Shares of WJX stock opened at C$27.26 on Monday. Wajax has a 52 week low of C$18.49 and a 52 week high of C$27.63. +The company also recently disclosed a quarterly dividend, which will be paid on Tuesday, October 2nd. Shareholders of record on Friday, September 14th will be given a dividend of $0.25 per share. This represents a $1.00 annualized dividend and a yield of 3.67%. The ex-dividend date of this dividend is Thursday, September 13th. +Wajax Company Profile +Wajax Corporation, an integrated distribution company, provides sales, parts, and services to transportation, forestry, industrial and commercial, construction, oil sands, mining, metal processing, government, utilities, and oil and gas sectors. The company provides construction, material-handling, crane and utility, forestry, and mining and oil sands equipment. Receive News & Ratings for Wajax Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Wajax and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test821.txt b/input/test/Test821.txt new file mode 100644 index 0000000..dc08f98 --- /dev/null +++ b/input/test/Test821.txt @@ -0,0 +1,11 @@ +NCI Building Systems Inc (NCS) Position Lessened by Balter Liquid Alternatives LLC Dante Gardener | Aug 17th, 2018 +Balter Liquid Alternatives LLC reduced its stake in shares of NCI Building Systems Inc (NYSE:NCS) by 35.7% in the 2nd quarter, Holdings Channel reports. The firm owned 103,862 shares of the construction company's stock after selling 57,786 shares during the quarter. NCI Building Systems makes up 1.7% of Balter Liquid Alternatives LLC's portfolio, making the stock its 9th largest position. Balter Liquid Alternatives LLC's holdings in NCI Building Systems were worth $2,212,000 as of its most recent SEC filing. +Several other institutional investors also recently modified their holdings of NCS. LSV Asset Management lifted its holdings in NCI Building Systems by 60.4% in the 2nd quarter. LSV Asset Management now owns 268,600 shares of the construction company's stock worth $5,640,000 after buying an additional 101,100 shares in the last quarter. Fuller & Thaler Asset Management Inc. lifted its holdings in NCI Building Systems by 416.0% in the 2nd quarter. Fuller & Thaler Asset Management Inc. now owns 892,149 shares of the construction company's stock worth $18,735,000 after buying an additional 719,249 shares in the last quarter. Convergence Investment Partners LLC acquired a new position in NCI Building Systems in the 2nd quarter worth $1,077,000. SG Americas Securities LLC acquired a new position in NCI Building Systems in the 2nd quarter worth $136,000. Finally, KBC Group NV acquired a new position in NCI Building Systems in the 2nd quarter worth $999,000. Hedge funds and other institutional investors own 94.73% of the company's stock. Get NCI Building Systems alerts: +A number of equities analysts have commented on NCS shares. Citigroup cut their price objective on shares of NCI Building Systems from $22.00 to $17.00 and set a "$16.05" rating on the stock in a report on Monday, July 23rd. ValuEngine upgraded shares of NCI Building Systems from a "hold" rating to a "buy" rating in a report on Thursday, May 24th. Barclays lowered shares of NCI Building Systems from an "overweight" rating to an "equal weight" rating and cut their price objective for the stock from $24.00 to $19.00 in a report on Friday, July 20th. Zacks Investment Research lowered shares of NCI Building Systems from a "strong-buy" rating to a "hold" rating in a report on Wednesday, May 30th. Finally, DA Davidson boosted their price objective on shares of NCI Building Systems from $18.00 to $21.00 and gave the stock a "neutral" rating in a report on Thursday, June 7th. One research analyst has rated the stock with a sell rating, five have given a hold rating and one has given a buy rating to the company's stock. NCI Building Systems has a consensus rating of "Hold" and a consensus target price of $19.67. +Shares of NCS stock opened at $14.60 on Friday. NCI Building Systems Inc has a 12 month low of $13.05 and a 12 month high of $23.35. The company has a current ratio of 1.58, a quick ratio of 0.87 and a debt-to-equity ratio of 1.56. The firm has a market capitalization of $975.92 million, a price-to-earnings ratio of 18.34, a PEG ratio of 1.04 and a beta of 1.52. +NCI Building Systems (NYSE:NCS) last issued its earnings results on Tuesday, June 5th. The construction company reported $0.25 earnings per share (EPS) for the quarter, beating analysts' consensus estimates of $0.18 by $0.07. The business had revenue of $457.10 million for the quarter, compared to analyst estimates of $438.61 million. NCI Building Systems had a net margin of 1.92% and a return on equity of 23.45%. The company's revenue for the quarter was up 8.7% on a year-over-year basis. During the same quarter in the prior year, the business posted $0.16 EPS. sell-side analysts forecast that NCI Building Systems Inc will post 1.42 EPS for the current fiscal year. +In other news, CFO Mark E. Johnson sold 82,100 shares of the company's stock in a transaction dated Friday, June 8th. The shares were sold at an average price of $22.89, for a total value of $1,879,269.00. Following the sale, the chief financial officer now owns 160,918 shares in the company, valued at approximately $3,683,413.02. The sale was disclosed in a document filed with the SEC, which is accessible through the SEC website . Also, insider Robert Daniel Ronchetto sold 8,039 shares of the company's stock in a transaction dated Wednesday, June 6th. The shares were sold at an average price of $21.00, for a total transaction of $168,819.00. Following the completion of the sale, the insider now owns 43,045 shares in the company, valued at approximately $903,945. The disclosure for this sale can be found here . Corporate insiders own 1.54% of the company's stock. +About NCI Building Systems +NCI Building Systems, Inc, together with its subsidiaries, designs, engineers, manufactures, and markets metal products for the nonresidential construction industry in North America. It operates through three segments: Engineered Building Systems, Metal Components, and Metal Coil Coating. The Engineered Building Systems segment offers engineered structural members and panels; and self-storage building systems under the Metallic, Mid-West Steel, A & S, All American, Mesco, Star, Ceco, Robertson, Garco, Heritage, and SteelBuilding.com brands to builders, general contractors, developers, and end users directly, as well as through private label companies. +Further Reading: Are analyst ratings accurate? +Want to see what other hedge funds are holding NCS? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for NCI Building Systems Inc (NYSE:NCS). Receive News & Ratings for NCI Building Systems Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for NCI Building Systems and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test822.txt b/input/test/Test822.txt new file mode 100644 index 0000000..b89ad78 --- /dev/null +++ b/input/test/Test822.txt @@ -0,0 +1,12 @@ +Women represent just 20% of senior management and executives in South Africa. +PricewaterhouseCoopers (PwC) made the finding in a recent survey of the pay data of 550 organisations‚ including 4‚000 senior managers and executives. +"In 2008‚ Norway obliged listed companies to reserve at least 40% of their director seats for women or face dissolution. In the following five years‚ more than a dozen countries set similar quotas at 30% to 40%. In Belgium‚ France and Italy‚ too‚ firms that fail to comply can be fined‚ dissolved or banned from paying existing directors. Germany‚ Spain and the Netherlands prefer soft-law quotas with no sanctions‚" PwC director Rene Richter said. +The survey also found that six in 10 women (61%) were paid less than the median of the sample‚ compared to just under four in 10 men (39%). In contrast‚ 63% of males were remunerated above the median. +"It is clear that corporate South Africa still needs to focus on ensuring that female numbers are increased at these levels in addition to addressing gender pay inequalities." +The gender pay gap is described as the difference between the average wages that men and women earn‚ irrespective of their seniority. +CEO position remains closed for South African women‚ research shows The number of female leaders at SA's top companies remains exactly the same as it was in 2015‚ and has even dropped since 2012‚ new research shows. Business 3 days ago Equal pay is described as "a different concept but is a connected issue". +"Equal pay is about pay differences between men and women‚ who are paid differently for 'like work'‚ 'work of equal value' or 'work rated as equivalent'‚" said Richter. +The company said there was‚ globally‚ an increased focus on pay disparities between men and women. +"In many countries‚ organisations are required to report on the gender pay gap. Although this is not yet the case in South Africa‚ numerous organisations have taken steps to identify pay disparities at all levels." +Richter said sustainable change needed to stem from underlying changes within organisations. +"We're already seeing how the catalyst of gender pay reporting is helping to concentrate minds on how to build diversity and inclusion into a more compelling employee value proposition in areas ranging from talent development and succession planning to flexible working and work-life balance‚" said Richter \ No newline at end of file diff --git a/input/test/Test823.txt b/input/test/Test823.txt new file mode 100644 index 0000000..2497012 --- /dev/null +++ b/input/test/Test823.txt @@ -0,0 +1,9 @@ +Tweet +Anchor Capital Advisors LLC reduced its stake in Science Applications International Corp (NYSE:SAIC) by 18.6% during the 2nd quarter, according to the company in its most recent disclosure with the Securities and Exchange Commission (SEC). The fund owned 33,441 shares of the information technology services provider's stock after selling 7,617 shares during the period. Anchor Capital Advisors LLC owned 0.08% of Science Applications International worth $2,706,000 at the end of the most recent quarter. +Several other large investors also recently added to or reduced their stakes in the business. SG Americas Securities LLC lifted its position in Science Applications International by 16.6% during the second quarter. SG Americas Securities LLC now owns 15,330 shares of the information technology services provider's stock worth $1,241,000 after purchasing an additional 2,185 shares during the period. State Board of Administration of Florida Retirement System lifted its position in Science Applications International by 15.5% during the second quarter. State Board of Administration of Florida Retirement System now owns 24,196 shares of the information technology services provider's stock worth $1,958,000 after purchasing an additional 3,254 shares during the period. Rhumbline Advisers lifted its position in Science Applications International by 1.6% during the second quarter. Rhumbline Advisers now owns 76,043 shares of the information technology services provider's stock worth $6,154,000 after purchasing an additional 1,232 shares during the period. Brookstone Capital Management lifted its position in Science Applications International by 14.6% during the second quarter. Brookstone Capital Management now owns 7,233 shares of the information technology services provider's stock worth $585,000 after purchasing an additional 922 shares during the period. Finally, Robeco Institutional Asset Management B.V. bought a new stake in Science Applications International during the second quarter worth about $201,000. Hedge funds and other institutional investors own 63.99% of the company's stock. Get Science Applications International alerts: +Several research firms recently weighed in on SAIC. Zacks Investment Research cut shares of Science Applications International from a "strong-buy" rating to a "hold" rating in a research report on Saturday, June 2nd. Drexel Hamilton cut shares of Science Applications International from a "buy" rating to a "hold" rating in a research report on Wednesday, June 13th. They noted that the move was a valuation call. Stifel Nicolaus initiated coverage on shares of Science Applications International in a report on Friday, May 25th. They issued a "hold" rating and a $85.00 target price for the company. Wells Fargo & Co cut shares of Science Applications International from an "outperform" rating to a "market perform" rating and set a $87.00 target price for the company. in a report on Thursday, May 17th. Finally, ValuEngine cut shares of Science Applications International from a "buy" rating to a "hold" rating in a report on Thursday, May 17th. One research analyst has rated the stock with a sell rating, seven have given a hold rating and four have issued a buy rating to the company's stock. Science Applications International presently has an average rating of "Hold" and a consensus target price of $85.38. In other news, CEO Anthony J. Moraco sold 21,737 shares of the stock in a transaction dated Friday, June 29th. The shares were sold at an average price of $81.32, for a total value of $1,767,652.84. Following the completion of the transaction, the chief executive officer now owns 61,249 shares of the company's stock, valued at $4,980,768.68. The transaction was disclosed in a document filed with the Securities & Exchange Commission, which can be accessed through this hyperlink . Insiders sold 22,322 shares of company stock valued at $1,814,728 in the last three months. Company insiders own 2.05% of the company's stock. +SAIC stock opened at $87.75 on Friday. The stock has a market capitalization of $3.65 billion, a PE ratio of 24.73, a P/E/G ratio of 3.86 and a beta of 1.39. The company has a debt-to-equity ratio of 2.99, a current ratio of 1.34 and a quick ratio of 1.18. Science Applications International Corp has a 12 month low of $60.21 and a 12 month high of $90.84. +Science Applications International (NYSE:SAIC) last posted its earnings results on Tuesday, June 12th. The information technology services provider reported $1.13 EPS for the quarter, topping analysts' consensus estimates of $1.04 by $0.09. The firm had revenue of $1.18 billion during the quarter, compared to analysts' expectations of $1.13 billion. Science Applications International had a net margin of 3.95% and a return on equity of 56.35%. The business's revenue for the quarter was up 6.5% compared to the same quarter last year. During the same quarter in the prior year, the business earned $1.08 earnings per share. analysts anticipate that Science Applications International Corp will post 4.46 EPS for the current year. +The business also recently announced a quarterly dividend, which was paid on Friday, July 27th. Stockholders of record on Friday, July 13th were issued a $0.31 dividend. The ex-dividend date was Thursday, July 12th. This represents a $1.24 dividend on an annualized basis and a dividend yield of 1.41%. Science Applications International's dividend payout ratio (DPR) is currently 35.13%. +About Science Applications International +Science Applications International Corporation provides technical, engineering, and enterprise information technology (IT) services primarily in the United States. Its offerings include engineering; technology and equipment platform integration; maintenance of ground and maritime systems; logistics; training and simulation; operation and program support services; and end-to-end services, such as design, development, integration, deployment, management and operations, sustainment, and security of its customers' IT infrastructure \ No newline at end of file diff --git a/input/test/Test824.txt b/input/test/Test824.txt new file mode 100644 index 0000000..66282b0 --- /dev/null +++ b/input/test/Test824.txt @@ -0,0 +1,10 @@ +Bailard Inc. Has $5.59 Million Stake in Activision Blizzard, Inc. (ATVI) Paula Ricardo | Aug 17th, 2018 +Bailard Inc. lessened its stake in Activision Blizzard, Inc. (NASDAQ:ATVI) by 6.2% in the 2nd quarter, HoldingsChannel.com reports. The institutional investor owned 73,273 shares of the company's stock after selling 4,830 shares during the period. Bailard Inc.'s holdings in Activision Blizzard were worth $5,592,000 as of its most recent filing with the Securities & Exchange Commission. +Several other hedge funds also recently modified their holdings of ATVI. Altman Advisors Inc. acquired a new position in Activision Blizzard in the 2nd quarter worth about $323,000. Quad Cities Investment Group LLC acquired a new position in Activision Blizzard in the 2nd quarter worth about $114,000. NuWave Investment Management LLC acquired a new position in Activision Blizzard in the 2nd quarter worth about $121,000. Signaturefd LLC acquired a new position in Activision Blizzard in the 1st quarter worth about $114,000. Finally, Kaizen Advisory LLC increased its stake in Activision Blizzard by 155.2% during the 2nd quarter. Kaizen Advisory LLC now owns 1,876 shares of the company's stock worth $143,000 after buying an additional 1,141 shares in the last quarter. 85.58% of the stock is owned by institutional investors and hedge funds. Get Activision Blizzard alerts: +ATVI stock opened at $69.69 on Friday. The company has a quick ratio of 2.96, a current ratio of 2.98 and a debt-to-equity ratio of 0.42. The company has a market capitalization of $53.83 billion, a PE ratio of 34.00, a P/E/G ratio of 1.86 and a beta of 0.97. Activision Blizzard, Inc. has a 1 year low of $57.29 and a 1 year high of $81.64. +Activision Blizzard (NASDAQ:ATVI) last posted its quarterly earnings results on Thursday, August 2nd. The company reported $0.41 earnings per share (EPS) for the quarter, beating analysts' consensus estimates of $0.30 by $0.11. The business had revenue of $1.39 billion during the quarter, compared to analyst estimates of $1.38 billion. Activision Blizzard had a return on equity of 18.00% and a net margin of 6.96%. The business's revenue was down 2.3% compared to the same quarter last year. During the same period in the prior year, the business earned $0.32 earnings per share. equities research analysts predict that Activision Blizzard, Inc. will post 2.49 EPS for the current fiscal year. +Several equities research analysts have commented on ATVI shares. JPMorgan Chase & Co. started coverage on Activision Blizzard in a research note on Tuesday, May 1st. They set a "neutral" rating and a $70.00 price objective for the company. Zacks Investment Research upgraded Activision Blizzard from a "hold" rating to a "buy" rating and set a $87.00 price objective for the company in a research note on Wednesday, July 4th. Credit Suisse Group boosted their price objective on Activision Blizzard from $84.00 to $85.00 and gave the stock an "outperform" rating in a research note on Friday, May 4th. Morgan Stanley boosted their price objective on Activision Blizzard from $75.00 to $80.00 and gave the stock an "overweight" rating in a research note on Wednesday, July 11th. Finally, Needham & Company LLC boosted their price objective on Activision Blizzard from $80.00 to $90.00 and gave the stock a "buy" rating in a research note on Tuesday, July 31st. Eight research analysts have rated the stock with a hold rating, nineteen have assigned a buy rating and one has assigned a strong buy rating to the stock. Activision Blizzard has an average rating of "Buy" and a consensus target price of $78.51. +Activision Blizzard Company Profile +Activision Blizzard, Inc develops and distributes content and services on video game consoles, personal computers (PC), and mobile devices. The company operates through three segments: Activision Publishing, Inc; Blizzard Entertainment, Inc; and King Digital Entertainment. The company develops, publishes, and sells interactive software products and entertainment content for the console and PC platforms through retail and digital channels, including subscription, full-game, and in-game sales, as well as by licensing software to third-party or related-party companies; and offers downloadable content. +Further Reading: What kind of dividend yield to CEF's pay? +Want to see what other hedge funds are holding ATVI? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Activision Blizzard, Inc. (NASDAQ:ATVI). Receive News & Ratings for Activision Blizzard Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Activision Blizzard and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test825.txt b/input/test/Test825.txt new file mode 100644 index 0000000..bc1c209 --- /dev/null +++ b/input/test/Test825.txt @@ -0,0 +1,9 @@ +Gloria LeGrand January 3, 2018 Healthy Aging Trends For Seniors Leave a comment 520 Views +A study conducted by Johns Hopkins University School of Medicine found that there is a link between older adults who suffer hearing loss and those who suffer from dementia. +Researchers concluded while the brain does tend to shrink as we age, shrinkage can occur faster when hearing loss is also a factor. People who suffer from severe hearing loss are actually five times more likely to suffer cognitive impairment than those who have normal hearing. Even those with just mild hearing impairment are twice as likely to develop dementia. +The Johns Hopkins study revealed that more research needs to be done regarding the correlation between hearing loss and dementia. Overall, they found that those with impaired hearing lost more brain tissue each year compared to people with normal hearing, as well as more shrinkage in particular regions of the brain. Another study is being planned to see if early action to treat hearing loss can help prevent or delay the onset of dementia. +Reasons to Have Your Hearing Regularly Checked +Your hearing can affect more than just your memory. It's important to schedule an initial hearing exam if you're noticing that you are having difficulty hearing. Don't simply accept it as an inevitable part of the aging process. Seeing a specialist or a doctor can be an important step in maintaining your health. +Hearing loss is not only associated with dementia, but it is also a factor in several other health problems, such as: Diabetes. Studies have been done that show there is not only a link between hearing loss and dementia, but also a correlation between hearing loss and diabetes. Hearing loss is twice as common in people who have diabetes than in those who don't, due to poor control over blood sugar levels. Over time, poor blood sugar control can cause damage to the blood vessels and nerves in the ear. Cardiovascular health. A healthy heart is linked to your ability to hear; abnormalities in the cardiovascular system can be noted earlier because the inner ear is so sensitive to blood flow. Risk of falls. Those with hearing loss are about three times more likely to have a history of falling, according to another study done by Johns Hopkins. Problems sleeping. Hearing loss can affect how well you're sleeping; studies have found that sleep apnea has been associated even with mild hearing impairment. Depression. Hearing loss can lead to social isolation, which is a large factor in depression among elders. Having to constantly try to decipher what people are saying can sometimes become too much for seniors to handle, and they no longer seek out social activities. Social isolation not only leads to depression, but it also plays a role in the risk for dementia. +Today's hearing aids have better sound and are barely noticeable when worn, so don't put off a hearing test that can improve your quality of life. +For more information about American Senior Communities, please visit www.asccare.com \ No newline at end of file diff --git a/input/test/Test826.txt b/input/test/Test826.txt new file mode 100644 index 0000000..6a7a1ad --- /dev/null +++ b/input/test/Test826.txt @@ -0,0 +1 @@ +Thursday, August 16 - 9:50 PM AOL - David Choi William McRaven said he'd "consider it an honor" if Trump revoked his security clearance, following his decision to revoke ex-CIA director John Brennan's. [ Read More ] 7 Totally BS Hair Removal Myths Thursday, August 16 - 9:50 PM EverydayHealth Does laser hair removal last forever? If you pluck a gray hair, will three more grow back in its place? Here, top experts reveal the surprising truths behind popular myths about hair removal. [ Read More ] Thursday, August 16 - 9:50 PM Fresno Bee - Yesenia Amaro Immigration and Customs Enforcement officials showed up at the Tulare County Superior Court on Thursday further exacerbating concerns over the chilling effect these arrests have on the community, according to a court official. [ Read More \ No newline at end of file diff --git a/input/test/Test827.txt b/input/test/Test827.txt new file mode 100644 index 0000000..74caff9 --- /dev/null +++ b/input/test/Test827.txt @@ -0,0 +1,24 @@ +Is Twitter broken? That's what many are asking today as their favorite apps for the social media service suddenly appeared to stop working. +At roughly 0900 California time, people's lists of liked items, responses to specific search terms, mentions – in fact pretty much everything came to a sudden and unexpected halt. +Incredibly, app developers and Twitter have known about the situation for months but largely failed to let their users know: just one sign of ongoing tension and dysfunction between Twitter and its third-party developer eco-system. +In brief terms, Twitter has changed how it works and has started charging companies for access to its constantly updated feeds: a steep $2,899 per month for 250 users - $11.50 per user per month. +Unsurprisingly, developers – many of whom provide their app for free or for a flat fee that less than a single month's access – are not at all happy about the changes and have been arguing with Twitter for over a year over the plans. +One group of developers claims that the new service means they "would need to charge over $16 per month to break even." Who's going to pay that much just to access Twitter? Pretty much no-one. So what is Twitter doing? +Well, it's trying to make money from its vast base of users. +Our way or overpay for the highway Twitter knows that with Facebook and Google providing their service for free, and without a willingness (or ability) to store vast quantities of personal information on those users in order to sell it on to third party advertisers, it has decided to do two things: +1. Push people to its official "core Twitter experience" where it can monetize them through ads +2. Tap the businesses that are willing to pay for access and who have built businesses on top of its data feeds. +This is not the first time that Twitter has done this: originally pretty much everyone had direct access to Twitter's servers before the company decided to give exclusive access to two middleman data brokers that others then had to purchase access through. Everyone complained bitterly and some companies walked away but ultimately things continued on as normal for most people. +Twitter seems to believe the same thing will happen again but this time some big third-party app developers have simply not gone for the new arrangement and not updated their apps either – not yet at least – causing everything to grind to a halt. +A leaked internal email by Twitter's senior director Rob Johnson gives a little more insight into the decision, claiming that the whole system needed an update: "It is now time to make the hard decision to end support for these legacy APIs - acknowledging that some aspects of these apps would be degraded as a result," he wrote. +"Today, we are facing technical and business constraints we can't ignore. The User Streams and Site Streams APIs that serve core functions of many of these clients have been in a 'beta' state for more than 9 years, and are built on a technology stack we no longer support." +Despite angry responses from developers, Johnson then claims that Twitter is "not changing our rules, or setting out to 'kill' 3rd party clients; but we are killing, out of operational necessity, some of the legacy APIs that power some features of those clients." +Insightful or delusional? Johnson claims those legacy APIs "used by less than one perc ent of Twitter developers" – but notably doesn't mention how many users are using those developers' products. +In a slightly worrying sign of internal groupthink Johnson claims that the company is listening to critics – by following the campaign hashtag #BreakingMyTwitter – and simply can't understand why people are using third parties and not Twitter's own apps. +"We're committed to understanding why people hire third party clients over our own apps. And we're going to try to do better with communicating these changes honestly and clearly to developers. We have a lot of work to do. This change is a hard, but important step, towards doing it." +The public message from Johnson is somewhat different. In a blog post today , he argued that effectively cutting some popular apps out the market by "updating some outdated developer tools" would resulting in a "better Twitter experience" for users. +He then strongly implied that Twitter's ongoing problems with trolls and the abuse and harassment that the company has become synonymous with would be in part resolved by cutting out third parties. +And he pushed "Twitter-owned apps and websites" as being "the only way to experience" certain features – like polls, videos, bookmarks and certain content controls. +Test In short, Twitter has gone down the path of trying to make money and solve its abuse problems by pushing its own solutions and pricing third party developers out the market. +There are however two problems with this approach. First, Twitter-owned apps and websites are often clunkier and less intuitive than third-party offerings (Twitter has even killed off its own official apps in the past, leaving users stranded.) And second, the company is infuriating the people who in the past have really helped Twitter identify innovations in what was originally a text-message sharing service. +Does Twitter have enough insight and innovation internally to keep it moving forward while at the same time tackling its problems? We are seemingly about to find out.  \ No newline at end of file diff --git a/input/test/Test828.txt b/input/test/Test828.txt new file mode 100644 index 0000000..e4498f4 --- /dev/null +++ b/input/test/Test828.txt @@ -0,0 +1,19 @@ +Print +What's old is new again, kind of — or how about secondhand goods and first-rate funding? Funding of $500 million is affirmation, it seems, of a marketplace that underpins the buying and selling of used goods. +Online firm letgo , which brings sellers who want to unload secondhand items to interested buyers, said this month that it closed a $500 million funding round from Naspers , a South Africa-based internet and media firm. Of that $500 million tally, $150 million was transferred earlier this summer. +Naspers joins a slew of other investors, such as Insight Venture Partners and Accel. As reported late last year, a previous funding round of $100 million valued the company at $1 billion. In the past, Naspers has taken stakes in firms such as Flipkart and Tencent. +It's a vote of confidence — or 500 million votes of confidence — in an old idea turbo-powered by new tech. For it is technology, specifically artificial intelligence (AI) and machine learning (ML), that gives a twist to an online arena dotted with such names as Craigslist and eBay , and any number of firms that promote and create local meetups where one man's junk is another man's treasure. If only they could find one another… +In an interview with PYMNTS, letgo Co-founder Alec Oxenford gave an overview of how technology is removing the friction tied to the age-old process of getting rid of what one doesn't need … and getting paid in the process. Detailing the inspiration behind app-based letgo, the CEO said the overarching theme is that it should be as painless to resell something as it is (and was) to buy it in the first place. +"Buying something secondhand is also extraordinarily 'green,' since there's no environmental footprint as there is with new and even recycled goods," he told PYMNTS. "So, we're big believers in making secondhand eCommerce a bigger part of the sharing economy." +As for the technology itself, he said that the process becomes streamlined for both buyers and sellers in an environment where the company uses technology that spans real-time image recognition and other AI. It is the AI, though, that offers up titles and categories — and prices, too. Some of the legwork one needs to do to make sure the right set of eyes finds the right prize … that legwork is automated. Users are also able to edit details tied to their listings. It's known as auto-recognition tech. +In detailing some of the steps that lead to, and are part of, interactions between buyers and sellers, Oxenford said consumers can browse photos of what's for sale nearby or search for something specific. When something spurs a would-be buyers' interest, he said, they simply message the seller in the app, agree on a price and meet somewhere — like a coffee shop — to pick it up. +"We've also made it easy to check out a user's profile, ratings and reviews to see who you're chatting with and what others have said about them," he added. +Of the AI efforts, Oxenford said, "The technology helps us personalize the user experience and moderate our marketplace, which is a huge advantage at our scale. We also have chat built into the app, so users don't have to deal with the slow back-and-forth of email." +The ease of use, he said, has helped spur growth over the past three years, which has seen letgo pass a few milestones, including 100 million downloads and 400 million listings. The company also said that the number of monthly users on its marketplace has grown by 65 percent since the beginning of the year. +The model is one that has picked up traction, clearly, and which holds attraction. Consider the fact that, last month, The RealReal — a firm focused on authenticated luxury consignment — closed $115 million in Series G financing. In addition, as detailed by PYMNTS in May, secondhand sports gear has made the leap online through companies such as SidelineSwap. The phenomenon is far-flung: In Japan, Mercari and its public listings show the appeal of the thrift culture via peer-to-peer (P2P) marketplace, with an app that has been downloaded more than 70 million times. +Getting Reveals On Reveal +Last month, letgo debuted its Reveal technology, which uses the aforementioned image recognition and AI to display an item's estimated value when a user points at the item with their smartphone. Reveal also allows for video listings. Both features are available to letgo users in the United States. +Reveal, the company said, lets those same users price their items competitively and gauge demand. The evolution of Reveal has come as Oxenford stated that mobile has allowed the firm to build new features that mix both technology and design. +Looking Ahead +When asked about how the funding will be used over the near and longer term, Oxenford stated, "I don't want to reveal too much just yet. But we're focused on evolving our app, like we did this summer with the additions of Reveal and video listings. We're also expanding our team and continuing to test monetization strategies." +. \ No newline at end of file diff --git a/input/test/Test829.txt b/input/test/Test829.txt new file mode 100644 index 0000000..ccb16e3 --- /dev/null +++ b/input/test/Test829.txt @@ -0,0 +1,9 @@ +Bailard Inc. Boosts Holdings in Alibaba Group Holding Ltd (BABA) Paula Ricardo | Aug 17th, 2018 +Bailard Inc. raised its stake in Alibaba Group Holding Ltd (NYSE:BABA) by 26.0% in the 2nd quarter, HoldingsChannel reports. The fund owned 58,142 shares of the specialty retailer's stock after buying an additional 12,000 shares during the quarter. Alibaba Group accounts for about 0.6% of Bailard Inc.'s holdings, making the stock its 26th biggest holding. Bailard Inc.'s holdings in Alibaba Group were worth $10,787,000 at the end of the most recent reporting period. +A number of other institutional investors and hedge funds also recently bought and sold shares of the business. Riverhead Capital Management LLC acquired a new stake in shares of Alibaba Group during the 1st quarter worth approximately $110,000. Duncker Streett & Co. Inc. grew its position in shares of Alibaba Group by 195.1% during the 2nd quarter. Duncker Streett & Co. Inc. now owns 605 shares of the specialty retailer's stock worth $112,000 after buying an additional 400 shares during the period. Stelac Advisory Services LLC acquired a new stake in shares of Alibaba Group during the 2nd quarter worth approximately $116,000. Clarus Wealth Advisors acquired a new stake in shares of Alibaba Group during the 2nd quarter worth approximately $125,000. Finally, Jacobi Capital Management LLC grew its position in shares of Alibaba Group by 480.0% during the 1st quarter. Jacobi Capital Management LLC now owns 725 shares of the specialty retailer's stock worth $129,000 after buying an additional 600 shares during the period. Hedge funds and other institutional investors own 38.01% of the company's stock. Get Alibaba Group alerts: +Shares of NYSE BABA opened at $171.99 on Friday. The company has a quick ratio of 1.89, a current ratio of 1.89 and a debt-to-equity ratio of 0.27. Alibaba Group Holding Ltd has a 52-week low of $163.51 and a 52-week high of $211.70. The company has a market cap of $461.03 billion, a P/E ratio of 42.68, a PEG ratio of 1.15 and a beta of 2.49. +BABA has been the subject of several analyst reports. ValuEngine upgraded shares of Alibaba Group from a "hold" rating to a "buy" rating in a research report on Friday, May 4th. KeyCorp lifted their price target on shares of Alibaba Group from $219.00 to $235.00 and gave the stock an "overweight" rating in a research report on Monday, May 7th. Oppenheimer lifted their price target on shares of Alibaba Group from $220.00 to $230.00 and gave the stock an "outperform" rating in a research report on Monday, May 7th. Stifel Nicolaus lifted their price target on shares of Alibaba Group from $260.00 to $262.00 and gave the stock a "buy" rating in a research report on Monday, May 7th. Finally, Benchmark restated a "buy" rating and set a $245.00 price objective on shares of Alibaba Group in a report on Monday, May 7th. One investment analyst has rated the stock with a sell rating, one has given a hold rating, twenty-nine have assigned a buy rating and two have issued a strong buy rating to the company's stock. The stock has a consensus rating of "Buy" and a consensus price target of $230.51. +Alibaba Group Company Profile +Alibaba Group Holding Limited, through its subsidiaries, operates as an online and mobile commerce company in the People's Republic of China and internationally. The company operates in four segments: Core Commerce, Cloud Computing, Digital Media and Entertainment, and Innovation Initiatives and Others. +Recommended Story: How to Invest in Marijuana Stocks +Want to see what other hedge funds are holding BABA? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Alibaba Group Holding Ltd (NYSE:BABA). Receive News & Ratings for Alibaba Group Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Alibaba Group and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test83.txt b/input/test/Test83.txt new file mode 100644 index 0000000..72513c5 --- /dev/null +++ b/input/test/Test83.txt @@ -0,0 +1,7 @@ +Tweet +iQIYI, Inc (NASDAQ:IQ) gapped down before the market opened on Wednesday . The stock had previously closed at $22.95, but opened at $25.42. iQIYI shares last traded at $26.13, with a volume of 403641 shares. +A number of equities research analysts have recently commented on the company. Goldman Sachs Group cut iQIYI from a "buy" rating to a "neutral" rating and set a $23.00 target price on the stock. in a research note on Thursday, August 2nd. They noted that the move was a valuation call. Citigroup assumed coverage on iQIYI in a research note on Tuesday, April 24th. They set a "buy" rating and a $22.00 target price on the stock. Bank of America assumed coverage on iQIYI in a research note on Wednesday, April 25th. They set a "neutral" rating and a $21.00 target price on the stock. Credit Suisse Group cut iQIYI from an "outperform" rating to a "neutral" rating in a research note on Wednesday, August 1st. Finally, Zacks Investment Research upgraded iQIYI from a "hold" rating to a "buy" rating and set a $34.00 target price on the stock in a research note on Saturday, August 4th. Three research analysts have rated the stock with a hold rating and two have given a buy rating to the stock. The company currently has a consensus rating of "Hold" and a consensus target price of $30.00. Get iQIYI alerts: +The company has a debt-to-equity ratio of 0.01, a current ratio of 1.31 and a quick ratio of 1.31. iQIYI (NASDAQ:IQ) last released its earnings results on Tuesday, July 31st. The company reported ($0.45) EPS for the quarter, topping the Zacks' consensus estimate of ($2.30) by $1.85. The business had revenue of $6.17 billion for the quarter, compared to the consensus estimate of $6.26 billion. The company's revenue for the quarter was up 42.6% on a year-over-year basis. analysts anticipate that iQIYI, Inc will post -1.14 EPS for the current year. +Several hedge funds and other institutional investors have recently added to or reduced their stakes in the company. Yong Rong HK Asset Management Ltd purchased a new stake in iQIYI in the 1st quarter worth about $88,574,000. Wells Fargo & Company MN purchased a new stake in iQIYI in the 1st quarter worth about $50,067,000. Thornburg Investment Management Inc. purchased a new stake in iQIYI in the 1st quarter worth about $43,157,000. Franklin Resources Inc. purchased a new stake in iQIYI in the 1st quarter worth about $32,967,000. Finally, Blackstone Group L.P. purchased a new stake in iQIYI in the 1st quarter worth about $31,100,000. Institutional investors own 11.51% of the company's stock. +iQIYI Company Profile ( NASDAQ:IQ ) +iQIYI, Inc, together with its subsidiaries, provides online entertainment services under the iQIYI brand name in China. It operates a platform that provides a collection of Internet video content, including professionally-produced content licensed from professional content providers and self-produced content \ No newline at end of file diff --git a/input/test/Test830.txt b/input/test/Test830.txt new file mode 100644 index 0000000..1f325b8 --- /dev/null +++ b/input/test/Test830.txt @@ -0,0 +1,29 @@ +US officials: Ex-IS fighter accepted in US as refugee Posted: Updated: (U.S. Attorney's Office via AP). This undated photo provided by the U.S. Attorney's Office shows Omar Abdulsattar Ameen. The refugee from Iraq was arrested Wednesday, Aug. 15, 2018, in Northern California on a warrant alleging that he killed an Iraqi p... (AP Photo/Rich Pedroncelli). A federal agent removes items from an apartment following the arrest of Omar Ameen, Wednesday, Aug. 15, 2018, in Sacramento, Calif. Ameen, a 45-year-old Iraqi refugee, was arrested on a warrant alleging that he killed an Ir... (AP Photo/Rich Pedroncelli). A woman carrying a child is escorted by authorities to an apartment following the arrest of a 45-year-old Iraqi refugee, Omar Ameen, Wednesday, Aug. 15, 2018, in Sacramento, Calif. Ameen was arrested on a warrant alleging t... (AP Photo/Rich Pedroncelli). A federal agent removes items from an apartment following the arrest of a 45-year-old Iraqi refugee, Omar Ameen, Wednesday, Aug. 15, 2018, in Sacramento, Calif. Ameen was arrested on a warrant alleging that he killed an Ira... (AP Photo/Rich Pedroncelli). A federal agent makes a call outside the apartment following the arrest of a 45-year-old Iraqi refugee, Omar Ameen, Wednesday, Aug. 15, 2018, in Sacramento, Calif. Ameen was arrested on a warrant alleging that he killed an ... +By DON THOMPSON and JULIE WATSONAssociated Press +SACRAMENTO, Calif. (AP) - An Iraqi man accused of killing for the Islamic State entered the U.S. as a refugee after claiming to be a victim of terrorism, in a case drawing attention amid the Trump administration's criticism of the resettlement program's vetting process. +Omar Abdulsattar Ameen, 45, was arrested in California on Wednesday and will be extradited to Iraq under a treaty with that nation, U.S. officials said. +He made his first appearance in federal court in Sacramento after his arrest at an apartment building in the state capital. +Ameen left Iraq and fled in 2012 to Turkey, where he applied to be accepted as a refugee to the U.S., according to court documents. +He was granted that status in June 2014. That same month, prosecutors say he returned to Iraq, where he killed a police officer in the town of Rawah after it fell to the Islamic State. Five months later, Ameen traveled to the United States to be resettled as a refugee. +Ameen was arrested by the FBI Joint Terrorism Task Force based on a warrant issued in May by an Iraqi federal court in Baghdad. Ameen could face execution for the "organized killing by an armed group," according to Iraqi documents filed in U.S. federal court. +Benjamin Galloway, one of Ameen's public defenders, said he had only 10 minutes to meet with his client prior to his initial court appearance, and attorneys hadn't decided whether to contest that Ameen is the man wanted by Iraqi authorities. +Ameen did not disclose his membership in two terrorist groups when he later applied for a green card in the United States, officials said. +The Trump administration has sharply criticized the Obama-era resettlement program for not doing enough to keep out terrorists. +The State Department said additional checks have since been implemented. +"The U.S. government identified and implemented additional security screening procedures to enable departments and agencies to more thoroughly review refugee applicants to identify potential threats to public safety and national security, with additional vetting for certain nationals of certain high-risk countries," the State Department said in a statement. +Seamus Hughes, of George Washington University's Program on Extremism, said most IS cases in the United States have involved U.S.-born citizens and that the case should be considered rare but illustrates holes in the system. +"There was clearly a number of tripwires that didn't go off in this vetting process," he said. +According to resettlement agencies in the United States, the U.S. vetting process is one of the world's toughest that has allowed in 3 million refugees since 1975 with not one arrested for carrying out a lethal terror attack on U.S. soil. +Most applicants spend at least three years being interviewed, undergoing biometric checks, medical exams, and filling out paperwork. Cases are screened by the Department of Defense, FBI, the Department of Homeland Security, and other agencies. +After they are resettled, refugees continue to undergo security checks in the United States for five years or more. +The Trump administration added requirements, including longer background checks and additional screenings for females and males between 14 and 50 from certain countries, including Iraq. It also drastically reduced the annual ceiling of refugee arrivals to the U.S. from 110,000 to 45,000. +Nayla Rush at the Center for Immigration Studies said nothing will make the program 100 percent safe. +"But improved vetting can ensure people like this Iraqi terrorist wearing a fake refugee hat have a lesser chance of being welcomed into the United States," she wrote in an email. +Ameen was identified by a witness to the slaying, according to the Iraqi documents. +The FBI's Joint Terrorism Task Force has been investigating Ameen since 2016, according to a court filing, and independently corroborated Ameen's involvement. +Ameen was part of a four-vehicle IS caravan that opened fire on the home of the Rawah police officer, Ihsan Abdulhafiz Jasim. Ameen fired the fatal shot into the man's chest as he lay on the ground, according to Iraqi documents. +IS later claimed responsibility for the slaying on social media. +Ameen also helped plant improvised bombs, transported militants, solicited funds, robbed supply trucks and kidnapped drivers on behalf of al-Qaida, according to court documents. +He was ordered held until his next court appearance on Monday. +___ +Associated Press reporters Sophia Bollag in Sacramento and Matthew Lee in Washington contributed to this story. Watson reported from San Diego. Copyright 2018 The Associated Press. All rights reserved. This material may not be published, broadcast, rewritten or redistributed. Can't Find Something \ No newline at end of file diff --git a/input/test/Test831.txt b/input/test/Test831.txt new file mode 100644 index 0000000..08e043c --- /dev/null +++ b/input/test/Test831.txt @@ -0,0 +1,16 @@ +Wallabies captain ready for injury return 1:14 pm +Wallabies captain Michael Hooper plans to "come out blazing" but concedes he may not last the full 80 minutes of Saturday night's Bledisloe Cup clash with the All Blacks in Sydney. +Hooper is returning from a hamstring injury suffered against Ireland eight weeks ago and says his meticulous rehabilitation program at both the NSW Waratahs and Wallabies had him ready to go. +"I've been lucky to have such a great team there to get me back into this game. I feel really ready and can't wait for tomorrow night," he said after Friday's captain's run at ANZ Stadium. +The ironman flanker has played virtually every minute of his 82 Tests for Australia but was coy when asked if he was 100 per cent confident in the hamstring. +"I'll tell you after the game tomorrow," the skipper said. +"It's one of those things; you tick all the boxes, you get to a point, I'm sitting here today feeling great about what I can do and I think I can make a difference in the game. +"I'm going to come out guns blazing." +The Wallabies are well covered for back-row replacements, with fellow specialist openside flanker David Pocock able to slot seamlessly into Hooper's void after starting at No.8 and 2018 Super Rugby champion Pete Samu at the ready on the bench. +"The best minutes to be on the field are at the back end of the game, so I'd love to be there," Hooper said when asked if he was likely to go the distance. +"However, it's what's best for the team and, if we can get a really good substitution there for myself or someone else, then that will be made." +Hooper said he, Pocock and blindside flanker Lukhan Tui were expecting another fierce battle at the breakdown with the All Blacks' loose forward trio of Sam Cane, Liam Squire and their own returning captain Kieran Read in his first Test back from spinal surgery. +"The speed of the ruck is so important at Test level,' he said. +"Yes, set piece has a part in handling momentum. But being able to maintain our ball and slow their ball is paramount. +"We know what they can do with ball in hand and we're fully capable of scoring points (with possession). +"So getting that area sorted is paramount, but the Kiwi players are very good there as well. \ No newline at end of file diff --git a/input/test/Test832.txt b/input/test/Test832.txt new file mode 100644 index 0000000..f507fa2 --- /dev/null +++ b/input/test/Test832.txt @@ -0,0 +1,11 @@ +Insperity Inc (NSP) Holdings Boosted by Comerica Bank Donna Armstrong | Aug 17th, 2018 +Comerica Bank raised its stake in shares of Insperity Inc (NYSE:NSP) by 1.9% during the 2nd quarter, according to the company in its most recent Form 13F filing with the Securities & Exchange Commission. The institutional investor owned 39,953 shares of the business services provider's stock after purchasing an additional 736 shares during the period. Comerica Bank's holdings in Insperity were worth $3,951,000 at the end of the most recent quarter. +A number of other institutional investors and hedge funds also recently bought and sold shares of NSP. Acadian Asset Management LLC lifted its holdings in Insperity by 69.6% during the second quarter. Acadian Asset Management LLC now owns 318,222 shares of the business services provider's stock valued at $30,310,000 after purchasing an additional 130,608 shares in the last quarter. Millennium Management LLC lifted its stake in shares of Insperity by 79.2% in the first quarter. Millennium Management LLC now owns 240,847 shares of the business services provider's stock worth $16,751,000 after buying an additional 106,443 shares in the last quarter. Intrinsic Edge Capital Management LLC purchased a new position in shares of Insperity in the first quarter worth about $6,730,000. American Century Companies Inc. purchased a new position in shares of Insperity in the first quarter worth about $6,409,000. Finally, Russell Investments Group Ltd. lifted its stake in shares of Insperity by 68.3% in the first quarter. Russell Investments Group Ltd. now owns 227,001 shares of the business services provider's stock worth $15,738,000 after buying an additional 92,146 shares in the last quarter. 78.29% of the stock is currently owned by institutional investors and hedge funds. Get Insperity alerts: +In related news, Chairman Paul J. Sarvadi sold 45,000 shares of the firm's stock in a transaction dated Monday, August 6th. The shares were sold at an average price of $104.97, for a total transaction of $4,723,650.00. Following the completion of the sale, the chairman now directly owns 582,052 shares in the company, valued at $61,097,998.44. The transaction was disclosed in a document filed with the SEC, which is available through the SEC website . Also, Director Richard G. Rawson sold 10,000 shares of the firm's stock in a transaction dated Wednesday, May 23rd. The stock was sold at an average price of $89.51, for a total transaction of $895,100.00. Following the sale, the director now owns 152,553 shares of the company's stock, valued at $13,655,019.03. The disclosure for this sale can be found here . Over the last 90 days, insiders have sold 143,340 shares of company stock valued at $15,260,433. 9.58% of the stock is owned by company insiders. +NSP has been the topic of several research reports. Zacks Investment Research raised shares of Insperity from a "hold" rating to a "buy" rating and set a $119.00 price target on the stock in a research note on Tuesday, August 7th. Robert W. Baird raised their price target on shares of Insperity from $69.00 to $95.00 and gave the stock an "outperform" rating in a research note on Monday, May 14th. First Analysis reissued an "equal weight" rating on shares of Insperity in a research note on Thursday, August 2nd. Roth Capital raised their price target on shares of Insperity from $88.00 to $123.00 and gave the stock a "buy" rating in a research note on Wednesday, August 1st. Finally, SunTrust Banks raised their price target on shares of Insperity to $85.00 and gave the stock a "hold" rating in a research note on Tuesday, May 1st. One investment analyst has rated the stock with a sell rating, two have assigned a hold rating and four have issued a buy rating to the stock. Insperity presently has a consensus rating of "Hold" and an average price target of $104.80. +NYSE:NSP opened at $112.10 on Friday. Insperity Inc has a twelve month low of $39.25 and a twelve month high of $113.20. The stock has a market capitalization of $4.65 billion, a PE ratio of 55.20, a price-to-earnings-growth ratio of 1.95 and a beta of 0.80. The company has a current ratio of 1.15, a quick ratio of 1.15 and a debt-to-equity ratio of 0.89. +Insperity (NYSE:NSP) last released its quarterly earnings data on Wednesday, August 1st. The business services provider reported $0.68 earnings per share (EPS) for the quarter, topping the Thomson Reuters' consensus estimate of $0.60 by $0.08. Insperity had a net margin of 3.06% and a return on equity of 122.44%. The firm had revenue of $922.30 million during the quarter, compared to analysts' expectations of $900.20 million. During the same period last year, the business earned $0.82 earnings per share. Insperity's revenue was up 15.9% compared to the same quarter last year. research analysts anticipate that Insperity Inc will post 3.17 earnings per share for the current year. +Insperity Profile +Insperity, Inc provides human resources (HR) and business solutions to enhance business performance for small and medium-sized businesses in the United States. The company offers its HR services through its Workforce Optimization and Workforce Synchronization solutions, which encompasses a range of human resources functions comprising payroll and employment administration, employee benefits, workers' compensation, government compliance, performance management and training, and development services. +Read More: How are Outstanding Shares Different from Authorized Shares? +Want to see what other hedge funds are holding NSP? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Insperity Inc (NYSE:NSP). Receive News & Ratings for Insperity Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Insperity and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test833.txt b/input/test/Test833.txt new file mode 100644 index 0000000..d026283 --- /dev/null +++ b/input/test/Test833.txt @@ -0,0 +1 @@ +Being a leading information-pushed company, we are captivated with the usage of knowledge for designing the perfect advertising mix for each client and then in fact optimization towards specific ROI metrics .

Undoubtedly, digital advertising and marketing tactics like content advertising, SEARCH ENGINE MARKETING, paid, influencer marketing and social media will all face adjustments within the coming year. The internet has such a low barrier to entry that one may do dozens of experiments for almost no value to check to see what sticks i \ No newline at end of file diff --git a/input/test/Test834.txt b/input/test/Test834.txt new file mode 100644 index 0000000..d9acaf1 --- /dev/null +++ b/input/test/Test834.txt @@ -0,0 +1,22 @@ +Browsers stuck in HTTP aren't blocking the cookies they should +In a paper presented at the USENIX Security Symposium this week, a trio of researchers from KU Leuven in Belgium describe how they developed a framework to analyze the enforcement of browser-based policies governing third-party requests. +First-party requests refer to network requests for resources – text, images, videos, and the like – from the domain associated with the visited website. Third-party requests refer to network requests for resources from websites other than the one displayed in the browser address bar. When websites run ads, they generally include code that makes third-party requests to ad servers. +Modern browsers will place cookie files in response to both first- and third-party requests and they do so in a way that's open to security risks, like cross-site request forgery and cross-site script inclusion, and to privacy abuse, like third-party tracking. +To mitigate these threats, the various browsers implement policies that disallow certain behavior. For example, a developer creating a website can set the SameSite attribute on the site's cookie to indicate that it should accompany only first-party requests. Other examples include the tracking protection modes offered by Firefox and Safari and browser extensions that try to restrict third-party cookies. +Gaps in the system The boffins from Belgium – Gertjan Franken, Tom Van Goethem and Wouter Joosen – used their testing framework and found that for 7 browsers, 31 ad blocking extensions and 15 anti-tracking extensions, the defenses put in place to prevent cookie abuse have gaps. Their test data is available on a website associated with their paper. +"Overall, we found that browser implementations exhibited a highly inconsistent behavior with regard to enforcing policies on third-party requests, resulting in a high number of bypasses," they state in their paper. +A number of the issues identified qualify as bugs, which they reported to concerned parties. For example, the researchers found that the option to block third-party cookies in Microsoft's Edge browser simply didn't work. +"For Edge, we found that, surprisingly, the option to block third-party cookies had no effect: all cookies that were sent in the instance with default settings, were also sent in the instance with custom settings," the paper says. +An Edge bug report was supposedly filed about this issue but the associated URL returns a page not found error. +For Firefox, the researchers found that the browser's Tracking Protection can be bypassed to allow cross-site requests to blacklisted domains and that requests initiated by the deprecated AppCache API can't easily be distinguished from requests coming from browser background processes, making such requests difficult to block. +Mozilla engineers are working on the Tracking Protection bug and have decided not to fix the AppCache issue because that API is being phased out. +Tor falls Chrome, Safari and Opera all had issues too, as did the Tor browser. The Cliqz browser, a Firefox fork tuned for privacy, was tripped by the inclusion of a data: URL as the value of an img src attribute. The researchers suggest this confused the browser engine and prevented third-party cookies from being removed. +Here's the offending code: + "> +The same held true for the ad blocking and anti-tracking extensions tested – a group that includes AdBlock Plus, Disconnect, Ghostery, and uBlock Origin, among others. For each one, there was at least one way to bypass promised protection. +The researchers expressed concern about the way some browsers, specifically Chrome and Opera, use the PDFium reader to render PDFs inside the browser. The extension can set cookies for third-party requests triggered by JavaScript code embedded in the PDFs. +"Because PDFs can be included in iframes, and thus made invisible to the end user, and because it can be used to send authenticated POST requests, this bypass technique could be used to track users or perform cross-site attacks without raising the attention of the victim," they observe in their paper. +Google bod wants cookies to crumble and be remade into something more secure READ MORE At the time they disclosed the issue, PDFium only sent requests and wasn't set up to receive response data. However, the researchers spotted a placeholder comment in the Chromium PDF handling source code indicating the intent to return a response, which could open the door to cross-site script injection and cross-site timing attacks. +Back in March when Google's engineers were discussing the researchers' bug report, it appeared the issue might not be easy to fix. Google software engineer Robert Cronin explained that PDFium qualifies as an extension even though it is built into the browser and extensions cannot modify other extensions for security reasons. The only real work around at the time was to use a different PDF rendering tool. +But after some back and forth, it was decided that a user's decision to block JavaScript in the browser should carry over to PDFs displayed in the browser and a patch landed in late May. +The KU Leuven trio argues that their findings demonstrate the need to continually test browsers as new features get added to ensure that privacy promises conform with capabilities.  \ No newline at end of file diff --git a/input/test/Test835.txt b/input/test/Test835.txt new file mode 100644 index 0000000..0bf164b --- /dev/null +++ b/input/test/Test835.txt @@ -0,0 +1,27 @@ +Share August 16, 2018 at 1:13 pm +FILE- In this April 26, 2018, file photo, Vincent Pepe enjoys some fresh air outside the New York Stock Exchange where he works trading cotton shares for VLM Commodities in the Financial District in New York. The U.S. stock market opens at 9:30 a.m. EDT on Thursday, Aug 16. (AP Photo/Kathy Willens, File) +NEW YORK (AP) — The latest on developments in financial markets (all times local): +4 p.m. +Stocks are closing higher on Wall Street following strong results from Walmart and signs of progress in defusing the trade dispute between China and the U.S. +Walmart jumped 9.3 percent Thursday after reporting its strongest sales growth in a decade as well as a surge in online sales. +Boeing jumped 4 percent, and Teva Pharmaceuticals rose 7.3 percent after regulators approved its generic version of Mylan's EpiPen allergy treatment. +The S&P 500 index rose 22 points, or 0.8 percent, to 2,840. +The Dow Jones Industrial Average rose 396 points, or 1.6 percent, to 25,558. The Nasdaq composite rose 32 points, or 0.4 percent, to 7,806. +Bond prices fell. The yield on the 10-year Treasury rose to 2.86 percent. +___ +11:45 a.m. +Stocks are sharply higher in midday trading on Wall Street following strong results from Walmart and signs of progress in defusing the trade dispute between China and the U.S. +Walmart jumped 10 percent Thursday after reporting stronger sales growth, including online. It also raised its forecasts for the year. +Investors were encouraged to see that China was sending a trade envoy to Washington, which would be the first talks between the two countries since June. +The S&P 500 index rose 26 points, or 0.9 percent, to 2,844. +The Dow Jones Industrial Average rose 360 points, or 1.4 percent, to 25,523. The Nasdaq composite rose 67 points, or 0.9 percent, to 7,841. +Bond prices fell. The yield on the 10-year Treasury rose to 2.89 percent. +___ +9:35 a.m. +Strong results from Walmart and hopes for progress on trade with China are helping to send stock prices higher in early trading. +Walmart jumped 10 percent early Thursday after reporting stronger sales growth, including online. It also raised its forecasts for the year. +Investors were encouraged to see that China was sending a trade envoy to Washington, which would be the first talks between the two countries since June. +The S&P 500 index rose 19 points, or 0.7 percent, to 2,837. +The Dow Jones Industrial Average rose 279 points, or 1.1 percent, to 25,440. The Nasdaq composite rose 48 points, or 0.6 percent, to 7,825. +Bond prices fell. The yield on the 10-year Treasury rose to 2.86 percent. +Copyright © The Associated Press. All rights reserved. This material may not be published, broadcast, rewritten or redistributed \ No newline at end of file diff --git a/input/test/Test836.txt b/input/test/Test836.txt new file mode 100644 index 0000000..d39864f --- /dev/null +++ b/input/test/Test836.txt @@ -0,0 +1,12 @@ +by 2015-2023 World Trimethyl Orthoformate Market Research Report by Product Type, End-User (Application) and Regions (Countries) +The comprehensive analysis of Global Trimethyl Orthoformate Market along with the market elements such as market drivers, market trends, challenges and restraints. The various factors which will help the buyer in studying the Trimethyl Orthoformate market on competitive landscape analysis of prime manufacturers, trends, opportunities, marketing strategies analysis, Market Effect Factor Analysis and Consumer Needs by major regions, types, applications in Global market considering the past, present and future state of the industry.In addition, this report consists of the in-depth study of potential opportunities available in the market on a global level. +The report begins with a market overview and moves on to cover the growth prospects of the Trimethyl Orthoformate market. The current environment of the global Trimethyl Orthoformate industry and the key trends shaping the market are presented in the report. Insightful predictions for the coming few years have also been included in the report. These predictions feature important inputs from leading industry experts and take into account every statistical detail regarding the Trimethyl Orthoformate market. The market is growing at a very rapid face and with rise in technological innovation, competition and M&A activities in the industry many local and regional vendors are offering specific application products for varied end-users. +Request for free sample report @ https://www.indexmarketsresearch.com/report/2015-2023-world-trimethyl-orthoformate-market/17145/#requestforsample +The statistical surveying report comprises of a meticulous study of the Trimethyl Orthoformate Market along with the industry trends, size, share, growth drivers, challenges, competitive analysis, and revenue. The report also includes an analysis on the overall market competition as well as the product portfolio of major players functioning in the market. To understand the competitive scenario of the market, an analysis of the Porter's Five Forces model has also been included for the market.This market research is conducted leveraging the data sourced from the primary and secondary research team of industry professionals as well as the in-house databases. Research analysts and consultants cooperate with the key organizations of the concerned domain to verify every value of data exists in this report. +Trimethyl Orthoformate industry report contains proven by regions, especially Asia-Pacific, North America, Europe, South America, Middle East & Africa, focusing top manufacturers in global market, with Production, price, revenue and market share for each manufacturer, covering following top players: Zibo Wanchang, Linshu Huasheng Chemical, Shandong Xinhua Pharmaceutical, Sinobioway Biomedicine, Zhonglan Industry +Split By Product Type, With Production, Income, Value, Market Share, And Development Rate Of Each Kind Can Be Partitioned Into: <95%, 95%-97%, 97%-99%, >99%. +Split By Application, This Report Centers Around Utilization, Market Share And Development Rate In Every Application, Can Be Categorized Into: Medical, Textile, Dye, Others. +Key Reasons to Purchase: 1) To gain insightful analyses of the market and have comprehensive understanding of the Trimethyl Orthoformate Market and its commercial landscape. 2) Assess the Trimethyl Orthoformate Market production processes, major issues, and solutions to mitigate the development risk. 3) To understand the most affecting driving and restraining forces in the Trimethyl Orthoformate Market and its impact in the global market. 4) Learn about the market strategies that are being adopted by leading respective organizations. 5) To understand the outlook and prospects for Trimethyl Orthoformate Market. +Get 25% Discount Click here @ https://www.indexmarketsresearch.com/report/2015-2023-world-trimethyl-orthoformate-market/17145/#inquiry +Topics such as sales and sales revenue overview, production market share by product type, capacity and production overview, import, export, and consumption are covered under the development trend section of the Trimethyl Orthoformate market report.Lastly, the feasibility analysis of new project investment is done in the report, which consist of a detailed SWOT analysis of the Trimethyl Orthoformate market. +Get Customized report please contact \ No newline at end of file diff --git a/input/test/Test837.txt b/input/test/Test837.txt new file mode 100644 index 0000000..61f4513 --- /dev/null +++ b/input/test/Test837.txt @@ -0,0 +1,10 @@ +Bellevue Group AG Purchases Shares of 193,125 Auris Medical Holding AG (EARS) Stephan Jacobs | Aug 17th, 2018 +Bellevue Group AG purchased a new position in shares of Auris Medical Holding AG (NASDAQ:EARS) in the second quarter, according to its most recent Form 13F filing with the Securities and Exchange Commission (SEC). The fund purchased 193,125 shares of the biotechnology company's stock, valued at approximately $151,000. +Separately, Sofinnova Ventures Inc bought a new stake in shares of Auris Medical during the first quarter worth approximately $1,251,000. Hedge funds and other institutional investors own 26.31% of the company's stock. Get Auris Medical alerts: +EARS opened at $0.24 on Friday. The company has a quick ratio of 1.40, a current ratio of 1.40 and a debt-to-equity ratio of -3.12. Auris Medical Holding AG has a fifty-two week low of $0.23 and a fifty-two week high of $9.50. +Auris Medical (NASDAQ:EARS) last posted its quarterly earnings results on Tuesday, May 15th. The biotechnology company reported ($0.32) earnings per share for the quarter. +Separately, ValuEngine raised shares of Auris Medical from a "sell" rating to a "hold" rating in a research note on Wednesday, May 2nd. +About Auris Medical +Auris Medical Holding AG, a clinical-stage biopharmaceutical company, focuses on the development of novel products for the treatment of inner ear disorders. Its product candidates include AM-101, which is in phase III clinical development for the treatment of acute inner ear tinnitus; and AM-111 that is in phase III clinical development for the treatment of acute inner ear hearing loss. +Featured Story: Closed-End Mutual Funds +Want to see what other hedge funds are holding EARS? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Auris Medical Holding AG (NASDAQ:EARS). Receive News & Ratings for Auris Medical Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Auris Medical and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test838.txt b/input/test/Test838.txt new file mode 100644 index 0000000..c5c45ab --- /dev/null +++ b/input/test/Test838.txt @@ -0,0 +1,14 @@ +Internet Marketing , Marketing , Web Marketing landing page transga2 +Quality landing pages are an essential part of converting people to paying customers. +You need to provide someone with a place to land, so to speak, when they click through to your site. You also need to encourage them to take the next step after the landing page. But if you're confused about how to accomplish these goals, you aren't alone. +A lot of business owners are overwhelmed or confused about how a landing page works and how to create the best one for their site. +If you are at a loss for where to begin, take a look at these tips to help you get started on making a great landing page that will work for your business: +Figure Out a Single Goal for Each Landing Page +Typically, landing pages are linked to a particular marketing campaign. For instance, you might send out an email encourage visitors to click through the landing page and have the email and landing page focus on a particular theme. +When you design a campaign like this, you'll want to establish clear goals for the landing page that are in line with the overall campaign. For instance, you might want 50 people of the 500 you contact to sign up for a webinar. Establishing what you want your landing page to accomplish in advance is an important part of its long-term success. +Figure Out How Visitors Will Arrive at the Landing Page +As mentioned above, it might be via an email link. Or it might be a PPC ad. Or via organic search. All of these options can work, but you need to decide which is going to work best for you and feel natural for visitors. The transition from entry point to landing page and onward should feel smooth and seamless. +Determine What the Overall Style of the Content Should Be +Just as you would with any marketing materials, you will want your landing page to reflect your brand. It should also include keywords and phrases and fit with the overall theme of your business. It as also important to make sure its design is mobile friendly so it can be accessed by anyone. +Finally, you will want to test your landing pages and make sure they are working for you. This can also help you improve on future landing pages. +If you would like more information or you are ready to design a winning landing page, give us a call! Share on Social Media Sites: Post navigatio \ No newline at end of file diff --git a/input/test/Test839.txt b/input/test/Test839.txt new file mode 100644 index 0000000..10312e2 --- /dev/null +++ b/input/test/Test839.txt @@ -0,0 +1,2 @@ +Entrada de datos Looking for Data Entry of Market Survey Reports +A market survey is being conducted across 174 outlets of a fashion brand in India. The field force records its observations in a software tool. The dump from the software tool will be provided for text improvement and basic quality check. We need to finish data entry and quality check by 22nd of August, 2018. ¡Ofrécete a trabajar en este proyecto ahora! El proceso de oferta termina en 6 días. Abierto - quedan 6 días Tu oferta para este trabajo INR Establece tu presupuesto y plazo Describe tu propuesta Consigue pago por tu trabajo Es gratis registrarse y ofertar en los trabajos 13 freelancers están ofertando el promedio de ₹1142 para este trabajo Greetings! Dear sir,I am fully proficient in these given skills:- (1) Lead Generation; (2) Email Marketing; (3) Data Entry; (4) Data Mining; (5) Web Researching; (6) Linkedin Researching; (7) MS Office; (8) PDF to Exce Más ₹1300 INR en 1 día (12 comentarios) Dear Client: If you are in the searching of right FREELANCER for your project then you are at the RIGHT place. Welcome to MY Profile. Urgent Services of Data Entry Web Search Document Formatting Creating Exce Más ₹1300 INR en 1 día (10 comentarios) AlieGhazanfar "Greetings! My name is Ali Ghazanfar and I am an expert in Data Entry. I would love to have the opportunity to discuss your project with you. I can do it right now and I will not stop until it's finished. Thank you Más ₹1500 INR en 1 día (9 comentarios \ No newline at end of file diff --git a/input/test/Test84.txt b/input/test/Test84.txt new file mode 100644 index 0000000..c5f3cc1 --- /dev/null +++ b/input/test/Test84.txt @@ -0,0 +1,8 @@ +Millions of people uncomfortable talking about death, study finds Author: Alan Jones , 17 August 2018 +PEOPLE often only start to consider their mortality after the death of a family member, a medical diagnosis or when they reach a milestone age, according to a new study. +Research by the Co-op suggests millions of people are uncomfortable talking about death. +More than 30,000 responded to the survey, with half saying the loss of a close relative or friend is their first recollection of death. +The death of a family member was the main reason for considering mortality, followed by reaching a milestone age, medical diagnosis and news reports of death. +The Co-op suggested asking someone if they are okay, offering to help, or giving them time off work are most helpful during a bereavement, rather than avoiding the subject. +Robert MacLachlan, managing director of Co-op Funeralcare and Life Planning, said: "We see increasingly that a failure to properly deal with death has a knock-on impact for the bereaved, affecting mental health and also triggering financial hardship. +"We're committed to doing right by our clients and more needs to be done nationally to tackle this. \ No newline at end of file diff --git a/input/test/Test840.txt b/input/test/Test840.txt new file mode 100644 index 0000000..ff9735c --- /dev/null +++ b/input/test/Test840.txt @@ -0,0 +1 @@ +India Red face India Green in Duleep Trophy domestic season opener 6 hours ago Aug 17, 2018 IANS Dindigul (Tamil Nadu), Aug 16 : Defending champions India Red will take on India Green in the opener of the 57th Duleep Trophy at the NPR College ground here on Friday, marking the start of the 2018-19 domestic cricket season in the country. India Blue side is the third team in the competition that will be played under lights with the pink ball. The tournament will see three round-robin four-day matches followed by the final, that will be played from September 4 over five days. The India Red side will be led by local boy and discarded Test opener Abhinav Mukund, who will be looking to make the most of the chances, and present his case to the BCCI selectors, given the poor form of the India openers in the ongoing England tour. His opposite number in the India Green side, Parthiv Patel will also be aiming to make his way back to the Test side, considering the absence of regular Test keeper Wriddhiman Saha due to injury and the dismal performance of Dinesh Karthik in the opening two Tests of the five-match rubber against England. Besides the two captains, the selectors will also keep a close watch on the young guns on either side. While the India Red side boasts of youngsters like Baba Aparajith, Ishan Porel, Abhimanyu Mithun and Rajneesh Gurbani, among others, the India Green squad has a few well-known names in Ashoke Dinda, Ankit Rajpoot, Baba Indrajith, Karn Sharma and Jalaj Saxena, among others. The India Blue side will be spearheaded by Vidarbha captain Faiz Fazal and includes the discarded India pace duo of Dhawal Kulkarni and Jaydev Unadkat, along with youngsters in Basil Thampi, Swapnil Singh and Dhruv Shorey, among others. Squads: India Red: Abhinav Mukund (Captain) R.Sanjay, Ashutosh Singh, Baba Aparajith, Writtick Chatterjee, B.Sandeep, Akshay Wadkar(WK), Shahbaz Nadeem, Mihir Hirwani, Parvez Rasool, Rajneesh Gurbani, A Mithun, Ishan Porel, Y.Prithvi Raj. India Green: Parthiv Patel (Captain iamp; WK), Prashant Chopra, Priyank Panchal, Sudeep Chatterjee, Gurkeerat Mann, Baba Indrajith, V.P.Solanky, Jalaj Saxena, Karn Sharma, Vikas Mishra, K.Vignesh, Ankit Rajpoot, Ashoke Dinda, Atith Sheth. India Blue: Faiz Fazal (Captain), Abhishek Raman, Anmolpreet Singh, Ganesh Satish, N.Gangta, Dhruv Shorey, K.S. Bharat (WK), Akshay Wakhare, Saurav Kumar, Swapnil Singh, Basil Thampi, B Ayappa, Jaydev Unadkat, Dhawal Kulkarni. Share it \ No newline at end of file diff --git a/input/test/Test841.txt b/input/test/Test841.txt new file mode 100644 index 0000000..c963154 --- /dev/null +++ b/input/test/Test841.txt @@ -0,0 +1 @@ +India Red face India Green in Duleep Trophy domestic season opener 13:31 File Image (Twitter) Dindigul (Tamil Nadu): Defending champions India Red will take on India Green in the opener of the 57th Duleep Trophy at the NPR College ground here on Friday, marking the start of the 2018-19 domestic cricket season in the country. India Blue side is the third team in the competition that will be played under lights with the pink ball. The tournament will see three round-robin four-day matches followed by the final, that will be played from September 4 over five days. The India Red side will be led by local boy and discarded Test opener Abhinav Mukund, who will be looking to make the most of the chances, and present his case to the BCCI selectors, given the poor form of the India openers in the ongoing England tour. His opposite number in the India Green side, Parthiv Patel will also be aiming to make his way back to the Test side, considering the absence of regular Test keeper Wriddhiman Saha due to injury and the dismal performance of Dinesh Karthik in the opening two Tests of the five-match rubber against England. Besides the two captains, the selectors will also keep a close watch on the young guns on either side. Also Read: BCCI giving cold shoulder to domestic openers even after India's continuous flop show While the India Red side boasts of youngsters like Baba Aparajith, Ishan Porel, Abhimanyu Mithun and Rajneesh Gurbani, among others, the India Green squad has a few well-known names in Ashoke Dinda, Ankit Rajpoot, Baba Indrajith, Karn Sharma and Jalaj Saxena, among others. The India Blue side will be spearheaded by Vidarbha captain Faiz Fazal and includes the discarded India pace duo of Dhawal Kulkarni and Jaydev Unadkat, along with youngsters in Basil Thampi, Swapnil Singh and Dhruv Shorey, among others. Squads: India Red: Abhinav Mukund (Captain) R.Sanjay, Ashutosh Singh, Baba Aparajith, Writtick Chatterjee, B.Sandeep, Akshay Wadkar(WK), Shahbaz Nadeem, Mihir Hirwani, Parvez Rasool, Rajneesh Gurbani, A Mithun, Ishan Porel, Y.Prithvi Raj. India Green: Parthiv Patel (Captain & WK), Prashant Chopra, Priyank Panchal, Sudeep Chatterjee, Gurkeerat Mann, Baba Indrajith, V.P.Solanky, Jalaj Saxena, Karn Sharma, Vikas Mishra, K.Vignesh, Ankit Rajpoot, Ashoke Dinda, Atith Sheth. India Blue: Faiz Fazal (Captain), Abhishek Raman, Anmolpreet Singh, Ganesh Satish, N.Gangta, Dhruv Shorey, K.S. Bharat (WK), Akshay Wakhare, Saurav Kumar, Swapnil Singh, Basil Thampi, B Ayappa, Jaydev Unadkat, Dhawal Kulkarni \ No newline at end of file diff --git a/input/test/Test842.txt b/input/test/Test842.txt new file mode 100644 index 0000000..fdeca0c --- /dev/null +++ b/input/test/Test842.txt @@ -0,0 +1,14 @@ +2019: Ex-VP Atiku Abubakar vows to unite Nigeria if elected president By - August 17, 2018 +Former Vice President, Alhaji Atiku Abubakar, thursday in Enugu State vowed to unite Nigeria if elected president in 2019, lamenting that the country has never been "this divided in its history from independence till date." +Atiku, who is also one of the politicians seeking the ticket of the Peoples Democratic Party (PDP) for the 2019 presidential election, stated this when he took his nationwide tour to the state where he met with party leaders at the party's secretariat. +The former vice president who literally shut down the Coal City state, having driven through major roads from the Akanu Ibiam International airport with thousands of supporters to the party office, declared that he remained the most prepared of all the aspirants to pull the country out of its present decrepit level. +While urging Nigerians to unite against the re-election of the All Progressives Congress (APC) led-President Muhammadu Buhari's administration in 2019, Atiku lamented that the administration had almost destroyed all the fabrics holding the country together and as such, does not deserve a second mandate. +He said the present administration had totally abandoned all its electioneering promises of enthroning genuine change in the country, adding that while insecurity had assumed a higher proportion, the economy had totally crumbled. +The presidential aspirant appealed to party leaders and delegates from the state PDP to support his bid to clinch the party's ticket during its primary election later in the year, insisting that he possessed the political, economic and administrative acumen to lead Nigeria from poverty to prosperity. +The ex-VP expressed dismay that the present administration had grounded the economy from economic growth rate of seven percent it inherited from former President, Dr. Goodluck Jonathan, to less than two percent. +He added that unemployment was on the increase, while every year, since 2015 when APC took over the reins of governance, about three million jobs had been lost annually. +"So if you are looking for an experienced politician, I'm here. If you are looking for a politician who has the experience of governing, I'm also here. If you are looking for a politician who is a business man, who can create jobs for you, who can bring about investment for this country, I'm also here. If you are looking for a politician who can unite this country, whether you are Igbo, Yoruba, Hausa or Fulani, whatever you are, I'm also here. +"So, my brothers and sisters of Enugu State, we are facing challenging times in our country. Today, our economy is at its lowest ebb. You know what? The last PDP government of President Jonathan achieved an economic growth of over seven percent; this government took it over and crashed it to less than two percent. +"This government has brought the worst insecurity in this country. Today, in my part of the country, our traders cannot go to the market, our farmers cannot farm simply because they might be kidnapped and killed," he lamented. +Some of the party leaders who spoke at the event, including former National Chairman of PDP, Dr. Okwesilieze Nwodo; former Minister of State for Foreign Affairs, Chief Dubem Onyia; Senator Fidelis Okolo, Senator Hyde Onuaguluchi and the state Chairman of PDP, Chief Augustine Nnamani, represented by his deputy, Mr. Innocent Ezeoha, extolled the leadership credentials of the former vice president. +According, to them, the presidential aspirant possessed the wherewithal to lead the country out of the woods and to economic prosperity. Get more stories like this on Twitter & Facebook AD: To get thousands of free final year project topics and materials sorted by subject to help with your research [click here] Shar \ No newline at end of file diff --git a/input/test/Test843.txt b/input/test/Test843.txt new file mode 100644 index 0000000..90be945 --- /dev/null +++ b/input/test/Test843.txt @@ -0,0 +1,3 @@ +The Smarter way to get your business news - Subscribe to BloombergQuint on WhatsApp +#AskBQ is BloombergQuint's daily offering where market experts help investors make the right investment decisions in the equity market. +In today's episode Aditya Agarwala, technical research analyst, Yes Securities, and Sharmil \ No newline at end of file diff --git a/input/test/Test844.txt b/input/test/Test844.txt new file mode 100644 index 0000000..632c6dd --- /dev/null +++ b/input/test/Test844.txt @@ -0,0 +1,6 @@ +August 17, 2018 05:19 ET | Source: Spectrum ASA +Jan Schoolmeesters, Chief Operating Officer at Spectrum, has on Friday August 17th bought 12,500 shares in Spectrum ASA at a price of NOK 55.94 per share. Following this transaction Jan Schoolmeesters holds 46,961 ordinary shares and 755,000 options in Spectrum ASA. +For further information, please contact: +Henning Olset; CFO Mobile phone: +47 922 66948 +About Spectrum Spectrum provides innovative Multi-Client seismic surveys and seismic imaging services to the global oil and gas industry from offices in Norway, the UK, USA, Brazil, Egypt, Australia, Indonesia and Singapore. Spectrum designs, acquires and processes seismic data to deliver high quality solutions through its dedicated and experienced workforce. Spectrum holds the world's largest library of Multi-Client 2D marine seismic data and a significant amount of 3D seismic. The company's strategy focuses on both the major, established hydrocarbon producing regions of the world as well as key frontier areas identified by our experienced team of geoscientists. The Spectrum library of Multi-Client data contains projects from many of the foremost oil producing regions of the world. These include new acquisition, reprocessing and interpretation reports +This information is subject to the disclosure requirements pursuant to section 5 -12 of the Norwegian Securities Trading Act. More articles issued by Spectrum ASA More articles related to \ No newline at end of file diff --git a/input/test/Test845.txt b/input/test/Test845.txt new file mode 100644 index 0000000..3d6fb8c --- /dev/null +++ b/input/test/Test845.txt @@ -0,0 +1,9 @@ +Comerica Bank Has $4.03 Million Holdings in Wageworks Inc (WAGE) Donna Armstrong | Aug 17th, 2018 +Comerica Bank raised its holdings in shares of Wageworks Inc (NYSE:WAGE) by 5.8% in the second quarter, HoldingsChannel reports. The firm owned 77,229 shares of the business services provider's stock after purchasing an additional 4,252 shares during the period. Comerica Bank's holdings in Wageworks were worth $4,028,000 as of its most recent SEC filing. +Several other hedge funds and other institutional investors have also made changes to their positions in WAGE. Conestoga Capital Advisors LLC increased its stake in shares of Wageworks by 28.3% during the second quarter. Conestoga Capital Advisors LLC now owns 1,842,771 shares of the business services provider's stock valued at $92,139,000 after purchasing an additional 406,305 shares in the last quarter. Fred Alger Management Inc. increased its stake in shares of Wageworks by 24.1% during the second quarter. Fred Alger Management Inc. now owns 1,494,670 shares of the business services provider's stock valued at $74,734,000 after purchasing an additional 290,577 shares in the last quarter. Dimensional Fund Advisors LP increased its stake in shares of Wageworks by 220.3% during the first quarter. Dimensional Fund Advisors LP now owns 418,718 shares of the business services provider's stock valued at $18,926,000 after purchasing an additional 287,985 shares in the last quarter. Chicago Capital LLC increased its stake in shares of Wageworks by 133.2% during the second quarter. Chicago Capital LLC now owns 484,544 shares of the business services provider's stock valued at $24,227,000 after purchasing an additional 276,725 shares in the last quarter. Finally, Millennium Management LLC increased its stake in shares of Wageworks by 38.5% during the first quarter. Millennium Management LLC now owns 733,890 shares of the business services provider's stock valued at $33,172,000 after purchasing an additional 203,837 shares in the last quarter. Get Wageworks alerts: +WAGE has been the subject of a number of analyst reports. SunTrust Banks decreased their target price on shares of Wageworks to $62.00 and set a "buy" rating for the company in a research note on Wednesday, May 23rd. Zacks Investment Research downgraded shares of Wageworks from a "strong-buy" rating to a "hold" rating in a research report on Thursday, April 26th. ValuEngine raised shares of Wageworks from a "strong sell" rating to a "sell" rating in a research report on Wednesday, May 2nd. Stifel Nicolaus reduced their price target on shares of Wageworks from $80.00 to $64.00 and set a "buy" rating for the company in a research report on Wednesday, June 27th. Finally, William Blair began coverage on shares of Wageworks in a research report on Wednesday, May 30th. They set an "outperform" rating for the company. One equities research analyst has rated the stock with a sell rating, three have issued a hold rating and four have given a buy rating to the stock. The company has a consensus rating of "Hold" and a consensus target price of $66.60. +Shares of WAGE opened at $52.05 on Friday. The company has a market cap of $2.17 billion, a P/E ratio of 43.84, a PEG ratio of 2.15 and a beta of 1.14. Wageworks Inc has a twelve month low of $38.40 and a twelve month high of $65.80. +About Wageworks +WageWorks, Inc engages in administering consumer-directed benefits (CDBs), which empower employees to save money on taxes, as well as provides corporate tax advantages for employers in the United States. It administers CDBs, including pre-tax spending accounts, such as health savings accounts (HSAs), health and dependent care flexible spending accounts (FSAs), and health reimbursement arrangements (HRAs), as well as offers commuter benefit services, including transit and parking programs, wellness programs, Consolidated Omnibus Budget Reconciliation Act, and other employee benefits. +Featured Story: What are Closed-End Mutual Funds? +Want to see what other hedge funds are holding WAGE? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Wageworks Inc (NYSE:WAGE). Receive News & Ratings for Wageworks Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Wageworks and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test846.txt b/input/test/Test846.txt new file mode 100644 index 0000000..fac2260 --- /dev/null +++ b/input/test/Test846.txt @@ -0,0 +1,15 @@ +From Brutus to Petronella... straight to Shaka, it's becoming more evident to viewers that actors of The Queen are living their best lives when it comes to improvising, but they ain't complaining. +Day after day viewers find themselves rolling on the floor with laughter because of some crazy line, which is often thrown into the hilarious conversations on the series. +Actors, like Thembsie Matu have admitted that although they mainly follow the script, they also improvise where they see fit. +Twitter was quite convinced that Shaka's "frustrated line" on Thursday night was one of those moments. They loved it so much they even forgave him for always saying "balance me quickly". +Of course tweeps had the memes. +#TheQueenMzansi Bathong!!!Shaka called Dollar "Bhuty weShirt eneFrustration!! pic.twitter.com/Fudqv7ZxIz +— Phila_Romeo#2 (@phila_rom) August 16, 2018 #TheQueenMzansi lol shaka buti we suede le hemp ye frustration pic.twitter.com/XIMG6C8xoC +— Just'Motso (@Khomots90222263) August 16, 2018 @Mzansimagic #TheQueenMzansi "Nge hembe lakho le frustration"-Shaka pic.twitter.com/3HXIqJq3bE +— #DankieSan (@TumiracleTweets) August 16, 2018 "bhuti we suede ne shirt le frustration" - Shaka #TheQueenMzansi pic.twitter.com/mNNnokLmNu +— Ereng Large Ka Nako Eo (@FudgeeStar05) August 16, 2018 "Bhut' we suade, ishirt lakho le frustration" mara Shaka +A line for days #TheQueenMzansi pic.twitter.com/kmsNjJkxGj +— Lehlabile Davhana (@LehlaDavhy) August 16, 2018 Bathi nge shirt le frustration Shaka kodwa I'm dead ok #TheQueenMzansi pic.twitter.com/EeXEbKTWbN +— Bonginkosi B* Mbele (@BongiBMbele) August 16, 2018 Dollar ka hempe ya frustration .. Shaka Watsa ge a bolela ono ngaya bahn #TheQueenMzansi pic.twitter.com/ydyZuFkuLZ +— ♥�Lulama♥� (@Charity_Tia) August 16, 2018 And just in case you are wondering what a "frustrated shirt" looks like... +Here's what Zodwa Wabantu has to say about 'staying power' "Keep your money moves mute!" says Zodwa. TshisaLIVE 3 hours ago Ntsiki Mazwai on alcohol & drugs ruining the entertainment industry "Grahamstown saved my life," says Ntsiki Mazwai. TshisaLIVE 5 hours ago Caiphus Semenya pays tribute to jazz pioneer Queeneth Ndaba Queeneth died on Wednesday at the age of 82. The star captivated audiences in the 50s and 60s and helped launch the careers of the late Miriam ... TshisaLIVE 22 hours ago WATCH LIVE | Mourners gather for ProKid's memorial Mourners have gathered at Bassline in Johannesburg to celebrate ProKid's life. TshisaLIVE 21 hours ag \ No newline at end of file diff --git a/input/test/Test847.txt b/input/test/Test847.txt new file mode 100644 index 0000000..93c9283 --- /dev/null +++ b/input/test/Test847.txt @@ -0,0 +1,9 @@ +Nidec (NJDCY) Downgraded by Zacks Investment Research to "Hold" Caroline Horne | Aug 17th, 2018 +Zacks Investment Research downgraded shares of Nidec (OTCMKTS:NJDCY) from a buy rating to a hold rating in a research note published on Tuesday. +According to Zacks, "Nidec Corp and its subsidiaries are primarily engaged in the design, development, manufacturing and marketing of i) small precision motors, ii) mid-size motors, iii) machinery and power supplies, and iv) other products, which include auto parts, pivot assemblies, encoders and other services. Manufacturing operations are located primarily in Asia and they have sales subsidiaries in Asia, North America and Europe. " Get Nidec alerts: +Separately, ValuEngine upgraded Nidec from a hold rating to a buy rating in a report on Wednesday, May 2nd. +OTCMKTS NJDCY opened at $34.27 on Tuesday. The stock has a market capitalization of $41.89 billion, a P/E ratio of 34.27, a P/E/G ratio of 1.30 and a beta of 0.97. The company has a quick ratio of 1.57, a current ratio of 2.09 and a debt-to-equity ratio of 0.35. Nidec has a 12 month low of $27.55 and a 12 month high of $42.27. +About Nidec +Nidec Corporation manufactures and sells motors and other electronic products worldwide. It offers brushless DC, brush DC, induction, SR, synchronous, servo, and stepping motors, as well as drive circuits; fans and blowers, such as DC axial flow, DC blower, and AC axial flow fans; and machinery, including inspection and measuring systems, automation units, control equipment, marking devices, and optical devices. +Get a free copy of the Zacks research report on Nidec (NJDCY) +For more information about research offerings from Zacks Investment Research, visit Zacks.com Receive News & Ratings for Nidec Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Nidec and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test848.txt b/input/test/Test848.txt new file mode 100644 index 0000000..110f99d --- /dev/null +++ b/input/test/Test848.txt @@ -0,0 +1,18 @@ +Chinese yuan gains increasing popularity in Africa 0 2018-08-17 14:06 By: Xinhua +HARARE, Aug. 17 (Xinhua) -- The Chinese currency renminbi (RMB), or the yuan, has attracted more and more attention in African countries with its advantages in facilitating China-Africa trade and investment, optimizing the structure of foreign exchange reserves and stabilizing the financial system. +Officials, experts and scholars from various African countries have seen it as an inevitable trend for the RMB to be adopted as Africa's reserve and settlement currency in the future, which will not only benefit local economic development, but also boost the internationalization of the RMB. +RMB GAINS INCREASING POPULARITY IN AFRICA +Officials of central banks and finance ministries from 14 African countries have suggested considering the RMB as a reserve currency and expanding its use on the whole continent, said Caleb Fundanga, executive director of the Macro Economic and Financial Management Institute (MEFMI) of Eastern and Southern Africa. +Given China's growing share of the global economy and its status as an important trading partner for countries in the region, it would be beneficial for African countries to use the RMB as a reserve currency, Fundanga said. +It is reported that countries such as Rwanda have included the RMB into their foreign exchange reserves. South Africa, Nigeria and others have signed currency swap agreements with China, while Kenya, Zimbabwe and Botswana have shown a strong interest in using the RMB as a reserve or settlement currency. +Doreen Makumi, corporate communications manager at National Bank of Rwanda, told reporters that given the rapid growth of bilateral trade, Rwanda has had the RMB in its foreign reserves since 2016, which has provided ample foreign exchange facilitating transactions between the two sides. +ADOPTING RMB AS RESERVE CURRENCY CONDUCIVE TO AFRICA'S ECONOMY +Adopting the RMB as a reserve currency would increase China's influence in trade by significantly reducing transaction costs and attracting more Chinese investment, said Charles Siwawa, chief executive officer of the Botswana Chamber of Mines. +Namibian economic analyst Harold Snyders believes the RMB is much more stable and stronger than regional currencies such as the South African rand, which could turn around Namibia's sluggish economy. +The international settlement of African countries is mainly in the U.S. dollar, but there is not much direct trade with the United States, and their total trade with China is larger. +The inclusion of the RMB in their "currency baskets" will help reduce transaction costs and improve financial security, said Zhu Yongkai, business manager of the Nairobi office of the Bank of China. +RMB'S ENTRY INTO AFRICA TO BE FURTHER UNBLOCKED +Some officials and experts have also said that in the vast majority of African countries, there is still a lot of room for the development of the RMB as a reserve and settlement currency. +They suggested the investment in Africa be combined with the internationalization of the RMB, so as to accelerate the financial cooperation between China and Africa. +Li Feng, head of the Tanzania office of the Bank of China, believes that the signing of currency swap agreements, the promotion of direct exchange and listed transaction of the RMB, as well as its pricing for bulk commodities are the three directions for future cooperation between China and Africa. +In addition, it is also necessary to speed up the construction of branches of Chinese banks in Africa, build a network of institutions covering major regions in Africa, and improve the recognition of the RMB in the African market and its exchange routes, he added. [ Editor: Zhang Zhou ] Share or comment on this article More From Guangming Onlin \ No newline at end of file diff --git a/input/test/Test849.txt b/input/test/Test849.txt new file mode 100644 index 0000000..532a221 --- /dev/null +++ b/input/test/Test849.txt @@ -0,0 +1,3 @@ +In the wake of the prime minister's vision for creating digital museums at stations using QR code, Ministry of Railway has made digital screens operational at 22 stations on this Independence Day as an innovative low cost solution to spread awareness among public about the opulent heritage of Indian Railways . Being initiated on a pilot basis, the project aims at showcasing the legacy of Indian Railways through one to two minute-long movie clips on digital LED screens at the entrance gate of railway stations and also at different comfort areas. The short films will showcase heritage buildings, locomotives and much more to make people aware of the rich heritage of Indian Railways. For now, the digital screens have been set up at New Delhi, Hazrat Nizamuddin, Howrah, Sealdah, Jaipur, Agra Cantonment, Coimbatore, Lucknow, Varanasi and other railway stations. +In addition, QR code based posters on Railway Heritage are also being displayed at these stations. Passengers can scan the QR code on their mobile to view a streaming video on their mobile on various facades of Railway heritage. +Barring New Delhi and Howrah, where dedicated heritage video walls are being installed, Railways have spent no extra money and have used the existing infrastructure such as the LED screens, back end systems etc. for launching this unique initiative \ No newline at end of file diff --git a/input/test/Test85.txt b/input/test/Test85.txt new file mode 100644 index 0000000..0652801 --- /dev/null +++ b/input/test/Test85.txt @@ -0,0 +1,2 @@ +i phone app design development in Kolkata (Kolkata, India, 03:52 03:55 Expires On : Saturday, 15 December, 2018 02:52 Reply to : (Use contact form below) +We are mobile application company operating in Kolkata. We manufacture different types apps to help other business to flourish. To know more visit our website http://www.v1technologies.in/ » and feel free to contact us at - 9038 007 000 It is ok to contact this poster with commercial interests \ No newline at end of file diff --git a/input/test/Test850.txt b/input/test/Test850.txt new file mode 100644 index 0000000..4b4b55c --- /dev/null +++ b/input/test/Test850.txt @@ -0,0 +1,7 @@ +Tweet +Nordic American Offshore Ltd (NYSE:NAO) shares gapped down prior to trading on Wednesday . The stock had previously closed at $0.78, but opened at $0.79. Nordic American Offshore shares last traded at $0.80, with a volume of 800 shares. +Separately, ValuEngine raised shares of Nordic American Offshore from a "sell" rating to a "hold" rating in a report on Friday, May 4th. Get Nordic American Offshore alerts: +The company has a quick ratio of 10.82, a current ratio of 11.42 and a debt-to-equity ratio of 0.58. Nordic American Offshore (NYSE:NAO) last posted its earnings results on Tuesday, May 15th. The shipping company reported ($0.15) EPS for the quarter. The company had revenue of $2.82 million during the quarter. Nordic American Offshore had a negative return on equity of 13.60% and a negative net margin of 211.28%. +An institutional investor recently raised its position in Nordic American Offshore stock. Deutsche Bank AG raised its stake in Nordic American Offshore Ltd (NYSE:NAO) by 158.8% in the fourth quarter, according to its most recent Form 13F filing with the Securities and Exchange Commission. The fund owned 187,404 shares of the shipping company's stock after acquiring an additional 114,999 shares during the quarter. Deutsche Bank AG owned approximately 0.30% of Nordic American Offshore worth $224,000 as of its most recent SEC filing. Institutional investors own 15.76% of the company's stock. +About Nordic American Offshore ( NYSE:NAO ) +Nordic American Offshore Ltd. owns and operates platform supply vessels (PSVs). As of December 31, 2017, it had a fleet of 10 PSVs. The company operates its vessels in the United Kingdom and in the Norwegian sectors of the North Sea. Nordic American Offshore Ltd. was founded in 2013 and is based in Hamilton, Bermuda \ No newline at end of file diff --git a/input/test/Test851.txt b/input/test/Test851.txt new file mode 100644 index 0000000..ba952ae --- /dev/null +++ b/input/test/Test851.txt @@ -0,0 +1,11 @@ +Voya Financial Inc (VOYA) Shares Sold by Bank of New York Mellon Corp Dante Gardener | Aug 17th, 2018 +Bank of New York Mellon Corp cut its stake in Voya Financial Inc (NYSE:VOYA) by 0.7% during the second quarter, Holdings Channel reports. The firm owned 5,453,244 shares of the asset manager's stock after selling 38,279 shares during the period. Bank of New York Mellon Corp's holdings in Voya Financial were worth $256,302,000 at the end of the most recent quarter. +Several other hedge funds and other institutional investors also recently bought and sold shares of VOYA. Cubist Systematic Strategies LLC grew its holdings in Voya Financial by 66.0% during the 1st quarter. Cubist Systematic Strategies LLC now owns 2,533 shares of the asset manager's stock worth $128,000 after acquiring an additional 1,007 shares in the last quarter. Ladenburg Thalmann Financial Services Inc. grew its holdings in Voya Financial by 46.7% during the 1st quarter. Ladenburg Thalmann Financial Services Inc. now owns 3,087 shares of the asset manager's stock worth $157,000 after acquiring an additional 983 shares in the last quarter. Commonwealth Equity Services LLC bought a new position in Voya Financial during the 1st quarter worth about $203,000. Gideon Capital Advisors Inc. bought a new position in Voya Financial during the 1st quarter worth about $213,000. Finally, Wetherby Asset Management Inc. bought a new position in Voya Financial during the 2nd quarter worth about $204,000. Get Voya Financial alerts: +VOYA has been the topic of several recent research reports. Goldman Sachs Group initiated coverage on shares of Voya Financial in a report on Wednesday, June 20th. They set a "neutral" rating and a $60.00 target price on the stock. Morgan Stanley increased their target price on shares of Voya Financial from $59.00 to $60.00 and gave the stock an "overweight" rating in a report on Wednesday, May 2nd. Barclays dropped their target price on shares of Voya Financial from $55.00 to $53.00 and set an "equal weight" rating on the stock in a report on Monday, July 9th. Wells Fargo & Co set a $62.00 target price on shares of Voya Financial and gave the stock a "buy" rating in a report on Tuesday, May 1st. Finally, ValuEngine cut shares of Voya Financial from a "strong-buy" rating to a "buy" rating in a report on Wednesday, May 2nd. Five analysts have rated the stock with a hold rating and eleven have issued a buy rating to the stock. The stock has an average rating of "Buy" and a consensus price target of $59.31. +NYSE:VOYA opened at $49.59 on Friday. Voya Financial Inc has a fifty-two week low of $35.82 and a fifty-two week high of $55.27. The stock has a market capitalization of $7.91 billion, a PE ratio of 16.48, a PEG ratio of 0.65 and a beta of 1.46. The company has a current ratio of 0.18, a quick ratio of 0.18 and a debt-to-equity ratio of 0.59. +Voya Financial (NYSE:VOYA) last released its quarterly earnings results on Wednesday, August 1st. The asset manager reported $1.13 earnings per share for the quarter, beating analysts' consensus estimates of $1.09 by $0.04. Voya Financial had a negative net margin of 27.27% and a positive return on equity of 5.07%. The business had revenue of $238.00 million for the quarter, compared to analysts' expectations of $302.38 million. During the same period last year, the business earned $0.89 EPS. equities research analysts forecast that Voya Financial Inc will post 4.25 EPS for the current year. +The company also recently declared a quarterly dividend, which will be paid on Thursday, September 27th. Stockholders of record on Friday, August 31st will be issued a $0.01 dividend. This represents a $0.04 dividend on an annualized basis and a dividend yield of 0.08%. The ex-dividend date is Thursday, August 30th. Voya Financial's dividend payout ratio is currently 1.33%. +About Voya Financial +Voya Financial, Inc operates as a retirement, investment, and insurance company in the United States. It operates through Retirement, Investment Management, Individual Life, and Employee Benefits segments. The Retirement segment offers tax-deferred employer-sponsored retirement savings plans and administrative services; and individual account rollover plans and other retail financial products, as well as financial planning and advisory services. +Featured Story: Earnings Per Share (EPS) Explained +Want to see what other hedge funds are holding VOYA? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Voya Financial Inc (NYSE:VOYA). Receive News & Ratings for Voya Financial Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Voya Financial and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test852.txt b/input/test/Test852.txt new file mode 100644 index 0000000..24e7a23 --- /dev/null +++ b/input/test/Test852.txt @@ -0,0 +1,7 @@ +BMO Capital Markets Trims TMAC Resources (TMR) Target Price to C$5.50 Anthony Miller | Aug 17th, 2018 +TMAC Resources (TSE:TMR) had its price target dropped by BMO Capital Markets from C$8.00 to C$5.50 in a research note issued on Wednesday. BMO Capital Markets' price objective points to a potential upside of 0.18% from the stock's previous close. +Other analysts have also issued research reports about the stock. Desjardins upgraded shares of TMAC Resources from a "hold" rating to a "buy" rating in a research note on Tuesday, July 10th. CIBC reduced their target price on shares of TMAC Resources from C$10.50 to C$8.50 in a research note on Wednesday. Scotiabank reduced their target price on shares of TMAC Resources from C$12.00 to C$10.00 and set a "sector perform" rating for the company in a research note on Friday, May 11th. Royal Bank of Canada upgraded shares of TMAC Resources from a "sector perform" rating to an "outperform" rating and reduced their target price for the stock from C$12.00 to C$10.00 in a research note on Monday, July 9th. Finally, TD Securities reduced their target price on shares of TMAC Resources from C$13.50 to C$12.50 and set a "speculative buy" rating for the company in a research note on Monday, May 14th. Three investment analysts have rated the stock with a hold rating and two have given a buy rating to the stock. The stock currently has a consensus rating of "Hold" and a consensus target price of C$9.38. Get TMAC Resources alerts: +TSE TMR opened at C$5.49 on Wednesday. TMAC Resources has a 1 year low of C$4.91 and a 1 year high of C$11.50. +In other news, insider Jason Robert Neal bought 20,000 shares of TMAC Resources stock in a transaction dated Tuesday, June 19th. The stock was purchased at an average price of C$6.01 per share, for a total transaction of C$120,200.00. +About TMAC Resources +TMAC Resources Inc engages in exploring, evaluating, developing, and mining mineral properties in Canada. The company primarily explores for gold deposits. Its principal asset is the Hope Bay Project covering an area of 1,101 square kilometers located in the Kitikmeot region of western Nunavut Territory. Receive News & Ratings for TMAC Resources Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for TMAC Resources and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test853.txt b/input/test/Test853.txt new file mode 100644 index 0000000..0ddf9e5 --- /dev/null +++ b/input/test/Test853.txt @@ -0,0 +1,47 @@ +This article first appeared on trend investing on July 5; therefore, all data is as of that date. +Cobalt Blue Holdings ( CBBHF , [ASX:COB], [GR:COH]) - Price = AUD 0.59 +Cobalt Blue 1-year price chart +(Source: Bloomberg) +For a background on the company, my previous articles are linked below: +November 19, 2017 - 3 Well Valued Cobalt Miners To Buy Right Now November 23, 2017 - Cobalt Blue CEO Joe Kaderavek Talks With Matt Bohlsen Of Trend Investing March 19, 2018 - Top 6 Cobalt Junior Developer Miners To Boom By 2021/2022 April 12, 2018 - The Broken Hill District May Grow To Become Australia's Premiere Cobalt Mining Center May 1, 2018 - Cobalt Blue CEO Joe Kaderavek Discusses The LG Strategic Partnership With Matt Bohlsen Of Trend Investing Takeaways from my past articles Cobalt Blue is step by step buying/farming into 100% of the Thackaringa cobalt-pyrite sulphide project in NSW Australia from Broken Hill Prospecting ( OTC:BPLNF , [ASX:BPL]). The Thackaringa Cobalt Project covers an area of 63 sq. km and is located in western New South Wales (23 km west of Broken Hill), Australia. As of July 2017, the company had a total inferred and indicated resource of 54.9 million tonnes grading 0.091% cobalt (for ~50,000 tonnes of contained cobalt). At this time, most was in the lower inferred category (48.4mt), as shown in the table below. Cobalt Blue's Thackaringa location map +(Source: Company website ) +(Source: July 2017 company presentation ) +Cobalt Blue's farm in arrangement details - now at 70% +(Source: Company website ) +2018 developments for Cobalt Blue December 4, 2017 - Railway Drilling program confirms grade continuity at depth and strike. On February 1 2018, Cobalt Blue and Havilah Resources [ASX:HAV] signed a Memorandum of Understanding (MOU) - Examining the fit - Thackaringa and Mutooroo projects. On March 19, Cobalt Blue announced : "Thackaringa - Significant mineral resource upgrade. The global Mineral Resource estimate now comprises 72Mt at 852ppm cobalt (CO), 9.3% sulphur (S) & 10% iron (FE) for 61.5Kt contained cobalt (at a 500ppm cobalt cut-off) - compared to the June 2017 Mineral Resource estimate (detailed in ASX release of 5 June 2017) the upgrade reflects a 31% increase in total tonnes and a 23% increase in contained cobalt." On March 23, Cobalt Blue announced , "COB-LG strategic partnership announced. Cobalt Blue is proud to announce a strategic First Mover partnership with LG International [LGI], the resources investment arm of LG Corporation [KRX:066570], acting in cooperation with LG Chem ( OTCPK:LGCLF ). Under the First Mover partnership, LG will provide capital and technical assistance for Cobalt Blue to make a high purity battery grade cobalt sulphate. Cobalt Blue has executed a binding term sheet with LGI to raise gross proceeds of US$6.0m with the transaction to be completed by Monday 16 April 2018." On April, 20 4-traders reported : "Broken Hill Prospecting Ltd. Thackaringa Cobalt Project JV completes Stage 1 earn-in." On May 3, Fortune reported :"VW ( OTCPK:VLKAY ) just ordered $48 billion in electric car batteries." LG Chem was one of the 3 battery companies to win the VW contract. LG has a strategic and equity partnership with Cobalt Blue. +On April 30, Cobalt Blue announced , "Cobalt Blue Quarterly report March 2018. The resultant improvement in geological confidence has supported the classification of approximately 72% of the Mineral Resource as Indicated." +On July 4, the company announced : "Thackaringa Pre-Feasibility study announced." Highlights are in the table below and include a post-tax NPV7.5% of A$544 million. An important point is that the Life of Mine (LOM) used in the model for now is a conservative 12.8 years. If Cobalt Blue can grow the resource further (likely), then this will rise to ~20 years, which will increase the NPV considerably. Also, CEO Joe Kaderverak believes optimizing should reduce CapEx. +Cobalt Blue PFS summary - July 2018 +(Source: Company website ) +Note : As part of the above PFS announcement Cobalt Blue announced a maiden ore reserve for the Thackaringa Cobalt Project - Probable ore reserve of 46.3 million tonnes @ 819 ppm cobalt. +On July 5, Cobalt Blue announced : "Further details on potential project financing. The Company has considered a range of options for funding prior to and during the expenditure of capital costs. It is anticipated that finance will be sourced through strategic partnerships, including the use of debt and equity - see the LGI discussion below. The Company Board is confident it will be able to obtain the funding to complete the BFS without difficulty. The Company Board considers that it has reasonable grounds for project financing and availability of funding... Under the First Mover partnership LG will provide capital and technical assistance to COB. " Discussion of the stock price fall following the PFS announcement Cobalt Blue stock price fell heavily following the July 4 PFS announcement, most likely for the following reasons (each of which I will address): +Capex (A$550 million, includes a A$66 million contingency) - The A$550 million figure was a bit higher than what the market had expected (my model had estimated A$350 million). My view is the figure is still acceptable provided the mine life can be extended, noting the final CapEx may be lower after cost optimisations. See below. The post-tax NPV7.5% of A$544 million was below expectations. This was caused due to the higher CapEx and the Life of Mine in the PFS being only 12.8 years. The company's view is that the resource is very likely to grow further and to support a longer mine life (hopefully ~20 years). The company stated today: "This is a very significant point indeed. There is potential to extend the project life by treating ore from inferred inventories from the known resources and from other sources beyond Thackaringa, which represent opportunities for Cobalt Blue that would have significantly positive returns on capital." My view: I think the PFS was generally below expectations due to the above factors. During the next year, before DFS/BFS, I would expect Cobalt Blue to grow its resource further, allowing the LOM to extend towards 20 years, thereby greatly enhancing the NPV. I also think it is quite possible that nearby cobalt juniors will agree to some type of deals (e.g.: tolling agreements, etc) to make use of Cobalt Blue's intellectual property and planned processing plant. +Finally, as discussed below, Cobalt Blue should be able to make several optimisations to improve on the PFS (in the BFS). For example, 85.5% cobalt recovery assumed in the PFS is more conservative than the 88.5% cobalt recovery achieved in test work to date, and the company is targeting 90% recovery in the BFS. A large positive from the PFS which has largely been ignored was the low cobalt processing cost estimate of US$12.76/lb. This is lower than that of most competitors due to the sulphide ore and proprietary gravity processing technique. +Cobalt Blue has identified 4 key areas where there is clear potential for improvement in the BFS Optimisation of process plant tailings handling and storage : In the PFS, management of tailings amounted to A$260 million over the life of the project, inclusive of capital and operating costs. A review study will be undertaken in Q3 2018 to identify possible cost saving measures. Optimisation of metal recoveries: Design criteria used during the PFS was based on batch testwork. Larger-scale testing will be conducted during the BFS, incorporating recycle streams, which may increase overall metal recoveries. Optimisation of average power pricing: The PFS estimated that approximately 22% of the annual site cash costs were related to electrical power consumption from the National Electricity Market. Opportunities exist to consider onsite back-up power supply (larger-scale batteries) and process plant operating philosophies, in order to limit consumption when the National Electricity Market prices reach short-lived peaks - intermittent peak pricing typically lasts for < 30 minutes. Opportunities to extend mine life: Potential to extend the project life by treating ore from inferred inventories from the known resources and from other sources beyond Thackaringa represent opportunities for Cobalt Blue that would have significantly positive returns on capital if the Thackaringa project is developed. Note: Cobalt Blue's Chairman, Rob Biancardi, said: "The Project will now move into a Bankable Feasibility Study. Further resource work will target a 20-year mine life , as the Production Target case is limited to under 13 years." +For further analysis of the PFS, you can read the " Blue Ocean Equities - Cobalt Blue PFS Scenario Analysis ." +Access, Infrastructure and Permitting Access is excellent via road or rail, with 400km to Port Pirie. The three deposits lie within 5km of the Broken Hill to Port Pirie rail line, with Pyrite Hill (at the western end) within 1km of an existing railway siding. +Thackaringa is only 23km west of Broken Hill. Therefore, a skilled labor force is nearby and there is no need for labor camps to be built. +Infrastructure is limited for now; however, electricity is available from nearby substations with "transmission wiring" (approximately 20 kilometres to site), and substations needed to be built. Due to large solar installations nearby, Broken Hill has excess electricity supply. Water is also available from local sources. More details can be read here . +Thackaringa's 3 main cobalt deposits lie very close to the railway line from Broken Hill to Port Pirie +(Source: Company website ) +Off-take or partners summary In March 2018, Cobalt Blue secured LGI as a strategic partner, which is the resources investment arm of LG Corporation, acting in cooperation with LG Chem. LGI invested $US6 million at A$1.10 per share in Cobalt Blue. LG Chem is one of the largest lithium ion battery makers in the world. +At this stage, LGI has only made a US$6 million investment in Cobalt Blue shares. Typically, companies will wait until a DFS is completed before investing. Given Cobalt Blue has now just finished the DFS, it is highly probable that LG will take a further interest in the company. In particular, it is my view that LG Chem will want to secure an off-take agreement to secure supply of cobalt, just as SK Innovation did very early on with Australian Mines ( OTCQB:AMSLF , [ASX:AUZ]). +Valuation update Cobalt Blue has a current market cap of AUD 69 million, with 116 million shares outstanding plus 26.9 million options @ A$0.25 (expiry May 2, 2020). As of March 31, 2018, the company had A$3.256 million in cash, noting the US$6 million raise from LGI did not arrive until after this date. Cobalt Blue has no debt. +My price target is AUD 2.81 (~4.8x higher) for end 2023 (at full production of 4ktpa cobalt metal). It assumes production commences in 2022 (2-year ramp-up), a 15-year LOM, a US$30 cobalt metal selling price, a cost of production price of US$12.76, and a CapEx of A$550 million. If I base on cobalt sulphate pricing, the outcome is slightly higher for the same 4ktpa cobalt metal in sulphate form. Note that the 15-year LOM is not yet guaranteed, but it may also end up closer to 20 years. +Note: At a cobalt selling price of USD 25/lb, my target price reduces to AUD 1.84 (3.1x higher), and at selling price of USD 35/lb, my target price increases to AUD 3.77 (6.4x higher). Clearly, the cobalt selling price is a key factor in the valuation. +I was unable to find any analyst's target price. +Top shareholders +(Source: 4-traders) +Upcoming Catalysts H2 2018 - Possible further LG agreements (off-take, funding). Possible Red Rock Resources [LON:RRR] JV deal . Possible Havilah Resources deal. 2018/2019 - Further drilling and likely resource upgrades. Optimisation improvements on the PFS. June 30, 2019 - DFS to be released. Reach 85% farm in. Project approvals completed. June 30, 2019 - Project financing expected to be completed. Decision to mine. Reach 100% farm in. 2022 - Possible cobalt producer. Risks Cobalt prices falling. The usual mining risks - Exploration risks, funding risks, permitting risks, production risks, project delays. Management and currency risks. Sovereign risk - Australia is low-risk. Stock market risks - Dilution, lack of liquidity (best to buy on local exchange), market sentiment. Investors can view the latest company presentation here . +Conclusion From my original article in November 2017, when Cobalt Blue was at AUD 0.23, the stock price rallied very strongly, peaking at AUD 1.67. The reasons for the rally were based on strong investor sentiment, a rising cobalt price, Cobalt Blue growing its resources, and the LG deal being announced. Naturally, investors expectations rose accordingly. +However, if we look back at the company's farm in agreement with BPL, we see Cobalt Blue was on a deadline to deliver the PFS by June 30, 2018. This meant there has not been time or need to grow the resource further just yet. The impact of this was the PFS was, as the name suggests, a "Preliminary" Feasibility Study. Being preliminary, it used a conservative 12.8-year mine life and gave a still credible post-tax NPV7.5% of A$544 million. Of course, given the stock price's stellar run and the company's strong performance, expectations (including mine) were higher. Yes, the CapEX is a bit higher, but the fundamentals, including a very low estimated cost of production and the LG partnership, are still very much intact. Cobalt Blue's sulphide ore Thackaringa project is still one of the best pure play non-DRC cobalt projects globally with 61,500 tonnes of contained cobalt, likely to reach ~80,000 tonnes, and a good chance at a 20-year mine life at 4,000t pa starting 2022. +Valuation is very attractive after the recent price fall, particularly for longer-term investors. There is further upside potential as the company progresses. +Risks are still there, the company being a junior cobalt developer ~4 years away from a probable production start. The largest risk for me is the cobalt price, which I do expect to settle between USD30-40/lb for the foreseeable future. +My view is that since the PFS investors' expectations have been pulled back a little, but the stock price fall was overdone, investors need to have some more patience and allow Cobalt Blue to progress through the milestones. As with most promising cobalt juniors, the cobalt price remains the key. If the cobalt price remains elevated above US$25 or higher as I expect, then the company should achieve funding and be a highly profitable cobalt miner post 2022. +As usual, all comments are welcome. +Trend Investing +Thanks for reading the article. If you want to go to the next level, sign up for Trend Investing , my Marketplace service. I share my best investing ideas and latest articles on the latest trends. You will also get access to exclusive CEO interviews and chat room access to me, and to other sophisticated investors. You can benefit from the hundreds of hours of work I've done to analyze the best opportunities in emerging industries, especially the electric vehicle and EV metals sector. You can learn more by reading " The Trend Investing Difference ", " Recent Subscriber Feedback On Trend Investing", or sign up here . +My latest Trend Investing articles are: +The Potential Ten Bagger Club - August 2018 Top Seven 5G Stocks To Play The 5G Boom Starting In 2019 An Update On Orocobre Investing Well - August 2018 Disclosure: I am/we are long COBALT BLUE [ASX:COB]. + it (other than from Seeking Alpha). +Additional disclosure: The information in this article is general in nature and should not be relied upon as personal financial advice \ No newline at end of file diff --git a/input/test/Test854.txt b/input/test/Test854.txt new file mode 100644 index 0000000..230ef02 --- /dev/null +++ b/input/test/Test854.txt @@ -0,0 +1,18 @@ +Spotlight: Chinese yuan gains increasing popularity in Africa 0 2018-08-17 11:58 By: Xinhua +HARARE, Aug. 17 (Xinhua) -- The Chinese currency renminbi (RMB), or the yuan, has attracted more and more attention in African countries with its advantages in facilitating China-Africa trade and investment, optimizing the structure of foreign exchange reserves and stabilizing the financial system. +Officials, experts and scholars from various African countries have seen it as an inevitable trend for the RMB to be adopted as Africa's reserve and settlement currency in the future, which will not only benefit local economic development, but also boost the internationalization of the RMB. +RMB GAINS INCREASING POPULARITY IN AFRICA +Officials of central banks and finance ministries from 14 African countries have suggested considering the RMB as a reserve currency and expanding its use on the whole continent, said Caleb Fundanga, executive director of the Macro Economic and Financial Management Institute (MEFMI) of Eastern and Southern Africa. +Given China's growing share of the global economy and its status as an important trading partner for countries in the region, it would be beneficial for African countries to use the RMB as a reserve currency, Fundanga said. +It is reported that countries such as Rwanda have included the RMB into their foreign exchange reserves. South Africa, Nigeria and others have signed currency swap agreements with China, while Kenya, Zimbabwe and Botswana have shown a strong interest in using the RMB as a reserve or settlement currency. +Doreen Makumi, corporate communications manager at National Bank of Rwanda, told reporters that given the rapid growth of bilateral trade, Rwanda has had the RMB in its foreign reserves since 2016, which has provided ample foreign exchange facilitating transactions between the two sides. +ADOPTING RMB AS RESERVE CURRENCY CONDUCIVE TO AFRICA'S ECONOMY +Adopting the RMB as a reserve currency would increase China's influence in trade by significantly reducing transaction costs and attracting more Chinese investment, said Charles Siwawa, chief executive officer of the Botswana Chamber of Mines. +Namibian economic analyst Harold Snyders believes the RMB is much more stable and stronger than regional currencies such as the South African rand, which could turn around Namibia's sluggish economy. +The international settlement of African countries is mainly in the U.S. dollar, but there is not much direct trade with the United States, and their total trade with China is larger. +The inclusion of the RMB in their "currency baskets" will help reduce transaction costs and improve financial security, said Zhu Yongkai, business manager of the Nairobi office of the Bank of China. +RMB'S ENTRY INTO AFRICA TO BE FURTHER UNBLOCKED +Some officials and experts have also said that in the vast majority of African countries, there is still a lot of room for the development of the RMB as a reserve and settlement currency. +They suggested the investment in Africa be combined with the internationalization of the RMB, so as to accelerate the financial cooperation between China and Africa. +Li Feng, head of the Tanzania office of the Bank of China, believes that the signing of currency swap agreements, the promotion of direct exchange and listed transaction of the RMB, as well as its pricing for bulk commodities are the three directions for future cooperation between China and Africa. +In addition, it is also necessary to speed up the construction of branches of Chinese banks in Africa, build a network of institutions covering major regions in Africa, and improve the recognition of the RMB in the African market and its exchange routes, he added. [ Editor: Xueying ] Share or comment on this article More From Guangming Onlin \ No newline at end of file diff --git a/input/test/Test855.txt b/input/test/Test855.txt new file mode 100644 index 0000000..3d8fe17 --- /dev/null +++ b/input/test/Test855.txt @@ -0,0 +1,25 @@ +Centre of operations 17 August 2018 | Ian Henry +Investment in new plants and expansion of existing facilities shows central Europe to be at the heart of vehicle manufacturers' regional strategies +At first glance, vehicle production in central Europe – essentially the former communist bloc countries west of the Russian border – appears to centre on Volkswagen with its Skoda subsidiary in the Czech Republic, two LCVs plants in Poland and its huge SUV and small car plant in Bratislava, which is the biggest private sector operation in Slovakia. However, there is much more to the vehicle manufacturing sector in the region. Hyundai and Kia have established their EU manufacturing bases in the area, PSA and Renault (through Dacia) also have significant local operations and Jaguar Land Rover has chosen Slovakia as the location of its first factory (of its own) on mainland Europe; production will start there by the end of 2018 (third-party contract production at Magna Steyr in Austria had begun at end of 2017). +This review starts with Poland and proceeds in a broadly southerly direction, encompassing the Czech Republic, Slovakia, Hungary and Romania, examining the roles which each country plays in the varying strategies of the manufacturers in the region. +Positive investment in Poland Fiat, Opel (PSA) and VW all have established manufacturing operations here. In addition, Daimler-Mercedes will shortly start production of 4-cylinder diesel and petrol engines in an all-new CO2 neutral plant which is powered solely by renewable energy sources. This factory is also said to be Mercedes' most digitally advanced plant, fully compliant with Industry 4.0 protocols, with assembly lines fed by AGVs and components which have fully RFID tracking. +Meanwhile, the three car companies are at very different stages in their company and model lifecycles. The VW Poznan is the sole plant for the small Caddy van (produced at a rate of c150,000 a year) and also the overflow plant for the Transporter van (making around 30-35,000 a year, supplementing the main Transporter plant in Hanover); Poznan is about to receive investment of €400m to improve road logistics around the plant and general factory operations. Poznan and the all-new large van plant at Wrzesnia (which makes the Crafter at a rate of up to 80,000 a year for worldwide supply) are very much central and core to the company's future. Meanwhile, the Fiat and Opel factories are in rather different positions. +The Fiat Tychy plant currently makes the 500 small car, and the Lancia Ypsilon – this is due to end within the next year as the Lancia brand is finally killed off. It is expected that the next Panda will be added to Tychy's production line-up; it is also probable that a small Jeep, smaller than the Italian-made Renegade, will also be made in Tychy, making a return to 500,000 upa a realistic possibility. Such a volume would more than secure the plant's future for the next model cycle and probably beyond. +With the PSA-Opel Gliwice plant the situation is much less clear. Unions have expressed concern over the factory's future as production volumes of the Astra have fallen rapidly in recent times. The factory can make at least 150-180,000 units a year on a two-shift basis, and more with three shifts, but is unlikely to make even 120,000 vehicles this year. The future of Gliwice is very much bound up with that of Ellesmere Port in the UK – both factories make the Astra, a vehicle which does not justify two assembly plants. However, PSA has put most of its Opel-Vauxhall management effort into Spain and Germany so far, along with the UK van plant. Sorting out the futures of Ellesmere Port and Gliwice has not yet reached the top of Carlos Tavares' to do list. Given the continued challenges with transforming Opel's German factories into "PSA-compliant" operations, Gliwice may not make it to the top of the to do list until sometime next year. +High capacity in the Czech Republic Here production is dominated by Skoda which has two major vehicle plants, its main home plant at Mlada Boleslav and the newly-designated SUV centre of competence at Kvasiny. The latter plant has recently seen its capacity increase to 300,000 units a year, partly facilitated by the commissioning of an €8m fully automated warehouse with AGVs which can pick and carry components direct to the correct place on the assembly line. This plant makes the Skoda Kodiaq and the smaller Karoq with its SEAT version, the Ateca. Such has been the initial demand for the Karoq that not only is the model now also made at Mlada Boleslav but will also be made in VW's plant in Osnabrück, Germany: here Karoq assembly will begin towards the end of 2018. This is the first Skoda model made in Germany and the first also to need three separate assembly lines in Europe to meet demand. +Meanwhile at Mlada Boleslav, significant investment is under way to prepare Skoda for electric vehicle production. Plug-in hybrid components are now in production for the Superb plug-in hybrid to be launched in 2019. This will be followed by the first full battery electric Skoda which will start production in 2020. Kvasiny is also being modernised to make the plant compatible with the requirements of Industry 4.0, part of a plan to make Skoda one of the most digitally-focused manufacturers in the region. In spite of this however, the company has a serious labour shortage – recruiting labour in the Czech Republic (as it is also in Slovakia) is a problem for VW as a whole. It would like to recruit another 3,000 people and thereby help boost Czech production by over 80,000 vehicles a year. +Recruiting and retaining labour in the country is a problem for most vehicle companies, not just Skoda. The Toyota-PSA plant at Kolin (TPCA) has had to award its employees a 16% wage rise over the last two years for example. Labour retention is a serious issue and TPCA cannot afford this to be an issue if it is to grow, for example by adding a small DS or even an Opel model to the production line-up at Kolin. +The final significant car plant in the Czech Republic is the Hyundai factory at Nosovice, a sister plant to the nearby Kia plant across the border at Zilina in Slovakia. The Hyundai plant makes the i30 compact car and ix35/Tucson SUV, a new version of which comes into production during H2/2018. This should see production in Nosovice hit 350,000 units a year when at full production rates. +JLR chooses Slovakia +VW's plant in Bratislava – where it makes both its largest SUVs and smallest car, the Up! – is reportedly Slovakia's largest private sector operation and tax payer. Its importance to the Slovak economy is recognised by the government which is looking at loosening the rules surrounding getting work permits for around 2,000 Serbians and Ukrainians it would like to recruit. +The Bratislava plant has been extended to allow for full manufacture of the Porsche Cayenne (formerly this was shared between Bratislava and a German plant, along with some contract assembly at Osnabrück). There is a new body shop dedicated for the Cayenne for example. +The newest plant in Slovakia is the JLR factory at Nitra, where full scale production of the Discovery will begin in the fourth quarter of 2018, with all Discovery production moving there from the UK by the end of Q1/2019. The Nitra plant will have an initial capacity of 150,000 units a year, with the 50-60,000 Discoverys scheduled to be joined by the all-new Defender from 2019/2020. Whether the Discovery and Defender alone will actually fill the plant remains to be seen – for this to happen, the new Defender would have to sell significantly more than the 20-30,000 units a year achieved by the old model. The factory has been set up to make vehicles on the aluminium-intensive D7 (PLA) platform so other large SUVs which use this platform (e.g. Range Rover Velar) could also be made there. This may be required if post-Brexit trading arrangements made exporting fully-assembled vehicles from the UK too costly. Longer term the Nitra site could make 300,000 vehicles a year, but this would require a new assembly hall and significantly more investment by suppliers in the area. JLR has the land on the Nitra site to raise capacity to 300,000 in the future. Adding EV powertrain production is also a distinct possibility with press reports in 2017 having suggested that JLR had submitted planning permission applications for this very idea. +PSA, meanwhile, already has a 300,000 upa plant, at Trnava; here €165m has recently been invested for the new 208, boosting potential capacity to 360,000 upa. As well as assembling most of the 208s for Europe (c1/4 are made in France still) and all Citroën C3s, the plant will make a new three-cylinder EB petrol turbo engine from 2019 and is due to start making electric motors within the next year – these will be for electric versions of the 208/C3 and possibly other models made elsewhere in the PSA network. +The final car plant in Slovakia is the Kia factory in Zilina where over €300m has been invested in the last two years to prepare for the new cee'd compact car and Sportage SUVs. The Zilina plant now has a fully automated parts storage warehouse, over 300 robots along the assembly line, 2 huge transfer press lines, 2 body bucks which can make all the different versions of vehicles assembled in Zilina and a paint shop with a full 360° dip and turn tank. Robotics have also been extended to the assembly line, where the insertion of the front screen and wheel-nut tightening functions are fully automated. +Hungary sees EV production expansion For many years production here has centred on the major Audi engine plant and car assembly facility at Gyor. This makes the TT sports car and the Audi A3 sedan and cabrio. The A3 is gradually transferring back to Germany to be replaced by the Q3 SUV, itself transferring from Spain. Gyor's most recent investment has been in electric motor production, for use in Audi e-tron models made in Germany and Belgium. The plant has seen investment new technology for copper wire winding and centre inserting – this enables the optimal amount of enamelled copper wire to be used in as compact a manner as possible. Rather than working on a traditional linear production line, the workers making the e-motors work on a modular system based around production islands which are supplied by AGVs. E-motor production began in July 2018 at a rate of 400 a day. The second longest established vehicle plant in Hungary is Suzuki's which has a nominal capacity of 300,000 units a year, although this has not been used in recent years. The main model made here is the Vitara SUV which supplied worldwide, except for most Asian markets which are supplied by Japan. With production well below capacity and Suzuki failing to make significant inroads in Europe, many have questioned to the long-term future of the plant at Esztergom. However, Suzuki appears to be committed to the plant and has just begun a HUF5.3 billion programme to boost smart manufacturing in the factory (for example using digitally connected welding robots) and the all-round manufacturing efficiency of its local suppliers. +Mercedes is now opening a second facility at Kecskemet. The current facility makes the CLA sedan and shooting brake and B-class, with a capacity of 150,000 a year. The new facility will double this and will see the Hungarian factory make a wider range of models on the A-class platform, including the A-class itself which was added to the assembly line-up in Hungary this summer; other new models will include the GLB SUV and electric vehicles, currently known simply as EQ-A. Vehicle production should be begin in the new plant in 2019 or 2020. The factory is also designed to be fully flexible and should be capable of making both front wheel drive vehicles made on the A-class (MFA) platform and its future iterations, and rear wheel drive models, such as the C-class or derivatives, made on the MRA platform. +The new factory will also have a CO2 neutral energy supply and will operate digitally, with employees using tablets, smart phones and watches in their daily work. The factory has been laid out with lean principles in mind, minimising the distance parts and sub-assemblies must move from one stage to the next; parts are also moved by fully automated, driverless vehicles. +The country was given a boost in July 2018 when BMW confirmed it would build a factory at Debrecen. This will be BMW's first all-new European plant since the Leipzig factory opened in 2000. In recent years, BMW has expanded significantly in China, the US and South Africa but with changes to global trading rules on the horizon and the move to EVs accelerating, the company appears to have decided it is best to have its next investment close to home. At this stage we do not know what vehicles will be made in Hungary, with BMW having said the factory will make 150,000 conventionally and electrically powered vehicles per year. Construction will start in 2019, with vehicle production expected from 2021. +Upgrades for plants in Romania There are two major car plants in Romania, Ford's at Craiova and the Dacia plant at Pitesti. Dacia is operating at around 310-320,000 units a year on a three-shift basis, making the Logan, Logan MCV, Sandero, Duster and a small number of the Renault Symbol (a booted version of the Clio). Pressure on the plant's capacity, due to strong continued demand for the Duster, has already led to some MCV assembly moving to Morocco. Pitesti has seen significant automation and digitalisation, to prepare the plant for Industry 4.0 and to reduce the dependence on increasingly difficult-to-recruit and retain labour, especially with unions having been agitating aggressively for wage hikes. The factory has, for example, 8 collaborative robots which help with especially heavy loads on the assembly line and 118 AGVs which deliver parts from the store to the assembly line. These are managed by factory-wide wi-fi. +Ford also has a 300,000 units a year plant in Romania, at Craiova. However, it has never made even half this potential volume, although this may happen in the near future. Currently the factory makes the B-segment EcoSport SUV and Ford has confirmed that a second, as yet unnamed new model will also be added to the plant within the next couple of years. Beyond confirming a second model, which will entail investment of around €200m, no details have been released and it is not known yet whether this will be a variant of Fiesta, and/or a full electric vehicle. +The EcoSport has achieved a 30% local Romanian content level, a source of some pride to the country's automotive press and local Ford management, with Ford having brought 10 suppliers to the area. With monthly production of over 10,000 so far this year, the EcoSport is on course to do substantially better than the old model made in Craiova, the B-Max which rarely reached even 70,000 a year. EcoSport production is boosted by the fact that it does not just supply Europe but has 56 individual markets, including more than 20 non-European countries \ No newline at end of file diff --git a/input/test/Test856.txt b/input/test/Test856.txt new file mode 100644 index 0000000..a15791c --- /dev/null +++ b/input/test/Test856.txt @@ -0,0 +1 @@ +Global Hard Cap Cover Market Report in North America, Europe , Asia-Pacific , South America , Middle East and Africa Marketresearchnest MarketResearchNest.com adds " Global Hard Cap Cover Market 2018 by Manufacturers, Regions, Type and Application, Forecast to 2023 "new report to its research database. The report spread across in a 136 pages with table and figures in it. Hard Cap Cover is a kind of Hard Fiberglass or alumni cap put on truck to create a close space to put stuffs of have passengers, which may feature with windows, roof racks or other options. Request a sample copy at https://www.marketresearchnest.com/report/requestsample/403117 This report focuses on the Hard Cap Cover in global market, especially in North America, Europe and Asia-Pacific, South America, Middle East and Africa. This report categorizes the market based on manufacturers, regions, type and application. The worldwide market for Hard Cap Cover is expected to grow at a CAGR of roughly xx% over the next five years, will reach xx million US$ in 2023, from xx million US$ in 2017 Browse full table of contents and data tables at https://www.marketresearchnest.com/Global-Hard-Cap-Cover-Market-2018-by-Manufacturers-Regions-Type-and-Application-Forecast-to-2023.html Market Segment by Manufacturers, this report covers · Market Segment by States, covering North America (United States, Canada and Mexico) Europe (Germany, France, UK, Russia and Italy) Asia-Pacific (China, Japan, Korea, India and Southeast Asia) South America (Brazil, Argentina, Colombia etc.) Middle East and Africa (Saudi Arabia, UAE, Egypt, Nigeria and South Africa) Market Segment by Type, covers Hard Fiberglass Market Segment by Applications, can be divided into Commercial Order a Purchase Report Copy at https://www.marketresearchnest.com/report/purchase/403117 There are 15 Chapters to deeply display the global Hard Cap Cover market. Chapter 1, to describe Hard Cap Cover Introduction, product scope, market overview, market opportunities, market risk, market driving force; Chapter 2, to analyze the top manufacturers of Hard Cap Cover, with sales, revenue, and price of Hard Cap Cover, in 2016 and 2017; Chapter 3, to display the competitive situation among the top manufacturers, with sales, revenue and market share in 2016 and 2017; Chapter 4, to show the global market by regions, with sales, revenue and market share of Hard Cap Cover, for each region, from 2013 to 2018; Chapter 5, 6, 7, 8 and 9, to analyze the market by countries, by type, by application and by manufacturers, with sales, revenue and market share by key countries in these regions; Chapter 10 and 11, to show the market by type and application, with sales market share and growth rate by type, application, from 2013 to 2018; Chapter 12, Hard Cap Cover market forecast, by regions, type and application, with sales and revenue, from 2018 to 2023; Chapter 13, 14 and 15, to describe Hard Cap Cover sales channel, distributors, traders, dealers, Research Findings and Conclusion, appendix and data source About Us: MarketResearchNest.com is the most comprehensive collection of market research products and services on the Web. We offer reports from almost all top publishers and update our collection on daily basis to provide you with instant online access to the world's most complete and recent database of expert insights on Global industries, organizations, products, and trends. Contact U \ No newline at end of file diff --git a/input/test/Test857.txt b/input/test/Test857.txt new file mode 100644 index 0000000..ecf3497 --- /dev/null +++ b/input/test/Test857.txt @@ -0,0 +1,12 @@ +The new language confirms that location data is, indeed, being tracked by some Google apps. After facing criticism over reports that certain Google apps track users' whereabouts even when they turn off location data, the tech giant has revised its Help Page, clarifying that it does track location data in order to "improve Google experience". +Previously, the Help Page stated: "You can turn off Location History at any time. With Location History off, the places you go are no longer stored." +The page now says: "This setting does not affect other location services on your device, like Google Location Services and Find My Device. +"Some location data may be saved as part of your activity on other services, like Search and Maps". +The new language confirms that location data is, indeed, being tracked by some Google apps. +"We have been updating the explanatory language about Location History to make it more consistent and clear across our platforms and help centres," CNET reported on Friday, quoting a Google spokesperson. +The Associated Press earlier this week ran a story saying an investigation found that many Google services on Android devices and iPhones store users' location data even if the users explicitly used a privacy setting forbidding that. +Researchers from Princeton University confirmed the findings. +In an earlier statement, Google had said: "Location History is a Google product that is entirely opt in, and users have the controls to edit, delete or turn it off at any time. +"As the (AP) story notes, we make sure Location History users know that when they disable the product, we continue to use location to improve the Google experience when they do things like perform a Google search or use Google for driving directions." +But just turning off Location History doesn't solve the purpose. In Google Settings, pausing "Web and App Activity" may do the trick. +However, according to the information on Google's Activity Control page, "Even when this setting is paused, Google may temporarily use information from recent searches in order to improve the quality of the active search session" \ No newline at end of file diff --git a/input/test/Test858.txt b/input/test/Test858.txt new file mode 100644 index 0000000..921a6de --- /dev/null +++ b/input/test/Test858.txt @@ -0,0 +1,8 @@ +Tweet +Investment analysts at Stifel Nicolaus initiated coverage on shares of Zogenix (NASDAQ:ZGNX) in a report released on Wednesday. The brokerage set a "buy" rating and a $69.00 price target on the stock. Stifel Nicolaus' price target points to a potential upside of 43.60% from the company's previous close. +Several other analysts also recently weighed in on the company. Mizuho lifted their price objective on Zogenix to $69.00 and gave the company a "positive" rating in a report on Thursday, July 12th. BidaskClub upgraded Zogenix from a "buy" rating to a "strong-buy" rating in a report on Friday, June 1st. Empire boosted their target price on shares of Zogenix from $57.00 to $66.00 and gave the stock a "buy" rating in a report on Tuesday, July 31st. Zacks Investment Research upgraded shares of Zogenix from a "sell" rating to a "hold" rating in a report on Wednesday, June 6th. Finally, ValuEngine upgraded shares of Zogenix from a "buy" rating to a "strong-buy" rating in a report on Wednesday, May 2nd. One investment analyst has rated the stock with a sell rating, one has assigned a hold rating, six have assigned a buy rating and one has assigned a strong buy rating to the company. The company has a consensus rating of "Buy" and a consensus target price of $60.67. Get Zogenix alerts: +ZGNX stock opened at $48.05 on Wednesday. The stock has a market capitalization of $1.80 billion, a P/E ratio of -11.95 and a beta of 2.13. Zogenix has a 1-year low of $11.40 and a 1-year high of $62.75. Zogenix (NASDAQ:ZGNX) last released its quarterly earnings data on Monday, August 6th. The company reported ($0.82) earnings per share for the quarter, beating the consensus estimate of ($0.88) by $0.06. During the same period in the prior year, the company earned ($0.90) earnings per share. research analysts anticipate that Zogenix will post -3.72 EPS for the current fiscal year. +In other Zogenix news, EVP Gail M. Farfel sold 7,000 shares of the business's stock in a transaction dated Wednesday, August 8th. The shares were sold at an average price of $52.62, for a total value of $368,340.00. Following the completion of the transaction, the executive vice president now directly owns 14,143 shares in the company, valued at $744,204.66. The sale was disclosed in a filing with the Securities & Exchange Commission, which is accessible through the SEC website . Also, EVP Gail M. Farfel sold 5,118 shares of the business's stock in a transaction dated Tuesday, June 12th. The stock was sold at an average price of $45.00, for a total transaction of $230,310.00. The disclosure for this sale can be found here . Insiders own 4.60% of the company's stock. +A number of institutional investors have recently made changes to their positions in ZGNX. BlueMountain Capital Management LLC purchased a new stake in shares of Zogenix during the second quarter worth about $104,000. SG Americas Securities LLC purchased a new stake in shares of Zogenix during the first quarter worth about $100,000. Meadow Creek Investment Management LLC purchased a new stake in shares of Zogenix during the first quarter worth about $192,000. Amalgamated Bank purchased a new stake in shares of Zogenix during the second quarter worth about $232,000. Finally, Quantitative Systematic Strategies LLC purchased a new stake in shares of Zogenix during the second quarter worth about $239,000. +Zogenix Company Profile +Zogenix, Inc, a pharmaceutical company, develops and commercializes therapies for the treatment of central nervous system disorders in the United States. Its lead product candidate is the ZX008, a low-dose fenfluramine, which is in Phase III clinical trials for the treatment of seizures associated with Dravet syndrome \ No newline at end of file diff --git a/input/test/Test859.txt b/input/test/Test859.txt new file mode 100644 index 0000000..411d36c --- /dev/null +++ b/input/test/Test859.txt @@ -0,0 +1,8 @@ +Tweet +KAR Auction Services Inc (NYSE:KAR) CEO James P. Hallett sold 150,000 shares of the stock in a transaction that occurred on Friday, August 10th. The shares were sold at an average price of $62.11, for a total value of $9,316,500.00. The sale was disclosed in a legal filing with the SEC, which is available at the SEC website . +Shares of NYSE:KAR opened at $62.12 on Friday. KAR Auction Services Inc has a 1 year low of $43.83 and a 1 year high of $62.56. The company has a market cap of $8.31 billion, a PE ratio of 24.79, a price-to-earnings-growth ratio of 1.86 and a beta of 1.06. The company has a debt-to-equity ratio of 1.76, a quick ratio of 1.31 and a current ratio of 1.31. Get KAR Auction Services alerts: +KAR Auction Services (NYSE:KAR) last announced its quarterly earnings data on Tuesday, August 7th. The specialty retailer reported $0.82 earnings per share for the quarter, beating analysts' consensus estimates of $0.80 by $0.02. The company had revenue of $956.60 million for the quarter, compared to analyst estimates of $923.01 million. KAR Auction Services had a return on equity of 26.15% and a net margin of 11.50%. sell-side analysts expect that KAR Auction Services Inc will post 2.99 EPS for the current fiscal year. The company also recently disclosed a quarterly dividend, which will be paid on Wednesday, October 3rd. Shareholders of record on Thursday, September 20th will be issued a $0.35 dividend. The ex-dividend date of this dividend is Wednesday, September 19th. This represents a $1.40 dividend on an annualized basis and a yield of 2.25%. KAR Auction Services's payout ratio is currently 56.00%. +KAR has been the topic of a number of recent analyst reports. ValuEngine upgraded KAR Auction Services from a "hold" rating to a "buy" rating in a research report on Thursday, July 5th. Zacks Investment Research upgraded KAR Auction Services from a "hold" rating to a "buy" rating and set a $60.00 target price on the stock in a research report on Saturday, May 12th. Barrington Research reiterated a "buy" rating on shares of KAR Auction Services in a research report on Monday, May 14th. Stephens reiterated a "hold" rating and set a $60.00 target price on shares of KAR Auction Services in a research report on Thursday, August 9th. Finally, Gabelli lowered KAR Auction Services from a "buy" rating to a "hold" rating in a research report on Thursday, August 9th. They noted that the move was a valuation call. Four equities research analysts have rated the stock with a hold rating and seven have assigned a buy rating to the stock. The stock currently has a consensus rating of "Buy" and an average price target of $60.89. +Hedge funds have recently made changes to their positions in the business. Ramsey Quantitative Systems purchased a new position in KAR Auction Services in the 2nd quarter valued at $311,000. Royal Bank of Canada lifted its holdings in KAR Auction Services by 3.4% in the 1st quarter. Royal Bank of Canada now owns 454,016 shares of the specialty retailer's stock valued at $24,607,000 after purchasing an additional 14,760 shares in the last quarter. Port Capital LLC lifted its holdings in KAR Auction Services by 5.2% in the 2nd quarter. Port Capital LLC now owns 335,770 shares of the specialty retailer's stock valued at $18,400,000 after purchasing an additional 16,730 shares in the last quarter. New York State Common Retirement Fund lifted its holdings in KAR Auction Services by 4.0% in the 1st quarter. New York State Common Retirement Fund now owns 346,692 shares of the specialty retailer's stock valued at $18,791,000 after purchasing an additional 13,400 shares in the last quarter. Finally, Teza Capital Management LLC purchased a new position in KAR Auction Services in the 1st quarter valued at $1,343,000. Institutional investors own 99.02% of the company's stock. +KAR Auction Services Company Profile +KAR Auction Services, Inc, together with its subsidiaries, provides used car auction and salvage auction services in the United States, Canada, Mexico, and the United Kingdom. The company operates through three segments: ADESA Auctions, IAA, and AFC. The ADESA Auctions segment offers whole car auctions and related services to the vehicle remarketing industry through online auctions and auction facilities \ No newline at end of file diff --git a/input/test/Test86.txt b/input/test/Test86.txt new file mode 100644 index 0000000..6cfd463 --- /dev/null +++ b/input/test/Test86.txt @@ -0,0 +1,7 @@ +Snippy Overview on Stocks:'s Performances: Formula One Group (NASDAQ:FWONK), Retail Properties of America, Inc … (thestreetpoint.com) +Shares of NASDAQ:LOGI opened at $46.47 on Friday. Logitech International has a 12-month low of $32.66 and a 12-month high of $47.17. The company has a market cap of $7.51 billion, a PE ratio of 34.68, a PEG ratio of 3.57 and a beta of 0.95. +Logitech International (NASDAQ:LOGI) last issued its quarterly earnings results on Monday, July 30th. The technology company reported $0.34 earnings per share (EPS) for the quarter, beating the consensus estimate of $0.27 by $0.07. The business had revenue of $608.48 million during the quarter, compared to analysts' expectations of $584.37 million. Logitech International had a return on equity of 24.63% and a net margin of 7.97%. During the same period in the previous year, the company posted $0.24 earnings per share. equities research analysts expect that Logitech International will post 1.6 EPS for the current year. +A number of brokerages have recently issued reports on LOGI. Goldman Sachs Group began coverage on Logitech International in a report on Friday, June 22nd. They set a "neutral" rating for the company. Citigroup boosted their price objective on Logitech International from $47.00 to $50.00 and gave the stock a "buy" rating in a report on Thursday, August 2nd. Loop Capital boosted their price objective on Logitech International to $53.00 and gave the stock a "buy" rating in a report on Wednesday, August 1st. They noted that the move was a valuation call. BidaskClub upgraded Logitech International from a "hold" rating to a "buy" rating in a report on Thursday, May 17th. Finally, Zacks Investment Research upgraded Logitech International from a "hold" rating to a "strong-buy" rating and set a $47.00 price objective for the company in a report on Wednesday, May 16th. One research analyst has rated the stock with a sell rating, two have given a hold rating, four have given a buy rating and one has issued a strong buy rating to the company. The company has an average rating of "Buy" and a consensus target price of $49.00. +In related news, CEO Bracken Darrell sold 100,000 shares of the business's stock in a transaction that occurred on Friday, August 3rd. The stock was sold at an average price of $45.66, for a total value of $4,566,000.00. Following the completion of the sale, the chief executive officer now directly owns 712,137 shares in the company, valued at $32,516,175.42. The sale was disclosed in a filing with the SEC, which is available at this link . Insiders own 1.80% of the company's stock. +Logitech International Company Profile +Logitech International SA, through its subsidiaries, designs, manufactures, and markets products that allow people to connect through music, gaming, video, computing, and other digital platforms worldwide. The company offers portable wireless Bluetooth and Wi-Fi speakers, PC speakers, PC headsets, in-ear headphones, and wireless audio wearables; gaming mice, keyboards, headsets, mousepads, and steering wheels and flight sticks; and audio and video, and other products that connect small and medium sized user groups. Receive News & Ratings for Logitech International Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Logitech International and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test860.txt b/input/test/Test860.txt new file mode 100644 index 0000000..159b32a --- /dev/null +++ b/input/test/Test860.txt @@ -0,0 +1,49 @@ +By Andy Walker: Editor on 17 August, 2018 AndyWalkerSA Share +Aretha Franklin, the Queen of Soul, has died. +The singer-songwriter fell ill earlier this week , and died on 16 August as a result of pancreatic cancer. +She was 76. +Born in 1942 in Memphis, USA, Aretha Franklin's career spanned seven decades, and included hits like "Respect", "Natural Woman" and "I Say A Little Prayer". +Selling some 75-million records, there's no doubt that she had a massive impact on the music industry. +Celebrities took to Twitter on Thursday night to mourn her death, celebrate her life, and thank her for her contribution to society. +Former US President Barack Obama led the sentiment. +"Aretha helped define the American experience. In her voice, we could feel our history, all of it and in every shade—our power and our pain, our darkness and our light, our quest for redemption and our hard-won respect," he tweeted. +"May the Queen of Soul rest in eternal peace." Aretha helped define the American experience. In her voice, we could feel our history, all of it and in every shade—our power and our pain, our darkness and our light, our quest for redemption and our hard-won respect. May the Queen of Soul rest in eternal peace. pic.twitter.com/bfASqKlLc5 +— Barack Obama (@BarackObama) August 16, 2018 +Others followed, including Mr. T. +— Mr. T (@MrT) August 16, 2018 +"Bless the heavens with that voice like you've blessed us all on this earth," was Bruno Mars' message. Bless the heavens with that voice like you've blessed us all on this earth. RIP Queen Of Soul. �� https://t.co/SXYijeIMIL +— Bruno Mars (@BrunoMars) August 16, 2018 +"The world lost an incredibly talented woman today," penned Britney Spears. +The world lost an incredibly talented woman today. Rest In Peace, @ArethaFranklin … your legacy and music will forever inspire us and future generations pic.twitter.com/me6FiFo1lM +— Britney Spears (@britneyspears) August 16, 2018 +"Forever an inspiration," wrote Jason Derulo. Forever an inspiration. Rest In Love #Queen #ArethaFranklin +— Jason Derulo (@jasonderulo) August 17, 2018 +"In my humble opinion the greatest female soul singer of our time has passed away," Marcia Hines added. +"There will never ever be another you." +In my humble opinion the greatest female soul singer of our time has passed away. The one the only #ArethaFranklin …. There will never ever be another you. My heartfelt condolences go out to her family, friends and fans. May you now Rest In Peace. You will be sorely missed. pic.twitter.com/h8XihThffv +— Marcia Hines (@TheMarciaHines) August 16, 2018 +"Saddened to hear of the passing of an icon," wrote Chris Tucker. Saddened to hear of the passing of an icon…Rest in Peace Queen #arethafranklin #Queenofsoul +— Chris Tucker (@christuckerreal) August 17, 2018 +"'America the Beautiful' has never been more beautiful," tweeted WWE chairman Vince McMahon. +"America the Beautiful" has never been more beautiful. #ArethaFranklin pic.twitter.com/6omy0lf9oG +— Vince McMahon (@VinceMcMahon) August 17, 2018 +"Salute to the Queen. The greatest vocalist I've ever known," wrote John Legend. +"Great artists never die. Music is immortal." Salute to the Queen. The greatest vocalist I've ever known. #Aretha +— John Legend (@johnlegend) August 16, 2018 +Great artists never die. Music is immortal +— John Legend (@johnlegend) August 16, 2018 +"What beautiful music and vocal artistry you gave to the world. You are a legend and your soul will never be forgotten," wrote Lady Gaga. What beautiful music and vocal artistry you gave to the world. You are a legend and your soul will never be forgotten. Rest in peace angel of music. #ArethaFranklin pic.twitter.com/ab8fmIhp4o +— Lady Gaga (@ladygaga) August 16, 2018 +"Thank you, Ms. Franklin for blessing us with your incomparable gift. Honored to have shared the stage with you even for a moment. Always bowing down to you," wrote Justin Timberlake. +This is the face of a young man who couldn't believe he was actually singing with the GREATEST OF ALL TIME. Thank you, Ms. Franklin for blessing us with your incomparable gift. Honored to have shared the stage with you even for a moment. Always bowing down to you. #QueenofSoul pic.twitter.com/4bZVAWcqeS +— Justin Timberlake (@jtimberlake) August 16, 2018 +"I have loved Aretha Franklin's music my entire life, and her music has played in our audience for 15 years. My heart goes out to her family," tweeted Ellen DeGeneres. I have loved Aretha Franklin's music my entire life, and her music has played in our audience for 15 years. My heart goes out to her family. #RESPECT #QueenofSoul +— Ellen DeGeneres (@TheEllenShow) August 16, 2018 +"RIP Aretha," was Pink's message. +RIP Aretha +— P!nk (@Pink) August 16, 2018 +"One of my GREATEST inspirations! The songs she gave us made us stronger and prouder. She empowered us!!" tweeted Alicia Keys. One of my GREATEST inspirations! The songs she gave us made us stronger and prouder. She empowered us!! We get to be inspired by her forever and now I'm going to write more songs in her honor �♀ Thank you to the Queen, there are really no words! We love you forever!! pic.twitter.com/kHBoJQQf85 +— Alicia Keys (@aliciakeys) August 16, 2018 +"We'll miss you Queen," tweeted Oprah. +We'll miss you Queen. #ArethaQueenForever pic.twitter.com/hus3lw5pwG +Feature image: joe ortuzar via Flickr ( CC BY 2.0 ) Author | Andy Walker: Editor Camper by day, run-and-gunner by night, Andy prefers his toast like his coffee -- dark and crunchy. Specialising in spotting the next big Instagram cat star, Andy also dabbles in smartphone, gadget and game reviews over on Gearburn. More RELATE \ No newline at end of file diff --git a/input/test/Test861.txt b/input/test/Test861.txt new file mode 100644 index 0000000..910ed3a --- /dev/null +++ b/input/test/Test861.txt @@ -0,0 +1,12 @@ +Bank of Montreal Can Has $1.38 Million Stake in LegacyTexas Financial Group Inc (LTXB) Donald Scott | Aug 17th, 2018 +Bank of Montreal Can lessened its stake in shares of LegacyTexas Financial Group Inc (NASDAQ:LTXB) by 5.7% during the 2nd quarter, HoldingsChannel.com reports. The fund owned 35,237 shares of the financial services provider's stock after selling 2,129 shares during the quarter. Bank of Montreal Can's holdings in LegacyTexas Financial Group were worth $1,375,000 at the end of the most recent quarter. +Several other hedge funds and other institutional investors also recently bought and sold shares of the company. BlackRock Inc. raised its holdings in LegacyTexas Financial Group by 7.2% in the 1st quarter. BlackRock Inc. now owns 5,648,942 shares of the financial services provider's stock valued at $241,887,000 after buying an additional 378,676 shares during the period. Northern Trust Corp raised its holdings in LegacyTexas Financial Group by 1.5% in the 1st quarter. Northern Trust Corp now owns 939,347 shares of the financial services provider's stock valued at $40,223,000 after buying an additional 14,330 shares during the period. Wells Fargo & Company MN raised its holdings in LegacyTexas Financial Group by 0.8% in the 1st quarter. Wells Fargo & Company MN now owns 772,830 shares of the financial services provider's stock valued at $33,092,000 after buying an additional 6,281 shares during the period. Westwood Holdings Group Inc. raised its holdings in LegacyTexas Financial Group by 2.2% in the 1st quarter. Westwood Holdings Group Inc. now owns 613,807 shares of the financial services provider's stock valued at $26,283,000 after buying an additional 13,160 shares during the period. Finally, Royal Bank of Canada raised its holdings in LegacyTexas Financial Group by 289.9% in the 1st quarter. Royal Bank of Canada now owns 536,333 shares of the financial services provider's stock valued at $22,965,000 after buying an additional 398,768 shares during the period. Institutional investors and hedge funds own 87.22% of the company's stock. Get LegacyTexas Financial Group alerts: +Shares of NASDAQ:LTXB opened at $44.69 on Friday. The company has a debt-to-equity ratio of 1.20, a quick ratio of 1.16 and a current ratio of 1.16. The stock has a market cap of $2.10 billion, a price-to-earnings ratio of 20.50, a price-to-earnings-growth ratio of 1.57 and a beta of 1.43. LegacyTexas Financial Group Inc has a 1 year low of $34.58 and a 1 year high of $46.45. +LegacyTexas Financial Group (NASDAQ:LTXB) last issued its quarterly earnings results on Tuesday, July 17th. The financial services provider reported $0.59 earnings per share (EPS) for the quarter, missing the Zacks' consensus estimate of $0.62 by ($0.03). The business had revenue of $94.78 million for the quarter, compared to analysts' expectations of $94.05 million. LegacyTexas Financial Group had a return on equity of 11.24% and a net margin of 22.39%. The firm's revenue for the quarter was up 7.6% on a year-over-year basis. During the same quarter last year, the company earned $0.60 earnings per share. analysts anticipate that LegacyTexas Financial Group Inc will post 2.77 EPS for the current fiscal year. +The firm also recently declared a quarterly dividend, which was paid on Monday, August 13th. Shareholders of record on Monday, July 30th were paid a dividend of $0.16 per share. The ex-dividend date of this dividend was Friday, July 27th. This represents a $0.64 dividend on an annualized basis and a yield of 1.43%. LegacyTexas Financial Group's dividend payout ratio (DPR) is presently 29.36%. +Several analysts recently issued reports on the stock. Stephens restated a "$41.92" rating and issued a $41.00 price objective on shares of LegacyTexas Financial Group in a report on Wednesday, July 18th. Raymond James upgraded shares of LegacyTexas Financial Group from a "market perform" rating to an "outperform" rating in a report on Wednesday, July 18th. Hovde Group restated a "hold" rating and issued a $46.00 price objective on shares of LegacyTexas Financial Group in a report on Friday, July 20th. BidaskClub upgraded shares of LegacyTexas Financial Group from a "strong sell" rating to a "sell" rating in a research note on Wednesday, July 25th. Finally, ValuEngine lowered shares of LegacyTexas Financial Group from a "buy" rating to a "hold" rating in a research note on Wednesday, May 2nd. One analyst has rated the stock with a sell rating, five have assigned a hold rating and six have given a buy rating to the company. The stock currently has a consensus rating of "Hold" and an average price target of $48.93. +In other LegacyTexas Financial Group news, Director George A. Fisk sold 5,000 shares of the business's stock in a transaction dated Tuesday, May 22nd. The shares were sold at an average price of $44.42, for a total transaction of $222,100.00. The sale was disclosed in a document filed with the SEC, which is available through the SEC website . 3.20% of the stock is owned by corporate insiders. +LegacyTexas Financial Group Profile +LegacyTexas Financial Group, Inc operates as the holding company for LegacyTexas Bank that provides various banking products and services in the United States. Its deposit products include interest-bearing and non-interest-bearing demand accounts, savings, money market, certificates of deposit, and individual retirement accounts. +Read More: Earnings Per Share +Want to see what other hedge funds are holding LTXB? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for LegacyTexas Financial Group Inc (NASDAQ:LTXB). Receive News & Ratings for LegacyTexas Financial Group Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for LegacyTexas Financial Group and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test862.txt b/input/test/Test862.txt new file mode 100644 index 0000000..b791557 --- /dev/null +++ b/input/test/Test862.txt @@ -0,0 +1,14 @@ +Why do we require the best Passive Seismic Tomography Services in India – Parsan +What exactly is PST? +Passive Seismic Tomography (PST) is a new revolutionary technique to study the natural sciences concerned with the physical properties and dynamics of the Earth and also it's surrounding environmental features. PST is exactly a geophysical exploration technique which treats the natural microseismicity as a seismic specimen to further research. +Microseismicity means small or microearthquakes with magnitudes of -1 up to 2.0 Richter which occur almost everywhere. In PST, these earthquakes are taken as seismic sources and an overlay of portable but specially designed powerful seismometers is connected to a network on the surface of quake impaction to record continuously for a period of a few months. Ergo, an active tectonic region is identified with microseismic activity to be analyzed in PST. Any tectonically active region can be imaged using PST but there must be enough earthquakes beneath and in and around the target region of study. +Parsan has been an avid research company which has highly sophisticated equipment and machinery to trace seismic activity in the Earth. We use high resolution passive seismic tomography for hydrocarbon exploration to search the exact behavior of an earthquake and how it means to react over the region. In addition, we also process the collected passive data to accurately predict the nature of a quake and so our information becomes reliable and authenticated. +How are hypocenters helpful in determining microearthquakes? +When an earthquake starts, it starts impact at a particular point of target where the earth rupture begins. These are called hypocenters and they are useful in determining where the microearthquakes started from. +Parson helps you identify even bad penetration regions with accuracy: +At Parsan, we use these hypocenters as seismic sources identified near the target area. Then a 3D seismic tomographic inversion is performed to measure the P- and S-wave travel times to our surface recording equipment that we install to a network. +In the event of penetration regions that can be identified as "bad penetrations", the seismic sources are located below the target area and since the seismic wave travels straight down from that target hypocenter, it gradually returns back up so there is just one seismic ray path from the source to the surface. We undertake this challenging study because of its nature since there is no two-way travel of the seismic wave. Hence it does not come under conventional seismic measurement and requires a lot of expertise to identify the hypocenter. With our equipment, experience and research based analysis, we have been successfully conducting tests to recognize regions of bad penetration problems like thrust belts, heavy weathered surface layers etc. +Parsan deploys 3D velocity models, study the travel time of the seismic ray paths and perform calculations to predict the near about travel times of the surface. A 3D velocity model is created with the help of data and seismic records which helps us to make further accurate judgment about the quake. +We believe that seismology is a very technical subject to handle. There is little to miss in calculation when you have challenges like bad penetrations to analyze. But experience in geophysics and space environment with previous review and research does make Parsan a desired choice to forward its recommendations on earthquake related matters on a more serious note. +For Passive Seismic Tomography and geophysics exploration, Parsan is here to help you explore a better idea that still needs to be exhumed from confines of the crust of the Earth. +#PassiveSeismicTomography , #PassiveSeismicTomographie \ No newline at end of file diff --git a/input/test/Test863.txt b/input/test/Test863.txt new file mode 100644 index 0000000..1b332e8 --- /dev/null +++ b/input/test/Test863.txt @@ -0,0 +1,12 @@ +by 2015-2023 World DC-DC Power Supply Market Research Report by Product Type, End-User (Application) and Regions (Countries) +The comprehensive analysis of Global DC-DC Power Supply Market along with the market elements such as market drivers, market trends, challenges and restraints. The various factors which will help the buyer in studying the DC-DC Power Supply market on competitive landscape analysis of prime manufacturers, trends, opportunities, marketing strategies analysis, Market Effect Factor Analysis and Consumer Needs by major regions, types, applications in Global market considering the past, present and future state of the industry.In addition, this report consists of the in-depth study of potential opportunities available in the market on a global level. +The report begins with a market overview and moves on to cover the growth prospects of the DC-DC Power Supply market. The current environment of the global DC-DC Power Supply industry and the key trends shaping the market are presented in the report. Insightful predictions for the coming few years have also been included in the report. These predictions feature important inputs from leading industry experts and take into account every statistical detail regarding the DC-DC Power Supply market. The market is growing at a very rapid face and with rise in technological innovation, competition and M&A activities in the industry many local and regional vendors are offering specific application products for varied end-users. +Request for free sample report @ https://www.indexmarketsresearch.com/report/2015-2023-world-dc-dc-power-supply-market/17147/#requestforsample +The statistical surveying report comprises of a meticulous study of the DC-DC Power Supply Market along with the industry trends, size, share, growth drivers, challenges, competitive analysis, and revenue. The report also includes an analysis on the overall market competition as well as the product portfolio of major players functioning in the market. To understand the competitive scenario of the market, an analysis of the Porter's Five Forces model has also been included for the market.This market research is conducted leveraging the data sourced from the primary and secondary research team of industry professionals as well as the in-house databases. Research analysts and consultants cooperate with the key organizations of the concerned domain to verify every value of data exists in this report. +DC-DC Power Supply industry report contains proven by regions, especially Asia-Pacific, North America, Europe, South America, Middle East & Africa, focusing top manufacturers in global market, with Production, price, revenue and market share for each manufacturer, covering following top players: Delta(Eltek), Lite-On Technology, Acbel Polytech, Salcomp, Chicony Power, Emerson(Artesyn), Flextronics, Mean Well, TDK Lambda, Phihong, FSP Group +Split By Product Type, With Production, Income, Value, Market Share, And Development Rate Of Each Kind Can Be Partitioned Into: <5W, 5-10W, 11W-50W, 51W-100W, 100W-250W. +Split By Application, This Report Centers Around Utilization, Market Share And Development Rate In Every Application, Can Be Categorized Into: Computer & office, Mobile communications, Consumer, Telecom/Datacom, Industrial, LED lighting, Wireless power & charging, Military & aerospace. +Key Reasons to Purchase: 1) To gain insightful analyses of the market and have comprehensive understanding of the DC-DC Power Supply Market and its commercial landscape. 2) Assess the DC-DC Power Supply Market production processes, major issues, and solutions to mitigate the development risk. 3) To understand the most affecting driving and restraining forces in the DC-DC Power Supply Market and its impact in the global market. 4) Learn about the market strategies that are being adopted by leading respective organizations. 5) To understand the outlook and prospects for DC-DC Power Supply Market. +Get 25% Discount Click here @ https://www.indexmarketsresearch.com/report/2015-2023-world-dc-dc-power-supply-market/17147/#inquiry +Topics such as sales and sales revenue overview, production market share by product type, capacity and production overview, import, export, and consumption are covered under the development trend section of the DC-DC Power Supply market report.Lastly, the feasibility analysis of new project investment is done in the report, which consist of a detailed SWOT analysis of the DC-DC Power Supply market. +Get Customized report please contact \ No newline at end of file diff --git a/input/test/Test864.txt b/input/test/Test864.txt new file mode 100644 index 0000000..5ef59e6 --- /dev/null +++ b/input/test/Test864.txt @@ -0,0 +1,12 @@ +Balter Liquid Alternatives LLC Has $956,000 Position in Waddell & Reed Financial, Inc. (WDR) Donna Armstrong | Aug 17th, 2018 +Balter Liquid Alternatives LLC boosted its position in Waddell & Reed Financial, Inc. (NYSE:WDR) by 31.9% during the 2nd quarter, according to the company in its most recent Form 13F filing with the Securities & Exchange Commission. The firm owned 51,463 shares of the asset manager's stock after buying an additional 12,456 shares during the period. Balter Liquid Alternatives LLC's holdings in Waddell & Reed Financial were worth $956,000 at the end of the most recent quarter. +Other hedge funds have also recently added to or reduced their stakes in the company. Stratos Wealth Partners LTD. lifted its holdings in Waddell & Reed Financial by 298.0% in the first quarter. Stratos Wealth Partners LTD. now owns 8,816 shares of the asset manager's stock valued at $178,000 after buying an additional 6,601 shares during the period. Element Capital Management LLC acquired a new position in Waddell & Reed Financial in the first quarter valued at $290,000. Xact Kapitalforvaltning AB lifted its holdings in Waddell & Reed Financial by 49.8% in the first quarter. Xact Kapitalforvaltning AB now owns 15,032 shares of the asset manager's stock valued at $304,000 after buying an additional 5,000 shares during the period. SG Americas Securities LLC lifted its holdings in Waddell & Reed Financial by 156.2% in the first quarter. SG Americas Securities LLC now owns 15,276 shares of the asset manager's stock valued at $309,000 after buying an additional 9,313 shares during the period. Finally, Commonwealth of Pennsylvania Public School Empls Retrmt SYS acquired a new position in Waddell & Reed Financial in the second quarter valued at $312,000. Institutional investors and hedge funds own 98.81% of the company's stock. Get Waddell & Reed Financial alerts: +In other news, Director James M. Raines sold 2,640 shares of the company's stock in a transaction dated Tuesday, June 12th. The shares were sold at an average price of $19.93, for a total transaction of $52,615.20. Following the transaction, the director now owns 24,826 shares in the company, valued at $494,782.18. The sale was disclosed in a document filed with the Securities & Exchange Commission, which is available through the SEC website . 3.40% of the stock is currently owned by corporate insiders. +Several equities analysts recently issued reports on the stock. ValuEngine upgraded shares of Waddell & Reed Financial from a "strong sell" rating to a "sell" rating in a report on Wednesday, August 8th. Zacks Investment Research lowered shares of Waddell & Reed Financial from a "buy" rating to a "hold" rating in a report on Monday, August 6th. Keefe, Bruyette & Woods restated a "hold" rating and issued a $23.00 target price on shares of Waddell & Reed Financial in a report on Wednesday, August 1st. Finally, Citigroup dropped their target price on shares of Waddell & Reed Financial from $19.50 to $18.00 and set a "neutral" rating on the stock in a report on Wednesday, May 2nd. Six research analysts have rated the stock with a sell rating and four have issued a hold rating to the company's stock. The company presently has an average rating of "Sell" and a consensus price target of $20.63. +Shares of NYSE WDR opened at $20.58 on Friday. Waddell & Reed Financial, Inc. has a 1-year low of $17.53 and a 1-year high of $23.82. The stock has a market cap of $1.61 billion, a PE ratio of 10.74, a P/E/G ratio of 1.23 and a beta of 1.90. The company has a current ratio of 3.99, a quick ratio of 1.75 and a debt-to-equity ratio of 0.11. +Waddell & Reed Financial (NYSE:WDR) last announced its quarterly earnings data on Tuesday, July 31st. The asset manager reported $0.55 earnings per share for the quarter, beating the consensus estimate of $0.48 by $0.07. Waddell & Reed Financial had a net margin of 13.47% and a return on equity of 19.29%. The firm had revenue of $295.34 million for the quarter, compared to analyst estimates of $288.92 million. During the same quarter in the prior year, the business earned $0.29 earnings per share. The business's quarterly revenue was up 3.0% compared to the same quarter last year. equities analysts anticipate that Waddell & Reed Financial, Inc. will post 2.2 EPS for the current year. +The business also recently disclosed a quarterly dividend, which was paid on Wednesday, August 1st. Stockholders of record on Wednesday, July 11th were issued a dividend of $0.25 per share. The ex-dividend date was Tuesday, July 10th. This represents a $1.00 annualized dividend and a dividend yield of 4.86%. Waddell & Reed Financial's dividend payout ratio is currently 52.08%. +Waddell & Reed Financial Profile +Waddell & Reed Financial, Inc, through its subsidiaries, provides investment management and advisory, investment product underwriting and distribution, and shareholder services administration to mutual funds, and institutional and separately managed accounts in the United States. The company acts as an investment adviser for institutional and other private investors, and provides sub advisory services to other investment companies; and underwrites and distributes registered open-end mutual fund portfolios. +Featured Story: Fundamental Analysis and Choosing Stocks +Want to see what other hedge funds are holding WDR? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Waddell & Reed Financial, Inc. (NYSE:WDR). Receive News & Ratings for Waddell & Reed Financial Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Waddell & Reed Financial and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test865.txt b/input/test/Test865.txt new file mode 100644 index 0000000..83e107b --- /dev/null +++ b/input/test/Test865.txt @@ -0,0 +1,8 @@ +Tweet +Alps Advisors Inc. increased its stake in Lennox International Inc. (NYSE:LII) by 26.3% in the 2nd quarter, according to its most recent Form 13F filing with the Securities and Exchange Commission (SEC). The institutional investor owned 4,991 shares of the construction company's stock after acquiring an additional 1,038 shares during the period. Alps Advisors Inc.'s holdings in Lennox International were worth $1,039,000 at the end of the most recent reporting period. +Other institutional investors also recently bought and sold shares of the company. Riverbridge Partners LLC acquired a new stake in Lennox International during the second quarter valued at approximately $26,017,000. BlackRock Inc. lifted its stake in Lennox International by 2.9% during the first quarter. BlackRock Inc. now owns 3,641,718 shares of the construction company's stock valued at $744,259,000 after purchasing an additional 103,287 shares during the last quarter. OppenheimerFunds Inc. lifted its stake in Lennox International by 41.0% during the first quarter. OppenheimerFunds Inc. now owns 190,910 shares of the construction company's stock valued at $39,016,000 after purchasing an additional 55,534 shares during the last quarter. Interval Partners LP acquired a new stake in Lennox International during the first quarter valued at approximately $10,219,000. Finally, Eventide Asset Management LLC lifted its stake in Lennox International by 57.3% during the first quarter. Eventide Asset Management LLC now owns 118,000 shares of the construction company's stock valued at $24,116,000 after purchasing an additional 43,000 shares during the last quarter. Institutional investors and hedge funds own 70.44% of the company's stock. Get Lennox International alerts: +LII has been the subject of several recent research reports. TheStreet raised shares of Lennox International from a "c+" rating to a "b" rating in a research note on Monday, July 23rd. Stifel Nicolaus reissued a "hold" rating and set a $210.00 target price (down from $218.00) on shares of Lennox International in a research note on Tuesday, April 24th. Wells Fargo & Co upped their price target on shares of Lennox International from $220.00 to $230.00 and gave the company a "market perform" rating in a research report on Monday, July 9th. Seaport Global Securities downgraded shares of Lennox International from a "buy" rating to a "neutral" rating in a research report on Tuesday, July 24th. They noted that the move was a valuation call. Finally, Barclays upped their price target on shares of Lennox International from $233.00 to $239.00 and gave the company an "overweight" rating in a research report on Thursday, August 9th. Two analysts have rated the stock with a sell rating, six have issued a hold rating and three have assigned a buy rating to the company. The stock presently has a consensus rating of "Hold" and an average target price of $210.13. Shares of NYSE:LII opened at $221.27 on Friday. The company has a debt-to-equity ratio of -7.32, a current ratio of 1.86 and a quick ratio of 1.14. The company has a market capitalization of $8.68 billion, a P/E ratio of 27.94, a PEG ratio of 1.10 and a beta of 1.18. Lennox International Inc. has a 52 week low of $160.18 and a 52 week high of $224.59. +Lennox International (NYSE:LII) last issued its quarterly earnings results on Monday, July 23rd. The construction company reported $3.67 EPS for the quarter, beating the Thomson Reuters' consensus estimate of $3.56 by $0.11. The business had revenue of $1.18 billion during the quarter, compared to the consensus estimate of $1.13 billion. Lennox International had a net margin of 8.15% and a negative return on equity of 750.65%. The firm's quarterly revenue was up 6.7% on a year-over-year basis. During the same quarter in the prior year, the firm earned $2.83 EPS. research analysts expect that Lennox International Inc. will post 10.2 earnings per share for the current year. +In related news, EVP Gary S. Bedard sold 500 shares of the company's stock in a transaction that occurred on Friday, June 8th. The shares were sold at an average price of $210.00, for a total value of $105,000.00. Following the completion of the sale, the executive vice president now owns 19,941 shares in the company, valued at approximately $4,187,610. The sale was disclosed in a legal filing with the SEC, which can be accessed through this hyperlink . Also, EVP Prakash Bedapudi sold 5,011 shares of the company's stock in a transaction that occurred on Wednesday, May 30th. The shares were sold at an average price of $208.15, for a total transaction of $1,043,039.65. The disclosure for this sale can be found here . In the last 90 days, insiders sold 62,836 shares of company stock valued at $12,989,876. 3.90% of the stock is owned by insiders. +Lennox International Company Profile +Lennox International Inc, together with its subsidiaries, provides climate control solutions in the United States, Canada, and internationally. It designs, manufactures, and markets a range of products for the heating, ventilation, air conditioning, and refrigeration markets. The company operates in three segments: Residential Heating & Cooling, Commercial Heating & Cooling, and Refrigeration \ No newline at end of file diff --git a/input/test/Test866.txt b/input/test/Test866.txt new file mode 100644 index 0000000..034a733 --- /dev/null +++ b/input/test/Test866.txt @@ -0,0 +1,6 @@ +The new 2018 Maruti Suzuki Ciaz is all set to launch in India on 20th August, Monday and Team-BHP have the latest images of the new Ciaz wearing no camouflage at all. The new Maruti Suzuki Ciaz gets a completely new face with very little chrome and a new sober grille along with reworked headlamp cluster. The variant of the Ciaz spotted is likely one of the lower variants of Ciaz, the top-variants will also get LED DRLs. The rear design of the 2018 Maruti Suzuki Ciaz gets a new bumper and revised taillamps along with new housing cluster for reflectors finished in chrome. +This slideshow requires JavaScript. +The interiors of 2018 Maruti Suzuki Ciaz has undergone a major revamp and the dashboard now gets a wood finish with the cabin getting black and beige colours. These images of the mid-variant of Maruti Suzuki Ciaz showcases a regular 2-DIN music system that supports Bluetooth, However, the top-variants of the new Ciaz will feature Maruti Suzuki's Smartplay touchscreen infotainment system that supports Apple Car Play and Android Auto along with inbuilt navigation. Middle and top-variants will also get steering mounted controls and the speedometer gets a blue needle and digital screen located at the centre. The rear seats of the new Ciaz get enhanced wood finish complimenting the wood in the dashboard. +The new Maruti Suzuki Ciaz will also debut the new 1.5L petrol engine along with the company's SHVS mild-hybrid technology. The sedan will continue to get the same existing diesel engine. It is expected that the SHVS technology will be offered as a standard feature across all variants of the new Ciaz. +2018 Maruti Suzuki Ciaz is now more premium and takes on the likes of Honda City , Hyundai Verna , Toyota Yaris, Volkswagen Vento and Skoda Rapid . It is also expected that with these new features, the prices of the new Ciaz will go up just marginally and will continue to be one the most affordable offering in the segment. Maruti Suzuki Ciaz is also the most premium and expensive car in the company's portfolio and is sold the company's NEXA channel of dealerships. +Image Source: TEAM-BH \ No newline at end of file diff --git a/input/test/Test867.txt b/input/test/Test867.txt new file mode 100644 index 0000000..0152ed7 --- /dev/null +++ b/input/test/Test867.txt @@ -0,0 +1 @@ +Digital Control Oil Filling Machine/ Quantitative Oil Filling line/ Filling Equi Price: Product Name: Digital Control Oil Filling Machine/ Quantitative Oil Filling line/ Filling Equipment SuppliersChinese Gold Supplier Filling Machinery EquipmentZLDG-8 (CE/ISO/GMP) - Jinan DongtaiModel: ZLDG-8 Digital Control Oil Filling MachineType: Automatic Oil Filling Machine Our Jinan Dongtai oil filling machine can be customized according your requirment and the following parameters are for reference, so directly contact us, dear ! Let me to give your an intuitive introduction.IntroductionThis oil filling machine is controlled by gowe digital and full automatic filling machine. It is measured in by Flowmeter. The speed of filling differs as per the volume to be filled as the machine is equipped with bottom-up fill assembly and adjustable volume control.ApplicationThis series of oil filling machine are widely used in filling a variety of oils and viscous liquids, such as peanut oil, blend oil, rapeseed oil and other edible oil filling. Parameters of Oil Filling MachineModel ZLDG-8 Filling head number 8Filling speed 1000-2000 (B / h)Filling capacity 1-6 liters /0.1-1 liters (can be customized according to user requirements); ( 1-6L/ 0.1-1L/ >6L / 1-20L, etc.)Filling accuracy less than or equal to 0.5%FS.Power source 220/380VType Full automatic Oil Filling Machine Features of Oil Filling MachineThe adjustment in dosage is convenience and quickFilling capacity: 1-6L/ 0.1-1L/ >6L / 1-20L, etcThe volume only need to be set on the touchscreen directlyWe have added an automatic temperature-compensated system. Flow meter type oil filling machine is adopting rotary encoder so that is more accurate.Filling speed: instead of the traditional power delivery -- pressure artesian flow, our machine adopting frequency converter to adjust the speed of filling,the efficiency highly raised.Filling speed of digital control oil filling machine can be arbitrarily adjusted on panel.The adjustment of filling accuracy, promoted by our company, the weight of filling can be set on the touchscreen.The equipment carries on automatic conpensation system when error occurs.Each filling head's speed of gowe digital control oil filling machine can be set on touchscreen.Conveyor belt be adjusted by frequency conversionWe manufacture these machines using quality measures as per standards. It is efficiently equipped with adjustable volume control and bottom-up filling assembly and filling speed differs with volume. This filling machine work on continous volumetric principle through PLC controlled by Flow meterCustomer Samples of Oil Filling MachineFront Side and Filling Heads of Oil Filling MachineMainframe of Oil Filling Machine Flank of Oil Filling Machine Filling Line / Oil Filling EquipmentFilling Line Details of Oil Filling Machine Filling Line / Oil Filling EquipmentDigital Control Oil Filling Production LinePackaging & ShippingStandard Export Packing for Oil Filling MachineA.Cover by PVC film + fumigated wooden case;B.Wooden case suitable for long distance ocean shipping. Package Site of Oil Filling Machine Filling Line / Oil Filling EquipmentOur ServicesDongtai has a highly sophisticated technical talent, has a high- quality team, can in a timely manner to provide customers with comprehensive after-sale service.No damage to human factors, all products one year warranty, life-long maintenance.Jinan Dongtai Workshop and Main TeamCompany InformationJINAN DONGTAI MACHINERY MANUFACTURING CO., LTD. is a professional packaging machinery manufacturer. For many years, we have devoted great efforts on researching and developing products under DONGTAI & XUNJIE brand, making remarkable quality, especially in filling machine and packaging machine.Our business involves various markets all over the world, in many fields with our excellent product performance.Now we have been one of the biggest manufacturers of packing machine in northeast of China, and exported our products to 21 countries, such as USA, Holland, AE, Canada, Brazil, Russia, Australia, and India and so on. On the basis of excellent quality and competitive price, you will be surely to get a big success in your industry.Jinan Dongtai Factory and WorkshopOther ProductsVarious packaging machine, packaging related machinery, packing machine, semi-auto filling machine, automatic liquid filling machine, antifreeze filler, Liquid bottling machine, paste lotion filler, magnetic pump manual liquid filling machine, coding machine, sealing machine, electromagnetic induction sealing machine, labeling machine, shrinking machine, granule packing machine, powder packing and filling machine, vacuum packaging machine, etc.Manufacturing ProcesCE Certification and ISO9001 CertificationFAQA. Is there other filling capacity can be choosen?Yes, certainly. We can customize it for you according to your filling capacity, filling accuracy, bottles sizes and so on.B. Product Production, Sourcing and PriceProfessional production, quality assurance and affordable welcome to inquire. All products are factory direct sales, looking forward to building cooperate with you wholeheartedly! C. Related Paramenters ProductsThe above parameters are for reference. Because the type and styles is so many, so we can only provide for one model for your reference, if the part of our parameters can not meet your needs, please contact me directly, we would be quickly to answer your question.D. How is the scope of the export ?Our business involves various markets all over the world and in many fields. Most parts is adopted with our excellent product profermance.For the Reason about why Choose Our Machinery EquipmentWe as a manufacturer are specialized in all kinds of packaging machinery equipment. Good experience of many years and to be devoted to the packaging industry for food, medicine, daily chemical, washing, beverage and other industries packaging, etc.Body material quality, stability, corrosion resistance, durability, security, humanization, and all performance of our powder filling machine are all very excellent. If you have free time, you could go to the factory to test our equipment.Provide best price&fast deliveryManual & automatic status switching functionOperating&cleaning convenientlyGood experience of OEM&ODM for our customersHigh accuracy; stable system; can be adjustable and customized; To be suitable for various sizes, wide varieties etc.Our machinery could save time, resource and let peple confidently used it. Our business involves various markets all over the world, in many fields with our excellent product performance.Transaction ProcessBoth sides reached cooperation intention - Signed the contract -to pay down payment through customer service - factory arranged production before testing - detection Before shipment - delivery - the client received and pay final paymentWarm ReminderWhen you send inquiry,please also included the capacity and shape you need to work on the machine, it is easy and accurately for us to recommand a right machine! If any special,our manufacture also can design the machines according your requirement. So What are you waiting for? Contact us, dear customers !Your satisfaction is our greatest Pursuit. Believe Your Choice- Jinan Dongtai. Additional inf \ No newline at end of file diff --git a/input/test/Test868.txt b/input/test/Test868.txt new file mode 100644 index 0000000..1ef9824 --- /dev/null +++ b/input/test/Test868.txt @@ -0,0 +1,4 @@ +Tweet +Media headlines about Dresser-Rand Group (NYSE:DRC) have trended somewhat positive this week, Accern Sentiment Analysis reports. The research firm rates the sentiment of press coverage by analyzing more than 20 million news and blog sources. Accern ranks coverage of public companies on a scale of -1 to 1, with scores nearest to one being the most favorable. Dresser-Rand Group earned a news impact score of 0.08 on Accern's scale. Accern also assigned headlines about the company an impact score of 43.4163403521774 out of 100, meaning that recent press coverage is somewhat unlikely to have an impact on the company's share price in the next several days. +Shares of Dresser-Rand Group stock opened at $11.05 on Friday. Get Dresser-Rand Group alerts: +Dresser-Rand Group Company Profile Dresser-Rand Group Inc is a supplier of custom-engineered rotating equipment solutions for long-life, critical applications in the oil, gas, chemical, petrochemical, process, power generation, military and other industries around the world. The Company operates through two segments: New Units and Aftermarket Parts and Services \ No newline at end of file diff --git a/input/test/Test869.txt b/input/test/Test869.txt new file mode 100644 index 0000000..4996587 --- /dev/null +++ b/input/test/Test869.txt @@ -0,0 +1,12 @@ +Rockwell Automation (ROK) Stake Raised by Associated Banc Corp Caroline Horne | Aug 17th, 2018 +Associated Banc Corp grew its stake in Rockwell Automation (NYSE:ROK) by 14.1% during the second quarter, according to the company in its most recent 13F filing with the SEC. The institutional investor owned 2,569 shares of the industrial products company's stock after purchasing an additional 318 shares during the quarter. Associated Banc Corp's holdings in Rockwell Automation were worth $427,000 as of its most recent filing with the SEC. +Several other institutional investors also recently modified their holdings of ROK. AdvisorNet Financial Inc raised its stake in Rockwell Automation by 262.2% during the second quarter. AdvisorNet Financial Inc now owns 670 shares of the industrial products company's stock worth $111,000 after acquiring an additional 485 shares during the period. Wealthcare Advisory Partners LLC raised its stake in Rockwell Automation by 333.3% during the first quarter. Wealthcare Advisory Partners LLC now owns 676 shares of the industrial products company's stock worth $118,000 after acquiring an additional 520 shares during the period. Rockefeller Capital Management L.P. acquired a new stake in Rockwell Automation during the first quarter worth about $139,000. Signaturefd LLC acquired a new stake in Rockwell Automation during the first quarter worth about $141,000. Finally, Marshall & Sullivan Inc. WA acquired a new stake in Rockwell Automation during the second quarter worth about $158,000. Institutional investors and hedge funds own 74.66% of the company's stock. Get Rockwell Automation alerts: +In other Rockwell Automation news, VP Steven W. Etzel sold 1,400 shares of the company's stock in a transaction dated Tuesday, July 31st. The shares were sold at an average price of $187.68, for a total value of $262,752.00. Following the completion of the transaction, the vice president now owns 8,668 shares in the company, valued at approximately $1,626,810.24. The transaction was disclosed in a legal filing with the SEC, which is available through the SEC website . Also, insider Theodore D. Crandall sold 5,533 shares of the company's stock in a transaction dated Tuesday, July 31st. The stock was sold at an average price of $187.34, for a total transaction of $1,036,552.22. The disclosure for this sale can be found here . 1.28% of the stock is currently owned by corporate insiders. +NYSE ROK opened at $173.32 on Friday. Rockwell Automation has a 52 week low of $155.81 and a 52 week high of $210.72. The company has a quick ratio of 1.60, a current ratio of 1.93 and a debt-to-equity ratio of 0.85. The stock has a market capitalization of $21.34 billion, a price-to-earnings ratio of 25.66, a PEG ratio of 1.86 and a beta of 1.23. +Rockwell Automation (NYSE:ROK) last posted its earnings results on Wednesday, July 25th. The industrial products company reported $2.16 EPS for the quarter, topping the consensus estimate of $2.04 by $0.12. Rockwell Automation had a net margin of 5.97% and a return on equity of 48.24%. The firm had revenue of $1.70 billion during the quarter, compared to analysts' expectations of $1.70 billion. During the same quarter in the prior year, the firm earned $1.76 EPS. Rockwell Automation's quarterly revenue was up 6.2% on a year-over-year basis. equities analysts expect that Rockwell Automation will post 8.02 earnings per share for the current year. +The company also recently announced a quarterly dividend, which will be paid on Monday, September 10th. Shareholders of record on Monday, August 13th will be given a $0.92 dividend. This represents a $3.68 annualized dividend and a yield of 2.12%. The ex-dividend date is Friday, August 10th. Rockwell Automation's dividend payout ratio (DPR) is 54.44%. +Several equities research analysts recently weighed in on the stock. Zacks Investment Research lowered shares of Rockwell Automation from a "buy" rating to a "hold" rating in a research note on Monday, August 6th. Morgan Stanley increased their price objective on shares of Rockwell Automation from $187.00 to $192.00 and gave the stock an "equal weight" rating in a research note on Friday, July 27th. Barclays reiterated a "hold" rating and set a $176.00 price objective on shares of Rockwell Automation in a research note on Thursday, July 26th. Goldman Sachs Group lowered shares of Rockwell Automation from a "neutral" rating to a "sell" rating and set a $156.00 price objective on the stock. in a research note on Monday, July 16th. Finally, Wolfe Research assumed coverage on shares of Rockwell Automation in a research note on Wednesday, June 27th. They set a "market perform" rating on the stock. Two investment analysts have rated the stock with a sell rating, thirteen have issued a hold rating and two have assigned a buy rating to the company's stock. The stock has an average rating of "Hold" and a consensus price target of $187.00. +Rockwell Automation Company Profile +Rockwell Automation Inc provides industrial automation and information solutions worldwide. It operates in two segments, Architecture & Software; and Control Products & Solutions. The Architecture & Software segment provides control platforms, including controllers, electronic operator interface devices, electronic input/output devices, communication and networking products, and industrial computers that perform multiple control disciplines and monitoring of applications, such as discrete, batch and continuous process, drives control, motion control, and machine safety control. +See Also: How Do You Make Money With Penny Stocks? +Want to see what other hedge funds are holding ROK? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Rockwell Automation (NYSE:ROK). Receive News & Ratings for Rockwell Automation Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Rockwell Automation and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test87.txt b/input/test/Test87.txt new file mode 100644 index 0000000..16336a3 --- /dev/null +++ b/input/test/Test87.txt @@ -0,0 +1 @@ +"W here did you learn to speak so eloquently, Darren?" is a question I am asked with alarming frequency. It's supposed to be a compliment. The question is posed so earnestly that I – rather than taking offence – have learned to contort myself to accommodate the expectations of the middle-class people who ask it. When they pose the query, they clearly have no idea of the subtext sizzling between the lines, which is: "I don't expect a scruff like you to be capable of stringing a sentence together." Then again, for many middle-class people in the UK, especially those working in the media, it appears that life is just one big TED talk . Aloof inquiries like that emerge from a gaping ravine between two very different, formative cultural experiences. Experiences shaped by social conditions so divergent that they often mould two very different types of people, with different sensibilities. On one side of the ravine, people ruminate about the ethical implications of the food they eat. On the other, people worry about where the next meal is coming from. On one side, people discuss the implications of "trigger warnings" and "safe spaces". On the other, people are so accustomed to anxiety, discomfort and the threat of violence that their threshold for shock and offence is hilariously high. Understanding and reconciling these distinct sensibilities requires humility (on both sides), mutual respect and a certain level of good faith from all parties. It requires patience, empathy and compassion. Above all, it requires care and sensitivity. Which is why I am thrilled Channel 4 has decided to send a couple of gold-plated wrecking balls into one of Glasgow's most challenged communities, to finally get to the bottom of the corrosive class disparity that's literally tearing our country apart. Born Famous , which will attempt to capture the untold struggle of a millionaire heiress as she ponders how shit her life might have been if her mum wasn't worth £50m, is sure to draw in viewers. And that's what it's all about in TV-land, where a large audience is its own justification. Who needs investigative journalism about a social housing crisis , an ever-more precarious labour market deformed by automation, big data and cut-throat, tax-dodging multinationals ? Who needs documentary films about the decline in the retail sector to which many working-class communities became hopelessly tethered in the post-industrial age, or the widely discredited welfare reforms driving residential instability, homelessness and food bank use ? Who needs thoughtful, balanced and erudite television programming when you can turn the UK's most radioactive social problem – poverty – into an episode of Comedians in Cars Getting Coffee ? Was the monstrosity that is Benefits Street not embarrassing enough? It practically laid the groundwork for a welfare state that now treats its clients as suspects in a criminal trial. Did BBC Scotland's The Scheme , which hideously caricatured an entire community as futureless, not give enough pause for thought? The people who cook up these wacky ideas, under the illusion that they are terribly clever, are about as culturally sophisticated and insightful as the people who ask me where I learned to use "all the big words". Which is to say, they know sweet fuck all, yet somehow find themselves in the enviable position of creating the blunt instruments broadcast on what everyone's furniture is currently pointed at. You can't simulate the experience of living in poverty. It's all encompassing. You can't recreate what it's like to tread economic quicksand, while you're being farmed by banks, debt collectors, rent-to-own cowboys, payday loan sharks and telecommunications and social media conglomerates for your money, data and cognitive bandwidth. You can't reconstruct what it's like having very little margin for error in a culture where not being "successful" is increasingly regarded as a personality defect. The ridiculous notion that such an enterprise will expose anything but the ignorance of a cross-section of hapless lemmings in TV-land tells you everything you need to know about why viewers are tuning out of mainstream media. I genuinely hope I am wrong about this programme, that I have hastily jumped the gun and that Born Famous proves to be a direct hit among a volley of woefully destructive misfires. But given the available evidence, you can understand why so many are sceptical. The real exhibition on display here is the show itself. The fact it's being made and how it's being rolled out; deliberately stoking a faux-debate around the issue that will save the channel money it would otherwise have spent on advertising. For all the vast wealth that will undoubtedly be on display, this is as cheap as they come. Let it stand as a monument to the wisdom of the immutable crassness, insincerity and creatively rudderless trendies in TV-land who think Born Famous is wonderfully "edgy". May this poverty porn draw attention to the glazed expressions of all you socially mobile upstarts who think you're terribly bright. The only thing higher than your opinions of yourselves, are the exorbitant London rents you're all selling your souls to pay. • Darren McGarvey won this year's Orwell book prize for Poverty Safar \ No newline at end of file diff --git a/input/test/Test870.txt b/input/test/Test870.txt new file mode 100644 index 0000000..734beee --- /dev/null +++ b/input/test/Test870.txt @@ -0,0 +1,11 @@ +29,425 Shares in Terreno Realty Co. (TRNO) Purchased by Connor Clark & Lunn Investment Management Ltd. Donna Armstrong | Aug 17th, 2018 +Connor Clark & Lunn Investment Management Ltd. bought a new position in shares of Terreno Realty Co. (NYSE:TRNO) in the second quarter, according to its most recent filing with the Securities & Exchange Commission. The institutional investor bought 29,425 shares of the real estate investment trust's stock, valued at approximately $1,108,000. +Several other institutional investors have also recently bought and sold shares of TRNO. Assetmark Inc. lifted its holdings in Terreno Realty by 491.6% in the first quarter. Assetmark Inc. now owns 3,526 shares of the real estate investment trust's stock worth $122,000 after buying an additional 2,930 shares during the period. Eii Capital Management Inc. purchased a new stake in Terreno Realty in the second quarter worth about $188,000. Hsbc Holdings PLC purchased a new stake in Terreno Realty in the first quarter worth about $207,000. Guggenheim Capital LLC purchased a new stake in Terreno Realty in the fourth quarter worth about $229,000. Finally, Xact Kapitalforvaltning AB purchased a new stake in Terreno Realty in the first quarter worth about $350,000. Institutional investors own 95.62% of the company's stock. Get Terreno Realty alerts: +In other Terreno Realty news, Director Gabriela Franco Parcella bought 5,500 shares of the firm's stock in a transaction on Tuesday, June 12th. The stock was acquired at an average price of $37.97 per share, with a total value of $208,835.00. Following the completion of the purchase, the director now owns 7,914 shares of the company's stock, valued at $300,494.58. The acquisition was disclosed in a document filed with the SEC, which is available at the SEC website . 2.60% of the stock is currently owned by company insiders. +TRNO has been the subject of several research analyst reports. DA Davidson set a $50.00 price objective on shares of Terreno Realty and gave the stock a "buy" rating in a report on Friday, May 4th. Zacks Investment Research upgraded shares of Terreno Realty from a "hold" rating to a "buy" rating and set a $42.00 price objective for the company in a report on Saturday, May 19th. National Securities restated a "buy" rating and issued a $39.00 price objective on shares of Terreno Realty in a report on Tuesday, May 8th. Finally, KeyCorp raised their price objective on shares of Terreno Realty from $39.00 to $40.00 and gave the stock a "buy" rating in a report on Friday, August 3rd. Five investment analysts have rated the stock with a hold rating and nine have given a buy rating to the stock. Terreno Realty has an average rating of "Buy" and an average target price of $38.91. +Shares of NYSE TRNO opened at $37.83 on Friday. Terreno Realty Co. has a fifty-two week low of $31.56 and a fifty-two week high of $39.26. The company has a market cap of $2.21 billion, a price-to-earnings ratio of 34.71, a price-to-earnings-growth ratio of 2.94 and a beta of 0.73. The company has a quick ratio of 1.26, a current ratio of 1.26 and a debt-to-equity ratio of 0.42. +The firm also recently announced a quarterly dividend, which will be paid on Friday, October 19th. Shareholders of record on Friday, October 5th will be paid a dividend of $0.24 per share. This is an increase from Terreno Realty's previous quarterly dividend of $0.22. The ex-dividend date is Thursday, October 4th. This represents a $0.96 dividend on an annualized basis and a dividend yield of 2.54%. Terreno Realty's dividend payout ratio (DPR) is currently 80.73%. +Terreno Realty Profile +Terreno Realty Corporation acquires, owns and operates industrial real estate in six major coastal U.S. markets: Los Angeles, Northern New Jersey/New York City, San Francisco Bay Area, Seattle, Miami, and Washington, DC Additional information about Terreno Realty Corporation is available on the company's web site at www.terreno.com. +Featured Story: Trading Strategy Examples and Plans +Want to see what other hedge funds are holding TRNO? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Terreno Realty Co. (NYSE:TRNO). Receive News & Ratings for Terreno Realty Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Terreno Realty and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test871.txt b/input/test/Test871.txt new file mode 100644 index 0000000..c8cfa88 --- /dev/null +++ b/input/test/Test871.txt @@ -0,0 +1,11 @@ +$405.17 Million in Sales Expected for Outfront Media Inc (OUT) This Quarter Dante Gardener | Aug 17th, 2018 +Equities analysts expect Outfront Media Inc (NYSE:OUT) to report $405.17 million in sales for the current fiscal quarter, Zacks reports. Three analysts have issued estimates for Outfront Media's earnings. The lowest sales estimate is $403.90 million and the highest is $406.00 million. Outfront Media posted sales of $392.40 million during the same quarter last year, which suggests a positive year-over-year growth rate of 3.3%. The company is expected to issue its next quarterly earnings report on Monday, November 5th. +On average, analysts expect that Outfront Media will report full-year sales of $1.56 billion for the current year. For the next fiscal year, analysts anticipate that the company will report sales of $1.61 billion per share, with estimates ranging from $1.60 billion to $1.64 billion. Zacks Investment Research's sales calculations are an average based on a survey of sell-side research firms that follow Outfront Media. Get Outfront Media alerts: +Several analysts have recently commented on OUT shares. ValuEngine downgraded shares of Outfront Media from a "sell" rating to a "strong sell" rating in a report on Wednesday, May 2nd. Zacks Investment Research raised shares of Outfront Media from a "sell" rating to a "hold" rating in a report on Thursday, May 17th. Morgan Stanley dropped their price objective on shares of Outfront Media from $24.00 to $22.00 and set an "equal weight" rating on the stock in a report on Friday, June 22nd. Finally, Wells Fargo & Co reaffirmed a "market perform" rating and issued a $27.00 price objective (up from $25.00) on shares of Outfront Media in a report on Thursday, August 9th. Two investment analysts have rated the stock with a sell rating, two have assigned a hold rating and one has issued a buy rating to the company. The company currently has an average rating of "Hold" and an average target price of $25.50. +Hedge funds have recently added to or reduced their stakes in the company. Cove Street Capital LLC purchased a new stake in shares of Outfront Media in the 2nd quarter valued at $134,000. Point72 Asset Management L.P. acquired a new position in shares of Outfront Media in the 1st quarter valued at $147,000. Point72 Asia Hong Kong Ltd lifted its stake in shares of Outfront Media by 485.4% in the 1st quarter. Point72 Asia Hong Kong Ltd now owns 8,301 shares of the financial services provider's stock valued at $156,000 after purchasing an additional 6,883 shares during the period. Cubist Systematic Strategies LLC lifted its stake in shares of Outfront Media by 70.2% in the 2nd quarter. Cubist Systematic Strategies LLC now owns 10,826 shares of the financial services provider's stock valued at $211,000 after purchasing an additional 4,467 shares during the period. Finally, TLP Group LLC lifted its stake in shares of Outfront Media by 6,494.0% in the 1st quarter. TLP Group LLC now owns 12,133 shares of the financial services provider's stock valued at $227,000 after purchasing an additional 11,949 shares during the period. 98.64% of the stock is currently owned by institutional investors and hedge funds. +OUT stock opened at $18.95 on Friday. The firm has a market capitalization of $2.62 billion, a PE ratio of 9.48, a price-to-earnings-growth ratio of 1.55 and a beta of 1.15. The company has a current ratio of 1.28, a quick ratio of 1.28 and a debt-to-equity ratio of 1.98. Outfront Media has a 12 month low of $17.75 and a 12 month high of $25.30. +The firm also recently disclosed a quarterly dividend, which will be paid on Friday, September 28th. Stockholders of record on Friday, September 7th will be issued a $0.36 dividend. This represents a $1.44 annualized dividend and a dividend yield of 7.60%. The ex-dividend date is Thursday, September 6th. Outfront Media's dividend payout ratio (DPR) is currently 72.00%. +About Outfront Media +OUTFRONT Media connects brands with consumers outside of their homes through one of the largest and most diverse sets of billboard, transit, and mobile assets in North America. Through its ON Smart Media platform, OUTFRONT Media is implementing digital technology that will fundamentally change the ways advertisers engage people on-the-go. +Get a free copy of the Zacks research report on Outfront Media (OUT) +For more information about research offerings from Zacks Investment Research, visit Zacks.com Receive News & Ratings for Outfront Media Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Outfront Media and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test872.txt b/input/test/Test872.txt new file mode 100644 index 0000000..5a4e1e3 --- /dev/null +++ b/input/test/Test872.txt @@ -0,0 +1 @@ +Congratulations, you will now receive ads and updates from mikeper. Buyer's Advice If possible, consider using an Escrow service such as Paypal for buying items. × Calls to Freeads Classifieds advertisers × Receive ads and updates from this user Email address: Please enter valid email address! Abou \ No newline at end of file diff --git a/input/test/Test873.txt b/input/test/Test873.txt new file mode 100644 index 0000000..4be9bc7 --- /dev/null +++ b/input/test/Test873.txt @@ -0,0 +1,13 @@ +Scientists target ways to make wheat safer for allergy sufferers 0 2018-08-17 11:58 By: Xinhua +SYDNEY, Aug. 17 (Xinhua) -- Research by scientists from Australia and Norway is showing promise towards reducing the proteins in wheat related to diseases such as celiac and baker's asthma. +The research released on Friday comes on the back of the recent publishing of the wheat genome sequence, a project which involved scientists from Murdoch University (MU) in Western Australia. +Utilizing that mapping of the wheat genome, another team of scientists from MU, along with scientists from the Norwegian University of Life Sciences, are working to reduce the allergenic effect of certain proteins contained in wheat. +"We are working using the newly published wheat genome sequence to identify those proteins that are responsible for immune reactions like celiac disease and baker's asthma," study co-author Angela Juhasz from the State Agricultural Biotechnology Centre at MU said. +"Understanding the genetic variability and environmental stability of wheat will help food producers to grow low allergen food that could be used as a safe and healthy alternative to complete wheat avoidance." +Although according to Juhasz, the research may help reduce the amount of gluten in wheat, the aim is not to eliminate gluten all together. +"I don't think that gluten free bread is on the table because if you think about it the gluten is why you are eating wheat so if you want to remove gluten from wheat then the product is just not suitable for producing bread or noodles or cakes and cookies," Juhasz said. +"What we are trying to achieve is to reduce the amount of these proteins and to identify those sources that are suitable for patients suffering these diseases." +The research revealed that growing conditions had a strong effect on the amount of proteins triggering food allergies in wheat. +"When the growing season had a cool finish we found an increase in proteins related to baker's asthma and food allergies," Juhasz said. +"On the other hand, high temperature stress at the flowering stage of the growing season increased the expression of major proteins associated with coeliac disease." +Juhasz said she hopes that the results will help food producers to identify grains with reduced allergen and antigen content, making them safer for wheat disease sufferers. [ Editor: Xueying ] Share or comment on this article More From Guangming Onlin \ No newline at end of file diff --git a/input/test/Test874.txt b/input/test/Test874.txt new file mode 100644 index 0000000..6e96dc4 --- /dev/null +++ b/input/test/Test874.txt @@ -0,0 +1,6 @@ +Tweet +Berenberg Bank lowered shares of Card Factory (LON:CARD) to a sell rating in a report published on Tuesday morning. The firm currently has GBX 150 ($1.91) target price on the stock, down from their prior target price of GBX 190 ($2.42). +A number of other research firms have also recently commented on CARD. Liberum Capital cut their price target on shares of Card Factory from GBX 210 ($2.68) to GBX 195 ($2.49) and set a hold rating on the stock in a report on Thursday, August 9th. Peel Hunt restated a hold rating and issued a GBX 200 ($2.55) price target (down from GBX 240 ($3.06)) on shares of Card Factory in a report on Thursday, May 31st. Two analysts have rated the stock with a sell rating, two have assigned a hold rating and one has assigned a buy rating to the stock. Card Factory presently has an average rating of Hold and a consensus price target of GBX 211.25 ($2.69). Get Card Factory alerts: +LON CARD opened at GBX 178.70 ($2.28) on Tuesday. Card Factory has a 12 month low of GBX 184.23 ($2.35) and a 12 month high of GBX 358.80 ($4.58). About Card Factory +Card Factory plc, together with its subsidiaries, operates as a specialist retailer of greeting cards, primarily in the United Kingdom. The company designs, prints, produces, and sells greeting cards, dressings, and related gift items. It operates through Card Factory and Getting Personal segments. The company provides single cards for everyday occasions, such as birthdays, anniversaries, weddings, thank you, get well soon, good luck, congratulations, sympathy, and new baby cards, as well as seasonal occasions, including Christmas, Mother's Day, Father's Day, Valentine's Day, Easter, thank you teacher, graduation, and exam congratulations; online personalized physical cards; and boxes of various Christmas cards. +Featured Article: Stock Symbol Receive News & Ratings for Card Factory Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Card Factory and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test875.txt b/input/test/Test875.txt new file mode 100644 index 0000000..bc75015 --- /dev/null +++ b/input/test/Test875.txt @@ -0,0 +1 @@ +0 11 views 0 Shares It's great to have more and more players coming into the market with Euro 5 diesel. Gives a lot of the modern diesel machines more options to choose from and one of them is Petron's Turbo Diesel Euro 5. Petron's Turbo Diesel Euro 5 recently proved its power in the high endurance 4×4 Jungle Adventure Expedition of the Rainforest Trophy Malaysia 2018. ADVERTISEMENT From the organizers of the Rainforest Challenge (RFC), the Rainforest Trophy puts the participants' teamwork, endurance, and off-roading skills to the test as they navigate through rainforests in the east coast of Malaysia under extreme conditions. 100 teams of 4×4 extreme sports enthusiasts tried to overcome obstacles like building bridges, crossing rivers, hills, swamps, mud pools, downhills and many more. Launched in 2017, the second edition of the Rainforest Trophy concluded at Gua Musang, Kelantan after 7 grueling days. The endurance challenge kicked off in Kota Bharu on 14 July. "The Rainforest Trophy definitely brought out the best among the participants as they unite for their love for the great outdoors. We are honored to be a part of this fun and challenging travel experience, and we applaud the teams for their amazing skills and hard work," said Faridah Ali, Petron Head of Retail. The group made a pit stop at Petron service stations along Tanah Merah before proceeding to Kuala Krai. The award for Best of the Best Team Spirit voted by the participants as well as media was given out at the ceremonial finish in Gua Musang on 20 July. The off-roaders and adventure enthusiasts were also given the opportunity to give back to those in need at Pos Gob, the farthest Orang Asli Village in Kelantan from 18 to 20 July. Participants successfully installed a goal post for the field, painted the madrasah, and repaired the villagers' multipurpose hall. In the new season of the Rainforest Challenge 2018 in November, Petron Turbo Diesel Euro 5 will continue to fuel the major 4×4 event exclusively held in Malaysia. Dubbed as one of the top ten toughest motor races in the world, Rainforest Challenge 2018 is a rough race for the bravest men and their machines out in Malaysia's thick rainforest. With the fuel's TriAction Advantage, teams are set for a great off-road adventure. The technologically-advanced Turbo Diesel Euro 5 is the only environment-friendly diesel with 'turbo' power in Malaysia. The TriAction Advantage in Turbo Diesel Euro 5 gives vehicles better power and better engine protection. It does not only provide excellent cleaning action but is also formulated to withstand extreme heat and high pressure. Turbo Diesel Euro 5 is now available at 132 Petron service stations all over Peninsular Malaysia. "We are excited to power these heavy machines with our state-of-the-art Turbo Diesel Euro 5 technology. Enhanced with premium Tri-Action Advantage, the Turbo Diesel Euro 5 will provide more power and smoother engine operation as the participants go through challenging terrains and serious obstacles," added Faridah. FB Comment \ No newline at end of file diff --git a/input/test/Test876.txt b/input/test/Test876.txt new file mode 100644 index 0000000..bc4634e --- /dev/null +++ b/input/test/Test876.txt @@ -0,0 +1,18 @@ +A key member of the Google Chrome security team has proposed the death of cookies to be replaced with secure HTTP tokens. +This week Mike West posted his "not-fully-baked" idea on GitHub and asked for comments. "This isn't a proposal that's well thought out, and stamped solidly with the Google Seal of Approval," he warns. "It's a collection of interesting ideas for discussion, nothing more, nothing less." +So far, people are largely receptive to the idea while pointing to the complexities that exist in trying to replace something that has become an everyday part of online interaction. +Broadly, West's idea would be to slowly deprecate the ubiquitous snippets of code that allow websites to track a user - and so provide valuable services like allowing you add products to a cart and check out later - by introducing "client-controlled, origin-bound, HTTPS-only session identifier for network-level state management." +Or, in other words, tracking code would be controlled by a browser through a secure HTTP header (a unique 256-bit value) passed along when someone visits a given website, rather than held on the server. +While the result would be effectively the same, West argues that this approach would create a new default where user tracking has security and privacy built in. He points out that although there are several standards that would allow cookies as they currently work to be more secure, "adoption is low to non-existent." +By sticking a session-identifier into HTTPS, it would associate it with a specific domain name, increasing security. And by running it through a secure, encrypted, protocol, the identifier could not be sent in plaintext, making monitoring harder. +Restrictions on HTTP header length would limit how much personal information can be stored within such a cookie and so reduce the likelihood of your sensitive information being grabbed. +Stamp on Java This style of cookie would not be available to JavaScript, which could have significant security advantages, including making it much harder to use stolen tokens to access a website pretending to be someone else. "Including a timestamp in the request might reduce that capability even further by reducing the window for pure replay attacks," West notes. +"It is both more elegant and more respectful of users' resources to migrate towards browser-controlled session identifiers, rather than oodles of key-value pairs set by the server." +Facebook admits it does track non-users, for their own good READ MORE The idea is currently only rolling around browser nerds and several people have pointed out that large companies like Facebook, which rely on cookies to give them endless access to user data, are unlikely to be excited about the idea of restrictions on what they can currently do. +It would be possible to create multiple different tokens over HTTPS – which would allow for expansion on what can be done - but then you could up in the situation where dozens of tokens are created and a new browser headache is born. +Assuming everyone agreed that this more-secure approach was worth going to all the trouble to create and implement, the question would then be: what happens to the billions of cookies that websites constantly use to provide useful user interaction? +People would move "slowly and gradually" to cookie 2.0, West reasons. You could run the two side-by-side while developers slowly move across to the new HTTP-cookie and then, "eventually you could imagine giving developers the ability to migrate completely, turning cookies off for their sites entirely." +Not sold Prodded about how this would work with sub-domains, West admitted that his proposal had sparked the same question and concern internally. +"Google relies heavily on 'http://accounts.google.com' to maintain state across sub-domains," he acknowledged. "The sign-in team is not at all sold on this, for reasonable reasons." But, he says, it's doable even if it would "be a lot of work." +There is a lot more detail on West's proposal in his write-up on GitHub and he has been responding to dozens of questions, queries and criticisms on his Twitter account. +As to whether the idea has legs, we'll have to see. There is a notable shift among internet engineers to introduce more security online, with Google heavily pushing HTTPS , certificate authorities tightening up their rules , and the IETF officially approving TLS 1.3 this month. It's not hard to see how a default improvement in cookie security could gain a lot of attention if it was seen to be viable.  \ No newline at end of file diff --git a/input/test/Test877.txt b/input/test/Test877.txt new file mode 100644 index 0000000..1db482b --- /dev/null +++ b/input/test/Test877.txt @@ -0,0 +1,6 @@ +In a blog post on Thursday, Twitter said it will remove access to application programme interfaces (APIs) needed to power push notifications and an auto-refreshing timeline. In its bid to deliver better experiences for its users, Twitter has removed support for some outdated but key developer tools in third-party apps. +In a blog post on Thursday, Twitter said it will remove access to application programme interfaces (APIs) needed to power push notifications and an auto-refreshing timeline. +"We've chosen to stop investing in other products a" including two legacy developer tools used by about 1 per cent of third-party developers. This means that some Twitter-like apps will not be able to function the exact same way as before," said Rob Johnson, Director of Product at Twitter. +The changes will affect third-party Twitter apps including Tweetbot, Twitterrific, Talon and Tweetings. +Instead of tweets automatically streaming in like they once did in some third-party apps, users will now need to pull to refresh like they do in Twitter-owned apps and sites. +"We've removed support for Twitter for Apple Watch and Twitter for Mac, wea¿ve replaced our previous Twitter for Windows app with our Progressive Web App, and now, we're removing support for some outdated developer tools," Johnson informed \ No newline at end of file diff --git a/input/test/Test878.txt b/input/test/Test878.txt new file mode 100644 index 0000000..bd6e3e7 --- /dev/null +++ b/input/test/Test878.txt @@ -0,0 +1,9 @@ +Tweet +Anchor Capital Advisors LLC lowered its stake in Kaman Co. (NYSE:KAMN) by 3.4% during the second quarter, according to the company in its most recent filing with the SEC. The fund owned 24,179 shares of the industrial products company's stock after selling 857 shares during the period. Anchor Capital Advisors LLC owned approximately 0.09% of Kaman worth $1,685,000 as of its most recent filing with the SEC. +Other institutional investors and hedge funds also recently made changes to their positions in the company. Gabelli Funds LLC grew its stake in Kaman by 0.3% in the 1st quarter. Gabelli Funds LLC now owns 1,185,800 shares of the industrial products company's stock valued at $73,662,000 after buying an additional 3,000 shares during the last quarter. SG Americas Securities LLC boosted its holdings in Kaman by 52.8% in the 1st quarter. SG Americas Securities LLC now owns 3,232 shares of the industrial products company's stock valued at $201,000 after purchasing an additional 1,117 shares during the period. Principal Financial Group Inc. boosted its holdings in Kaman by 4.9% in the 1st quarter. Principal Financial Group Inc. now owns 239,482 shares of the industrial products company's stock valued at $14,877,000 after purchasing an additional 11,124 shares during the period. Eagle Asset Management Inc. boosted its holdings in Kaman by 10.6% in the 1st quarter. Eagle Asset Management Inc. now owns 149,277 shares of the industrial products company's stock valued at $9,273,000 after purchasing an additional 14,259 shares during the period. Finally, Westwood Holdings Group Inc. boosted its holdings in Kaman by 2.2% in the 1st quarter. Westwood Holdings Group Inc. now owns 447,034 shares of the industrial products company's stock valued at $27,770,000 after purchasing an additional 9,415 shares during the period. Institutional investors and hedge funds own 89.78% of the company's stock. Get Kaman alerts: +In other news, Director Andrew William Higgins sold 6,173 shares of the company's stock in a transaction that occurred on Tuesday, May 22nd. The shares were sold at an average price of $73.58, for a total transaction of $454,209.34. The sale was disclosed in a filing with the Securities & Exchange Commission, which is accessible through the SEC website . Also, SVP Philip A. Goodrich sold 5,000 shares of the company's stock in a transaction that occurred on Wednesday, May 30th. The stock was sold at an average price of $72.37, for a total transaction of $361,850.00. Following the sale, the senior vice president now directly owns 13,259 shares of the company's stock, valued at approximately $959,553.83. The disclosure for this sale can be found here . In the last ninety days, insiders have sold 13,673 shares of company stock valued at $996,059. 2.38% of the stock is currently owned by insiders. NYSE KAMN opened at $65.97 on Friday. The company has a quick ratio of 1.74, a current ratio of 2.89 and a debt-to-equity ratio of 0.49. The stock has a market capitalization of $1.82 billion, a price-to-earnings ratio of 29.58 and a beta of 0.78. Kaman Co. has a 12-month low of $47.66 and a 12-month high of $75.08. +Kaman (NYSE:KAMN) last posted its quarterly earnings data on Wednesday, August 8th. The industrial products company reported $0.54 earnings per share (EPS) for the quarter, missing the Zacks' consensus estimate of $0.62 by ($0.08). Kaman had a net margin of 3.20% and a return on equity of 11.70%. The business had revenue of $468.13 million during the quarter, compared to the consensus estimate of $471.75 million. During the same period in the prior year, the firm earned $0.48 EPS. The business's revenue for the quarter was up 4.3% on a year-over-year basis. research analysts forecast that Kaman Co. will post 3.1 EPS for the current fiscal year. +The company also recently declared a quarterly dividend, which will be paid on Thursday, October 4th. Stockholders of record on Tuesday, September 18th will be issued a dividend of $0.20 per share. This represents a $0.80 dividend on an annualized basis and a dividend yield of 1.21%. The ex-dividend date is Monday, September 17th. Kaman's dividend payout ratio (DPR) is presently 35.87%. +A number of analysts have issued reports on the stock. Zacks Investment Research downgraded shares of Kaman from a "buy" rating to a "hold" rating in a report on Wednesday, July 11th. ValuEngine downgraded shares of Kaman from a "buy" rating to a "hold" rating in a report on Thursday, August 2nd. Finally, JPMorgan Chase & Co. assumed coverage on shares of Kaman in a report on Thursday, July 12th. They issued a "neutral" rating and a $75.00 price objective for the company. One research analyst has rated the stock with a sell rating, three have assigned a hold rating and one has issued a buy rating to the company's stock. The stock has a consensus rating of "Hold" and an average target price of $72.00. +Kaman Company Profile +Kaman Corporation operates in the aerospace and distribution markets. It operates through two segments, Distribution and Aerospace. The Distribution segment distributes electro-mechanical products; bearings; and power transmission, motion control, and electrical and fluid power components, as well as offers value-added services \ No newline at end of file diff --git a/input/test/Test879.txt b/input/test/Test879.txt new file mode 100644 index 0000000..2f2ec65 --- /dev/null +++ b/input/test/Test879.txt @@ -0,0 +1 @@ +Finance > Currency Trading | By: Jamal (17-Aug-2018 12:24) Views: 3 Rings with retro stone styles out of the 1920s concerning the 1950s are well-liked by ladies in these days. You might opt to have the ring of lady really like created a person could scope for authentic vintage rings which will fit her personality and lifestyle. To further accent the band, other stones may set during the metal band itself. This style have coloured diamonds or other precious stones including sapphires, emeralds, aquamarines, or rubies. May even spot career also glamorize the ring by getting many throngs on the group. This creates extra drama and appeal to onlookers.This can include looking at the diamond certification, the four C's (carat, clarity, cut, and color), and formed unbranded versus branded rings. Next of importance is to gather the knowledge that you ought to make a reliable purchase. Gather Practical experience.The trick is to bookmark the site, visit often, even though a close eye regarding item it is when the bidding nears the outcome. 00 or go utilizing new black on black watch by Morellato (also pictured) for only $3. They have timers for each item, that means you will just how to many minutes and seconds are left to place your bids. I'll just get in there along with you bidding through the Morellato black-on-black. Right now, you could flaunt an infant girl Phat watch (pictured) only for $27. By keeping leading of the bidding, can perform get some deals. The prices may enhance a bit, but extinguish bidding will still end at far below retail cost. It's certainly worth a try, ladies, and good luck bidding!Sometimes these cuts are side by side, top engagement ring sometimes however in different areas. Mixed cuts are with the multitude of step cut and brilliant cut methods a single diamond. This method is often used on colored gemstones, but not limited to them.Provisions for relatives have not changed period as far as to be able to be a first-class provider is concerned. On the other hand men can continue to impregnate women far into his nineties, so several mistakes don't matter on the subconscious degree. This is a grave subconscious concern. Females have a few hundred chances to become pregnant, so every obstacle is recognized. If this can be the case she can feel at ease knowing there will not be any concerns in this most important area.Can not show that we cannot turn romantic relationship into something major. You need function harder on keeping such a of relationship going and turning it into a little more meaningful type. When it appears to developing a long distance relationship remember they repeat the "heart grows fonder" extreme a distance between your the 1 that you romantic. We are all in need of a companion and generally find individual that is miles away from us.I mean most women love devote time using man referfing to nothing and it is from this nothing that an individual can learn a lot from her. The best way to find out is to consider her out more time and again. Now likes and dislikes to search for the one then you've got to have a hint from what she loves affirms. Talk to her about various things - useless ones .Each area perceived to have a template. Around the perimeter belonging to the showroom were more cases. My sister loves bracelets, brooches and pins, therefore i was glad to see some regarding next case. I stepped over on the case that contained pendant slides. I saw a dragonfly pin I'd love to have! My mother absolutely loves them and her birthday is next month, so I made a mental mention. While Cindy was sampling womens rings with blue diamonds I took a jiffy to work on some suggestions for birthday and graduation christmas presents. The next case was filled with gold nugget jewelry and chains.What you'll discover is that many of their verbalization is subconscious for reasons unknown. In case you loved this informative article along with you desire to acquire guidance about top engagement ring i implore you to visit the website. Or they will say "I want of the male gender with an outstanding sense of humor", considerably essence they date guys who can treat them first group. How is it they can be so naive in saying they want to know a certain thing, then turn around and date someone exactly the opposite?With the engagement of the royal couple, new stylish rings might develop into more accepted as rings for a relationship. Conceivably tired of this normal and typical looking ring, they could be looking after consider choices. When a number of look for engagement rings, they could be be lured to check out a few styles that feature jewels.A diamond's colour grade ranges from D-Z, from colourless to light straw yellow. To tell the truth making a decision on an engagement ring, colour will affect price and will affect the acceptance on the ring. The most valuable diamonds have the smallest amount of colour.This looks very vintage and is sought after by many as better. One of the nicest engagement ring settings also available is the flush gearing. It protects the diamond while showcasing it from a nice mode. A pave setting is when professional compensation diamond stones that vary in shapes and sizes are in the bridal. This setting however does not focus to your size of this main diamond in the ring and still is more utilized for wedding bands. A cathedral ring setting is when the main diamond is in place between bands are usually extended of this two industrys. The diamond is set onto a tapered hole in the ring. About the Author Jamal Valentine Raminez is what people call him and his wife doesn't like it at each of.Nebraska is where his home is.She used to be unemployed but now he is a production and distribution officer but she plans on changing it. I am really fond of jetski right now I have enough time to look at new tasks. My husband . i maintain an internet site ..You might want to look at it out here: http://articles.cia.pm/article.php?id=1338208In case you loved this short article and you would like to receive details with regards to top engagement ring generously visit the page. Popular Tag \ No newline at end of file diff --git a/input/test/Test88.txt b/input/test/Test88.txt new file mode 100644 index 0000000..0428af0 --- /dev/null +++ b/input/test/Test88.txt @@ -0,0 +1,11 @@ +Credits: Newshub +Kieran Read might be focussed on ensuring the Wallabies don't win back the Bledisloe Cup, but he found time to read Josh Thomson a bedtime story. +The All Blacks take on the Aussies in Sydney on Saturday night, so how will parents ensure a quiet night in front of the rugger? +All Black skipper Kieran Read launches podcast for children Thankfully, skipper Read, 32 has every parent covered with a new series of bedtime podcasts for children - Bedtime Stories, which will be released on Saturday just in time for the first Bledisloe Cup test. +So, The Project's resident big kid Josh Thomson caught up with Read for a listen. +Read says he wasn't nervous at all when making the podcast saying it was done all in one take. +And even the All Black boys have given him a little bit of grief for his latest venture, he says. +"They've had a listen - They critiqued me pretty hard." +Read will lead the All Blacks in Saturday's test against Australia, his first since New Zealand's win over Scotland in November. +Watch the full interview with Kieran Read in the video above. +Newshub \ No newline at end of file diff --git a/input/test/Test880.txt b/input/test/Test880.txt new file mode 100644 index 0000000..21748c9 --- /dev/null +++ b/input/test/Test880.txt @@ -0,0 +1,5 @@ +Data Breach , Endpoint Security , Internet of Things Security The Industrial Internet of Things: Emerging Risks Plus, Update on Lack of Fixes for Medical Device Vulnerabilities Nick Holland ( @nickster2407 ) • August 17, 2018 10 Minutes Credit Eligible Get Permission +Leading the latest edition of the ISMG Security Report: Chris Morales of the cybersecurity firm Vectra discusses how the industrial internet of things is changing the nature of industrial espionage and disruption. +In this report, you'll hear (click on player beneath image to listen): Morales discuss research on IIoT trends based on data captured from over 4 million devices; Security researcher Billy Rios discuss legacy medical device vulnerabilities that he says are not getting fixed; Rapid 7's Richard Moseley offer recommendations on priorities for CISOs. +The ISMG Security Report appears on this and other ISMG websites on Fridays. Don't miss the August 3 and August 10 editions, which respectively address mid-term election security and Amazon's privacy issues in healthcare. +Theme music for the ISMG Security Report is by Ithaca Audio under a Creative Commons license \ No newline at end of file diff --git a/input/test/Test881.txt b/input/test/Test881.txt new file mode 100644 index 0000000..7b6e7be --- /dev/null +++ b/input/test/Test881.txt @@ -0,0 +1,6 @@ +Jefferies Financial Group Comments on Establishment Labs Holdings Inc's FY2022 Earnings (ESTA) Dante Gardener | Aug 17th, 2018 +Establishment Labs Holdings Inc (NASDAQ:ESTA) – Equities research analysts at Jefferies Financial Group boosted their FY2022 earnings per share (EPS) estimates for Establishment Labs in a report issued on Tuesday, August 14th. Jefferies Financial Group analyst R. Denhoy now forecasts that the company will post earnings of $0.43 per share for the year, up from their prior forecast of $0.36. Jefferies Financial Group currently has a "Buy" rating and a $35.00 target price on the stock. Get Establishment Labs alerts: +Other analysts also recently issued research reports about the stock. BTIG Research initiated coverage on shares of Establishment Labs in a report on Monday. They set a "buy" rating and a $35.00 target price for the company. Cowen initiated coverage on shares of Establishment Labs in a report on Monday. They set an "outperform" rating and a $35.00 target price for the company. +Shares of ESTA opened at $26.22 on Thursday. Establishment Labs has a one year low of $24.11 and a one year high of $27.76. +Establishment Labs (NASDAQ:ESTA) last announced its quarterly earnings data on Tuesday, August 14th. The company reported ($0.35) EPS for the quarter, beating analysts' consensus estimates of ($0.50) by $0.15. The firm had revenue of $13.71 million during the quarter, compared to the consensus estimate of $12.10 million. +About Establishment Lab \ No newline at end of file diff --git a/input/test/Test882.txt b/input/test/Test882.txt new file mode 100644 index 0000000..2848be1 --- /dev/null +++ b/input/test/Test882.txt @@ -0,0 +1,11 @@ +Fluor Co. (NEW) (FLR) Holdings Boosted by Bank of New York Mellon Corp Donna Armstrong | Aug 17th, 2018 +Bank of New York Mellon Corp grew its position in Fluor Co. (NEW) (NYSE:FLR) by 11.1% in the second quarter, according to the company in its most recent Form 13F filing with the Securities and Exchange Commission (SEC). The firm owned 4,738,292 shares of the construction company's stock after purchasing an additional 475,286 shares during the quarter. Bank of New York Mellon Corp's holdings in Fluor Co. (NEW) were worth $231,133,000 as of its most recent filing with the Securities and Exchange Commission (SEC). +Several other institutional investors and hedge funds have also recently bought and sold shares of the business. Artisan Partners Limited Partnership boosted its position in shares of Fluor Co. (NEW) by 2.4% in the first quarter. Artisan Partners Limited Partnership now owns 5,329,940 shares of the construction company's stock worth $304,979,000 after purchasing an additional 123,529 shares during the period. Dimensional Fund Advisors LP boosted its position in shares of Fluor Co. (NEW) by 0.6% in the first quarter. Dimensional Fund Advisors LP now owns 2,055,966 shares of the construction company's stock worth $117,642,000 after purchasing an additional 12,484 shares during the period. Boston Partners boosted its position in shares of Fluor Co. (NEW) by 2.5% in the second quarter. Boston Partners now owns 1,983,921 shares of the construction company's stock worth $96,776,000 after purchasing an additional 47,578 shares during the period. OppenheimerFunds Inc. boosted its position in shares of Fluor Co. (NEW) by 111.9% in the first quarter. OppenheimerFunds Inc. now owns 1,719,912 shares of the construction company's stock worth $98,414,000 after purchasing an additional 908,181 shares during the period. Finally, Wells Fargo & Company MN boosted its position in shares of Fluor Co. (NEW) by 14.2% in the second quarter. Wells Fargo & Company MN now owns 1,469,011 shares of the construction company's stock worth $71,658,000 after purchasing an additional 182,490 shares during the period. Institutional investors and hedge funds own 90.05% of the company's stock. Get Fluor Co. (NEW) alerts: +FLR stock opened at $55.86 on Friday. Fluor Co. has a one year low of $37.03 and a one year high of $62.09. The company has a current ratio of 1.45, a quick ratio of 1.03 and a debt-to-equity ratio of 0.49. The firm has a market capitalization of $7.83 billion, a PE ratio of 34.27, a P/E/G ratio of 0.71 and a beta of 1.40. +Fluor Co. (NEW) (NYSE:FLR) last released its earnings results on Thursday, August 2nd. The construction company reported $0.81 EPS for the quarter, topping the consensus estimate of $0.70 by $0.11. Fluor Co. (NEW) had a net margin of 1.28% and a return on equity of 11.63%. The firm had revenue of $4.88 billion for the quarter, compared to the consensus estimate of $4.58 billion. During the same quarter in the previous year, the firm earned $0.72 earnings per share. The company's quarterly revenue was up 3.6% compared to the same quarter last year. equities research analysts predict that Fluor Co. will post 2.96 EPS for the current year. +The business also recently announced a quarterly dividend, which will be paid on Tuesday, October 2nd. Stockholders of record on Tuesday, September 4th will be issued a $0.21 dividend. This represents a $0.84 annualized dividend and a dividend yield of 1.50%. The ex-dividend date is Friday, August 31st. Fluor Co. (NEW)'s dividend payout ratio (DPR) is presently 51.53%. +A number of equities analysts have weighed in on the stock. Zacks Investment Research lowered shares of Fluor Co. (NEW) from a "buy" rating to a "hold" rating in a research report on Tuesday, July 10th. ValuEngine upgraded shares of Fluor Co. (NEW) from a "hold" rating to a "buy" rating in a research report on Friday, August 3rd. MKM Partners dropped their price target on shares of Fluor Co. (NEW) to $48.00 and set a "neutral" rating for the company in a research report on Tuesday, May 8th. DA Davidson dropped their price target on shares of Fluor Co. (NEW) from $63.00 to $52.00 and set a "neutral" rating for the company in a research report on Friday, May 4th. Finally, Canaccord Genuity downgraded shares of Fluor Co. (NEW) from a "buy" rating to a "hold" rating and set a $52.00 target price on the stock. in a report on Friday, May 4th. Nine equities research analysts have rated the stock with a hold rating and seven have issued a buy rating to the company. The company has a consensus rating of "Hold" and a consensus target price of $56.29. +About Fluor Co. (NEW) +Fluor Corporation, through its subsidiaries, provides engineering, procurement, construction, fabrication and modularization, commissioning and maintenance, and project management services worldwide. The company's Energy & Chemicals segment offers a range of design, engineering, procurement, construction, fabrication, and project management services in the upstream, midstream, downstream, chemical, petrochemical, offshore and onshore oil and gas production, liquefied natural gas and pipeline markets. +Featured Article: Trading Strategy Methods and Types +Want to see what other hedge funds are holding FLR? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Fluor Co. (NEW) (NYSE:FLR). Receive News & Ratings for Fluor Co. (NEW) Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Fluor Co. (NEW) and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test883.txt b/input/test/Test883.txt new file mode 100644 index 0000000..be32148 --- /dev/null +++ b/input/test/Test883.txt @@ -0,0 +1,19 @@ +Share Market Live: People walking past the Bombay Stock Exchange building. (Image: Reuters) Share Market Live: Indian stock markets (Sensex and Nifty) inched up further in the late afternoon deals on Friday with BSE Sensex reclaiming 38,000 and NSE Nifty nearing its all-time high following the sustained uptick in ITC and ICICI Bank shares. Shares of Manpasand Beverages, Rajesh Exports, Federal Bank and Vaknragee were the biggest losers among the 'A' group of BSE on Friday losing more than 3%. All the sectors of NSE were trading in positive territory with Nifty PSU Bank (up 3%), Nifty FMCG (up 2%), Nifty Metal (up 2%) leading the charge. +The domestic stock markets extended morning gains in the afternoon session on Friday with blue-chip shares of ITC, Axis Bank and Sun Pharma hitting their respective 52-week highs. Indian equities started on a positive note on Friday with BSE Sensex opening up 235 points as all the constituent stocks of BSE Sensex started in green while NSE Nifty opened well above 11,400 level at 11,437.15. +In the early dealings, shares of Reliance Industries, ITC, HDFC Bank, HDFC, ICICI Bank, Infosys were the major positive points contributors to the headline indices Sensex and Nifty. Asian shares fell Thursday after deepening worries about global economic growth, particularly in China, set off a rout on Wall Street, AP said in a report. +Live Blog Share Market Live: Sensex Live, Nifty Live, Indian Rupee vs US Dollar Exchange Rate, NSE Live, BSE Live, Latest Stock Market News 14:37 (IST) 17 Aug 2018 Chinese stock market @ 31-month low Shanghai stocks closed at a near 31-month low on Friday, dragged down by a slump in healthcare firms amid a vaccine scandal fallout, but planned talks between the United States and China helped ease trade war fears, a Reuters report said. The blue-chip CSI300 index ended 1.5% down at 3,229.62 points, while the Shanghai Composite Index closed down 1.3% at 2,668.97 points, the report added. +14:33 (IST) 17 Aug 2018 Sensex Live: Sensex retakes 38,000 Sensex Live: The benchmark Sensex retook the psychological mark of 38,000 in the afternoon deals on Friday following the sustained upmove in the shares of industry heavyweight ITC and ICICI Bank. BSE Sensex rallied to an intraday high of 38,007.35, up 343.79 points. +13:08 (IST) 17 Aug 2018 Nifty Live: Top 10 gainers Nifty Live: Shares of Grasim (up 4.28%), Yes Bank (up 3.49%), Lupin (up 3.38%), Vedanta (up 3.18%), Tata Steel (up 2.76%), Tata Motors (up 2.51%), Titan (up 2.38%), ITC (up 2.1%), Hindalco (up 1.87%), Adani Ports (up 1.86%) were the top 10 Nifty gainers on Friday. +12:57 (IST) 17 Aug 2018 Indian stock market holds morning gain Indian shares rose on Friday with financials and consumer staples leading the gains, while strong broader Asian peers which cheered Washington and Beijing's decision to hold trade talks next week also boosted investor sentiment, Reuters reported. Sensex was trading at 37,945.48, up 281.92 or 0.75% and Nifty was trading at 11,467.6, up 82.55 or 0.73%. +12:50 (IST) 17 Aug 2018 Commodity markets closed in New Delhi The wholesale commodity markets, including bullion and metal, remained closed today in New Delhi on Friday, 17 August 2018, as a mark of respect for former prime minister Atal Bihari Vajpayee, PTI said in a report. +12:10 (IST) 17 Aug 2018 Jet Airways to declare Q1 results on 27 August Jet Airways on Friday informed that a meeting of the board of directors has been scheduled on27 August 2018 to consider and approve the unaudited financial results for the first quarter ended 30 June 2018. The board of directors of Jet Airways at its meeting held on August 9 deferred the matter of consideration of the unaudited financial results for the June quarter. "The meeting of the board of directors of the company shall be held on 27 August 2018, inter a/ia, to approve the unaudited financial results for the first quarter ended 30 June 2018," Jet Airways said in an exchange filing. +11:51 (IST) 17 Aug 2018 Chinese yuan set for 10th straight weekly loss China's yuan inched up against the US dollar on Friday after the central bank surprised markets with a slightly firmer official midpoint, but still looked set for a record 10th straight weekly loss, Reuters said in a report. With more sweeping US tariffs on Chinese goods set to kick in next Thursday and China's economy cooling, some traders believe a test of the psychologically critical 7 yuan to the dollar level is only a matter of time, the report added. +11:05 (IST) 17 Aug 2018 Sensex rallies 300 points Sensex Live: BSE Sensex index rallied a little more than 300 points in the mid-morning deals on Friday following the surge in shares of ITC, Reliance Industries, ICICI Bank, Kotak Mahindra Bank, HDFC Bank, Infosys. BSE Sensex rose as much as 313.48 points to hit an intraday high of 37,977.04, similarly, NSE Nifty surged to day's high at 11,477.2, up 92.15 points. +10:27 (IST) 17 Aug 2018 Sensex Live: Top gainers The S&P BSE Sensex was trading up 280.17 or 0.74% at 37,943.73 in the late morning trades on Friday. Shares of Tata Steel, Adani Ports, ITC, Vedanta, Kotak Mahindra Bank, Sun Pharma, Tata Motors, Yes Bank, M&M, ICICI Bank, Reliance Industries, Maruti Suzuki were the top Sensex gainers on Friday rising up to 2.25%. +10:00 (IST) 17 Aug 2018 US dollar drops marginally The US dollar stepped back from 13-1/2-month highs against other major currencies on Friday as talks next week between China and the United States offered some hope that the world's two largest economies will find a way to head off a full-blown trade war, a Reuters report said. The dollar index, a measure of the greenback's strength against a basket of six major peers, was 0.1% lower at 96.549, it added. +09:45 (IST) 17 Aug 2018 ITC, Axis Bank, Sun Pharma hit 52-week highs As at 9:40 am, as many as 1,215 stocks were trading in green while only 330 were hovering in red. The blue-chip shares of companies such as Axis Bank, ITC and Sun Pharma hit their respective 52-week highs in the early session on Friday. +09:39 (IST) 17 Aug 2018 Forex market closed on account of Parsi New Year Forex and money markets are closed on Friday on account of 'Parsi New Year', PTI reported. +09:35 (IST) 17 Aug 2018 Reliance Naval recoils from day's low Shares of Anil Dhirubhai Ambani Group's Reliance Naval and Engineering Ltd cracked about 4.95% in the opening deals to a day's bottom of Rs 16.31 on BSE today. The stock of Reliance Naval recovered all the losses within minutes and was trading at Rs 17.70, up 3.15%. +09:23 (IST) 17 Aug 2018 Sensex Live: All stocks open in green Sensex Live: The benchmark Sensex index started up 235 points on Friday with all the stocks beginning in green. Shares of Vedanta (up 1.89%), M&M (up 1.35%), Tata Motors DVR (up 1.34%), Power Grid (up 1.33%), Yes Bank (up 1.29%) and Hero MotoCorp (up 1.18%). BSE Sensex surged as much as 262.91 points to a day's top of 37,926.47 after opening at 37898.6. +09:04 (IST) 17 Aug 2018 Forex markets closed Indian currency and debt markets are closed on Friday for a local holiday and trading would resume on Monday, but the local stock markets will be functioning as normal, Reuters said in a report. On Thursday, the benchmark 10-year bond yield ended at 7.86%, up 4 basis points from its Tuesday's close, it added. Earlier yesterday, the rupee today slid 26 paise to close below the 70-mark for the first time against the US currency, hammered by strong dollar demand amid growing concerns over widening trade deficit, a PTI report said. The rupee collapsed to a historic intra-day trading low of 70.40 before closing at a fresh lifetime low of 70.15 per dollar, down by 26 paise or 0.37% over the previous close, the report said further. +LOAD MORE Earlier yesterday, US stocks rebounded with the Dow posting its biggest percentage gain in over four months, as positive earnings and waning trade jitters buoyed investor confidence, a Reuters report said. The Dow Jones Industrial Average rose 396.32 points, or 1.58% to 25,558.73, the S&P 500 gained 22.32 points, or 0.79% to 2,840.69 and the Nasdaq Composite added 32.41 points, or 0.42% to 7,806.52 \ No newline at end of file diff --git a/input/test/Test884.txt b/input/test/Test884.txt new file mode 100644 index 0000000..c80e84c --- /dev/null +++ b/input/test/Test884.txt @@ -0,0 +1,9 @@ +Tweet +Aperio Group LLC reduced its position in Deutsche Bank AG (NYSE:DB) by 41.6% in the second quarter, according to the company in its most recent Form 13F filing with the Securities and Exchange Commission (SEC). The firm owned 375,545 shares of the bank's stock after selling 267,566 shares during the quarter. Aperio Group LLC's holdings in Deutsche Bank were worth $3,988,000 as of its most recent filing with the Securities and Exchange Commission (SEC). +Several other institutional investors and hedge funds have also recently bought and sold shares of the business. Gabelli Funds LLC boosted its position in shares of Deutsche Bank by 11.3% in the first quarter. Gabelli Funds LLC now owns 59,000 shares of the bank's stock worth $825,000 after purchasing an additional 6,000 shares during the period. Creative Planning boosted its position in shares of Deutsche Bank by 49.8% in the second quarter. Creative Planning now owns 20,723 shares of the bank's stock worth $220,000 after purchasing an additional 6,887 shares during the period. Bellecapital International Ltd. boosted its position in shares of Deutsche Bank by 9.6% in the second quarter. Bellecapital International Ltd. now owns 86,054 shares of the bank's stock worth $914,000 after purchasing an additional 7,507 shares during the period. Diligent Investors LLC purchased a new position in shares of Deutsche Bank in the second quarter worth $112,000. Finally, Bollard Group LLC purchased a new position in shares of Deutsche Bank in the first quarter worth $152,000. Institutional investors and hedge funds own 20.20% of the company's stock. Get Deutsche Bank alerts: +DB has been the topic of several research analyst reports. Royal Bank of Canada downgraded shares of Deutsche Bank from a "sector perform" rating to an "underperform" rating in a report on Friday, June 1st. ValuEngine downgraded shares of Deutsche Bank from a "sell" rating to a "strong sell" rating in a report on Saturday, June 2nd. Zacks Investment Research downgraded shares of Deutsche Bank from a "buy" rating to a "strong sell" rating in a report on Monday, April 23rd. DZ Bank reissued a "buy" rating on shares of Deutsche Bank in a report on Thursday, May 24th. Finally, Morgan Stanley downgraded shares of Deutsche Bank from an "equal" rating to a "weight" rating and set a $9.00 target price on the stock. in a report on Friday, August 10th. Six equities research analysts have rated the stock with a sell rating and seven have assigned a hold rating to the company. The stock has a consensus rating of "Hold" and an average price target of $13.00. DB stock opened at $11.21 on Friday. The firm has a market capitalization of $24.43 billion, a PE ratio of -18.68 and a beta of 1.41. The company has a current ratio of 0.76, a quick ratio of 0.76 and a debt-to-equity ratio of 2.38. Deutsche Bank AG has a one year low of $10.36 and a one year high of $20.23. +Deutsche Bank (NYSE:DB) last released its quarterly earnings results on Wednesday, July 25th. The bank reported $0.04 earnings per share (EPS) for the quarter, missing the Zacks' consensus estimate of $0.21 by ($0.17). The business had revenue of $7.86 billion for the quarter. Deutsche Bank had a negative net margin of 3.33% and a negative return on equity of 1.85%. equities research analysts predict that Deutsche Bank AG will post 0.83 EPS for the current year. +Deutsche Bank Profile +Deutsche Bank Aktiengesellschaft provides investment, financial, and related products and services to private individuals, corporate entities, and institutional clients worldwide. It operates through three segments: Corporate & Investment Bank (CIB), Private & Commercial Bank (PCB), and Deutsche Asset Management. +Read More: Should you buy a closed-end mutual fund? +Want to see what other hedge funds are holding DB? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Deutsche Bank AG (NYSE:DB). Receive News & Ratings for Deutsche Bank Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Deutsche Bank and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test885.txt b/input/test/Test885.txt new file mode 100644 index 0000000..6f4be1a --- /dev/null +++ b/input/test/Test885.txt @@ -0,0 +1,10 @@ +Former Craze presenter and Rhythm City actor Zola Hashatsi is heartbroken over the death of his friend ProKid and has slammed celebs, who he claimed didn't care enough to check up on the star regularly, but showed up at his memorial to be famous. +As mourners left a packed Bassline in Newtown, Johannesburg on Thursday at the end of a memorial service for the late hip-hop icon, Zola took to Instagram to get a few things off his chest. +He said it was an emotional day and thanked fans for coming to the service, before roasting celebs who were there to make it about themselves. +"Can we learn to take care and celebrate each other when we are still alive and can celebrities stop coming to be famous at these gatherings. It's not about you," he wrote. +He then asked how many of ProKid's so-called famous friends had even been in touch with the star before his death. +"Half of you in this building, when was the last time you spoke to Linda? I'm pissed," Zola added. +It was a question that surfaced shortly after ProKid's death last week, with many claiming more should have been done to honour the muso before his death. +At the memorial those close to ProKid admitted that he had not been given his dues after giving so much to the industry. +WATCH | Did ProKid ever get his dues? He didn't" #ProkidMemorial #RipProKid #ProMemorial #RipPro pic.twitter.com/I6lQZNzZEL +— TshisaLIVE (@TshisaLIVE) August 16, 2018 AKA on ProKid's death: 'He changed my life. I wish I had taken more time to reach out to him' AKA said ProKid gave him his first break as an artist. TshisaLIVE 8 days ago DJ Sbu slams claims that he let ProKid down DJ Sbu hit back at those spreading the "wrong narrative" about his relationship with ProKid. TshisaLIVE 4 days ago WATCH | 3 touching & 'drop the mic' moments at ProKid's memorial ProKid's memorial on Thursday was lit with tributes and performances. TshisaLIVE 3 hours ago Fans not impressed by Rasta's painting of ProKid Lebani Sirenje aka Rasta has come under fire for a portrait of ProKid. TshisaLIVE 18 hours ag \ No newline at end of file diff --git a/input/test/Test886.txt b/input/test/Test886.txt new file mode 100644 index 0000000..4554388 --- /dev/null +++ b/input/test/Test886.txt @@ -0,0 +1,9 @@ +Tweet +Perrigo Company PLC (NYSE:PRGO) – Equities researchers at Cantor Fitzgerald lowered their FY2019 EPS estimates for Perrigo in a research note issued on Monday, August 13th. Cantor Fitzgerald analyst L. Chen now forecasts that the company will post earnings of $5.33 per share for the year, down from their prior estimate of $5.59. Cantor Fitzgerald currently has a "Buy" rating and a $107.00 target price on the stock. Get Perrigo alerts: +Perrigo (NYSE:PRGO) last announced its quarterly earnings data on Thursday, August 9th. The company reported $1.22 EPS for the quarter, topping the Zacks' consensus estimate of $1.21 by $0.01. Perrigo had a return on equity of 11.92% and a net margin of 4.77%. The business had revenue of $1.19 billion during the quarter, compared to the consensus estimate of $1.23 billion. During the same period in the previous year, the company posted $1.22 earnings per share. The business's revenue for the quarter was down 4.2% on a year-over-year basis. A number of other equities analysts also recently commented on PRGO. Canaccord Genuity set a $105.00 price objective on Perrigo and gave the stock a "buy" rating in a research report on Monday, April 23rd. ValuEngine cut Perrigo from a "hold" rating to a "sell" rating in a research note on Wednesday, May 9th. Oppenheimer set a $98.00 target price on Perrigo and gave the stock a "buy" rating in a research note on Friday, May 11th. Wells Fargo & Co decreased their target price on Perrigo from $90.00 to $84.00 and set a "market perform" rating for the company in a research note on Monday, May 14th. Finally, TheStreet cut Perrigo from a "c-" rating to a "d+" rating in a research note on Thursday, May 31st. Two analysts have rated the stock with a sell rating, eleven have assigned a hold rating and six have issued a buy rating to the stock. The company has an average rating of "Hold" and a consensus target price of $89.94. +Shares of Perrigo stock opened at $70.40 on Wednesday. Perrigo has a one year low of $67.53 and a one year high of $95.93. The stock has a market cap of $9.56 billion, a PE ratio of 14.28, a P/E/G ratio of 1.74 and a beta of 0.84. The company has a debt-to-equity ratio of 0.52, a current ratio of 1.81 and a quick ratio of 1.23. +The business also recently announced a quarterly dividend, which will be paid on Tuesday, September 18th. Stockholders of record on Friday, August 31st will be issued a $0.19 dividend. This represents a $0.76 dividend on an annualized basis and a dividend yield of 1.08%. The ex-dividend date of this dividend is Thursday, August 30th. Perrigo's payout ratio is currently 15.42%. +In related news, EVP Svend Andersen bought 7,200 shares of the company's stock in a transaction dated Tuesday, August 14th. The shares were acquired at an average price of $69.43 per share, with a total value of $499,896.00. The transaction was disclosed in a legal filing with the Securities & Exchange Commission, which is available at the SEC website . Insiders own 6.90% of the company's stock. +A number of hedge funds have recently made changes to their positions in PRGO. Piedmont Investment Advisors LLC acquired a new position in Perrigo during the second quarter worth $110,000. Dupont Capital Management Corp grew its holdings in Perrigo by 63.8% during the second quarter. Dupont Capital Management Corp now owns 1,705 shares of the company's stock worth $124,000 after acquiring an additional 664 shares during the period. Twin Tree Management LP grew its holdings in Perrigo by 271.0% during the first quarter. Twin Tree Management LP now owns 2,223 shares of the company's stock worth $185,000 after acquiring an additional 3,523 shares during the period. Allianz Asset Management GmbH acquired a new position in Perrigo during the first quarter worth $205,000. Finally, Dynamic Technology Lab Private Ltd acquired a new position in Perrigo during the first quarter worth $208,000. 80.89% of the stock is currently owned by hedge funds and other institutional investors. +Perrigo Company Profile +Perrigo Company plc, a healthcare company, manufactures and supplies over-the-counter (OTC) healthcare products, infant formulas, branded OTC products, and generic pharmaceutical products worldwide. The company operates through Consumer Healthcare Americas, Consumer Healthcare International, and Prescription Pharmaceuticals segments \ No newline at end of file diff --git a/input/test/Test887.txt b/input/test/Test887.txt new file mode 100644 index 0000000..95ee911 --- /dev/null +++ b/input/test/Test887.txt @@ -0,0 +1 @@ +Features , Product Reviews From the coolest kids' fashion to weaning essentials and the best education materials, here's what the My Baba team are loving this week. Our weekly feature will highlight the best baby and children's brands to buy from right now and why we think they're brilliant. BABY FOOTWEAR: Aidie London Aidie London are producing organic and practical footwear for babies. To make their pre and first-walker shoes extra effective, they're designed with psychological and anthropological expertise to support your baby's development. What's more, they're not super expensive with prices starting around £18. Visit Aidielondon.com GETTING SOCIAL: Mrs Wordsmith Mrs Wordsmith design products to help children learn new words from an early ages. Aimed at those from two years, The Social Journey activity box will help your child develop skills in expressing him or herself. Learning new words early in life also makes children better prepared for school and life, research reports. Visit MrsWordsmith.com WEANING ESSENTIALS: Piccolo If Piccolo aren't already on your radar, they should be. Piccolo provide a really easy way for your baba to get the right balance of nutrients and vitamins through a brilliant range of organic fruit and vegetable purees. You can pick them up in your local supermarket or shop the range online now. Visit MyLittlePiccolo.com WORKING OUT: CARiFiT Wanting to get back into exercise after giving birth? CARiFiT offer the perfect solution for new mums. Strap your baby into your baby carrier and get working out for the ultimate fitness and bonding experience. Choose between CARiFiT Online and CARiFiT Live: the former is ideal for getting fit in the comfort of your home, while the latter is a fantastic way to get out and meet local new mums. Visit CARiFiT.com MODERN FAMILY: Liewood Liewood create the most beautiful organic textiles with the modern family at the heart of their designs. The Copenhagen-based company have a fabulous collection of eco-friendly baby toys with wooden teethers, cuddle clothes and animal music mobiles. What we're really loving are the adorable elephant and rabbit bathrobes. Visit Liewood.com KIDS' FASHION: Il Gufo After being blown away by a visit to Il Gufo HQ in Asolo, we now truly understand the Il Gufo hype and the meaning behind their 'children dressed as children' motto. The Il Gufo family recently opened their first London store on Brompton Road; it's a beautiful space so be sure to check it out. The clothing is stylishly Italian and made from high quality fabric, always. FAMILY FESTIVALS: Y-Not Festival Credit: Carolina Farulo (left and right); Max Miechoski (centre) 2018 is the year of the family festival and Y-Not really was up there with our family-friendly expectations. The Peak District affair delivered on line up with The Libertines, Manic Street Preachers and Jamiroquai (their best line up yet!), but Y-Not still has that small and friendly festival feel. With dedicated family camping, early morning activities for the little ones, as well as magic shows and the kids' Yellow Submarine Main Stage, it's a really happy family festival. What's more – under 12s go free. We're hoping to see you there next year \ No newline at end of file diff --git a/input/test/Test888.txt b/input/test/Test888.txt new file mode 100644 index 0000000..9aad9c2 --- /dev/null +++ b/input/test/Test888.txt @@ -0,0 +1 @@ +HCMC – Vietnam 's tra fish exports to the European market have made a slight rebound thanks to marketing campaigns to promote the high quality of the products. The welcome news comes in the wake of a strong drop in exports owing to false allegations being publicized in Europe , reported the VietnamPlus news site, citing Truon \ No newline at end of file diff --git a/input/test/Test889.txt b/input/test/Test889.txt new file mode 100644 index 0000000..7e0f660 --- /dev/null +++ b/input/test/Test889.txt @@ -0,0 +1,8 @@ +WEST JAPAN Rwy/S (WJRYY) Raised to "Hold" at Zacks Investment Research Anthony Miller | Aug 17th, 2018 +WEST JAPAN Rwy/S (OTCMKTS:WJRYY) was upgraded by Zacks Investment Research from a "sell" rating to a "hold" rating in a research note issued on Wednesday. +According to Zacks, "West Japan Railway Company engages in the railway transportation business. Its operating segment consists of Transportation, Sales of Goods and Food Services, Real Estate and Other Businesses. Transportation segment provides railway, bus, and ferry services. Distribution segment operates department stores, restaurants, retail and wholesale shops. Real Estate segment sells and leases properties and manages shopping centers. Other Businesses segment includes hotels, travel agencies, advertising and construction. West Japan Railway Company is headquartered in Osaka, Japan. " Get WEST JAPAN Rwy/S alerts: +Shares of WJRYY stock opened at $67.62 on Wednesday. The company has a quick ratio of 0.60, a current ratio of 0.79 and a debt-to-equity ratio of 0.78. The firm has a market capitalization of $13.29 billion, a price-to-earnings ratio of 12.34, a PEG ratio of 3.05 and a beta of 0.71. WEST JAPAN Rwy/S has a one year low of $67.22 and a one year high of $79.30. +About WEST JAPAN Rwy/S +West Japan Railway Company provides passenger railway transport services in Japan. The company operates through Transportation Operations, Retail Business, Real Estate Business, and Other Businesses segments. It operates a railway network that stretches across an area of approximately 104,000 square kilometers covering 18 prefectures in western Honshu and the northern tip of Kyushu comprising a total of 1,200 railway stations with an operating route length of 5,008.7 kilometers. +Get a free copy of the Zacks research report on WEST JAPAN Rwy/S (WJRYY) +For more information about research offerings from Zacks Investment Research, visit Zacks.com Receive News & Ratings for WEST JAPAN Rwy/S Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for WEST JAPAN Rwy/S and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test89.txt b/input/test/Test89.txt new file mode 100644 index 0000000..1a68f5b --- /dev/null +++ b/input/test/Test89.txt @@ -0,0 +1,2 @@ +0 Post Views: 863 The International Institute of Tropical Agriculture (IITA) and Oyo state government today signed a deal to develop an agricultural blueprint for the state, and the establishment of agribusiness park. The agricultural policy will clearly outline the opportunities, strengths, weaknesses, threats, and more importantly what the state needs to do in the short, medium, and long -term to achieve agricultural transformation. The second component of the deal is the development of an integrated cassava value chain in Gambari area of Oyo State on about 6000 – hectares. The integrated agribusiness park would be developed in phases, from primary production of roots, construction and installation of machineries and the processing of starch, ethanol etc. and marketing of the finished product to industries. (Agribusiness Park) Oyo State And IITA Seal Pact To Develop Agriculture Policy And Establish Agribusiness Park The project will be funded by Oyo State government, says the Governor of Oyo State, Abiola Ajimobi. "Our aim is to boost food production, create jobs and wealth for our people," says Governor Abiola Ajimobi, who was represented by the Commissioner of Agriculture, Prince Oyewole Oyewumi at the Funds Release Program on Wednesday. Initial investment for the first phase of the project will cost N55million, with additional investments expected to come in as implementation commences. Besides the development of an agric policy, this first phase will focus on the cultivation of between 50 – 150 hectares to cassava. Dr Kenton Dashiell, IITA Deputy Director, Partnerships for Delivery, commended the state for engaging IITA and committing resources to finance the project. "We are glad to see Oyo State moving forward with an action plan to transform agriculture and are honored to be part of their team," Dr Dashiell said. (Agribusiness Park) Located in the south west Nigeria, Oyo state is characterized by Derived savannah in the north and Humid Forest in the south. These two agroecologies support a diversity of staple crops such as cassava, maize, soybean, yam, banana/plantains, and cash crops such as cashew and citrus among others. "The collaboration goes to show how Oyo state has become serious with agriculture," Dr Nteranya Sanginga, IITA Director General said in a statement from Nairobi. (Agribusiness Park) +READ MORE: ARMTI, AARDO Partner For Rural Devt Oyo State And IITA Seal Pact To Develop Agriculture Policy And Establish Agribusiness Park Under the policy component of the deal, IITA will work with the National Institute of Social and Economic Research ( NISER ), Oyo State Ministry of Agriculture, and the Oyo State Agricultural Development Program. It is envisaged that the policy will drive the agricultural sector by attracting private capital to the state, and in fact making the state the most preferred agro-allied investment destination in Nigeria. The Director for Development & Delivery, IITA , Dr Alfred Dixon described the event as a significant moment aimed at bringing genuine transformation to Oyo state in general, and resource-poor farmers in particular. In the last eight years, the Oyo State government has embarked on reforms to transform its economy through diversification with emphasis on agriculture. The state believes that the era of relying on the federal government for oil revenues are fast becoming over. (Agribusiness Park) TAG \ No newline at end of file diff --git a/input/test/Test890.txt b/input/test/Test890.txt new file mode 100644 index 0000000..e1739c3 --- /dev/null +++ b/input/test/Test890.txt @@ -0,0 +1,6 @@ +Tweet +B. Riley set a $2.00 target price on Aemetis (NASDAQ:AMTX) in a research report sent to investors on Monday. The brokerage currently has a hold rating on the specialty chemicals company's stock. B. Riley also issued estimates for Aemetis' Q3 2018 earnings at ($0.31) EPS, Q4 2018 earnings at ($0.31) EPS, FY2018 earnings at ($1.40) EPS, Q1 2019 earnings at ($0.30) EPS, Q2 2019 earnings at ($0.26) EPS, Q3 2019 earnings at ($0.27) EPS, Q4 2019 earnings at ($0.22) EPS and FY2019 earnings at ($1.04) EPS. +Separately, Zacks Investment Research raised Aemetis from a sell rating to a hold rating in a research note on Monday, July 16th. Get Aemetis alerts: +AMTX stock opened at $1.20 on Monday. Aemetis has a 1 year low of $0.45 and a 1 year high of $3.12. The company has a debt-to-equity ratio of -1.53, a current ratio of 0.27 and a quick ratio of 0.11. Aemetis (NASDAQ:AMTX) last posted its earnings results on Thursday, August 9th. The specialty chemicals company reported ($0.27) earnings per share (EPS) for the quarter, beating analysts' consensus estimates of ($0.34) by $0.07. equities analysts predict that Aemetis will post -1.61 earnings per share for the current fiscal year. +Aemetis Company Profile +Aemetis, Inc operates as a renewable fuels and bio-chemicals company in North America and India. The company focuses on the acquisition, development, and commercialization of various technologies that replace traditional petroleum-based products by the conversion of ethanol and biodiesel plants into advanced bio refineries \ No newline at end of file diff --git a/input/test/Test891.txt b/input/test/Test891.txt new file mode 100644 index 0000000..58f5986 --- /dev/null +++ b/input/test/Test891.txt @@ -0,0 +1,12 @@ +Graphic Packaging Holding (GPK) Holdings Boosted by Balter Liquid Alternatives LLC Dante Gardener | Aug 17th, 2018 +Balter Liquid Alternatives LLC grew its position in Graphic Packaging Holding (NYSE:GPK) by 48.6% in the second quarter, according to the company in its most recent Form 13F filing with the Securities and Exchange Commission (SEC). The firm owned 53,462 shares of the industrial products company's stock after purchasing an additional 17,492 shares during the quarter. Balter Liquid Alternatives LLC's holdings in Graphic Packaging were worth $780,000 as of its most recent filing with the Securities and Exchange Commission (SEC). +Other institutional investors and hedge funds have also recently bought and sold shares of the company. Dalton Greiner Hartman Maher & Co. bought a new position in shares of Graphic Packaging in the second quarter worth approximately $487,000. American Century Companies Inc. lifted its holdings in shares of Graphic Packaging by 1.0% in the first quarter. American Century Companies Inc. now owns 15,253,501 shares of the industrial products company's stock worth $234,141,000 after buying an additional 151,999 shares in the last quarter. JPMorgan Chase& Co. lifted its holdings in shares of Graphic Packaging by 5.6% in the first quarter. JPMorgan Chase & Co. now owns 7,573,776 shares of the industrial products company's stock worth $116,258,000 after buying an additional 401,881 shares in the last quarter. Xact Kapitalforvaltning AB lifted its holdings in shares of Graphic Packaging by 14.1% in the second quarter. Xact Kapitalforvaltning AB now owns 42,152 shares of the industrial products company's stock worth $612,000 after buying an additional 5,200 shares in the last quarter. Finally, First Pacific Advisors LLC lifted its holdings in shares of Graphic Packaging by 73.1% in the first quarter. First Pacific Advisors LLC now owns 802,407 shares of the industrial products company's stock worth $12,317,000 after buying an additional 338,812 shares in the last quarter. Institutional investors and hedge funds own 97.36% of the company's stock. Get Graphic Packaging alerts: +Several research firms have recently commented on GPK. Zacks Investment Research downgraded shares of Graphic Packaging from a "hold" rating to a "sell" rating in a report on Wednesday, July 4th. Citigroup lowered their target price on shares of Graphic Packaging from $18.00 to $17.00 and set a "buy" rating on the stock in a report on Wednesday, July 25th. Bank of America lowered their target price on shares of Graphic Packaging from $17.00 to $16.50 and set a "buy" rating on the stock in a report on Wednesday, July 25th. Jefferies Financial Group began coverage on shares of Graphic Packaging in a report on Friday, May 18th. They issued a "buy" rating and a $20.00 target price on the stock. Finally, ValuEngine raised shares of Graphic Packaging from a "sell" rating to a "hold" rating in a report on Thursday, May 17th. Three investment analysts have rated the stock with a hold rating and eight have issued a buy rating to the company. The stock has a consensus rating of "Buy" and a consensus target price of $17.78. +Graphic Packaging stock opened at $14.27 on Friday. The firm has a market cap of $4.41 billion, a P/E ratio of 22.65, a price-to-earnings-growth ratio of 1.11 and a beta of 1.11. The company has a current ratio of 1.77, a quick ratio of 0.81 and a debt-to-equity ratio of 1.35. Graphic Packaging Holding has a 52-week low of $12.65 and a 52-week high of $16.74. +Graphic Packaging (NYSE:GPK) last released its quarterly earnings results on Tuesday, July 24th. The industrial products company reported $0.18 earnings per share (EPS) for the quarter, missing the Zacks' consensus estimate of $0.20 by ($0.02). The business had revenue of $1.51 billion for the quarter, compared to analysts' expectations of $1.56 billion. Graphic Packaging had a net margin of 5.74% and a return on equity of 13.05%. Graphic Packaging's revenue for the quarter was up 37.8% compared to the same quarter last year. During the same period in the previous year, the company earned $0.15 EPS. equities research analysts predict that Graphic Packaging Holding will post 0.85 earnings per share for the current fiscal year. +The firm also recently declared a quarterly dividend, which will be paid on Friday, October 5th. Investors of record on Saturday, September 15th will be paid a dividend of $0.075 per share. This represents a $0.30 dividend on an annualized basis and a yield of 2.10%. The ex-dividend date is Thursday, September 13th. Graphic Packaging's payout ratio is 47.62%. +In related news, SVP Alan R. Nichols sold 101,303 shares of the company's stock in a transaction on Thursday, May 24th. The shares were sold at an average price of $15.08, for a total transaction of $1,527,649.24. Following the sale, the senior vice president now owns 43,335 shares of the company's stock, valued at $653,491.80. The transaction was disclosed in a legal filing with the SEC, which is available through the SEC website . 0.62% of the stock is owned by corporate insiders. +Graphic Packaging Company Profile +Graphic Packaging Holding Company, together with its subsidiaries, provides paper-based packaging solutions to food, beverage, and other consumer products companies. It operates through three segments: Paperboard Mills, Americas Paperboard Packaging, and Europe Paperboard Packaging. The company offers coated unbleached kraft (CUK) and coated recycled paperboard (CRB) to various paperboard packaging converters and brokers; and paperboard packaging folding cartons primarily to consumer packaged goods companies. +Read More: Should you buy a closed-end mutual fund? +Want to see what other hedge funds are holding GPK? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Graphic Packaging Holding (NYSE:GPK). Receive News & Ratings for Graphic Packaging Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Graphic Packaging and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test892.txt b/input/test/Test892.txt new file mode 100644 index 0000000..3beb472 --- /dev/null +++ b/input/test/Test892.txt @@ -0,0 +1,5 @@ +How to Start an Internet Business over a Low Funds Posted on by kinkygoverness +With a little research, you can find how to commence an Internet business with little or no expense. A large number of people researching ways to function from home feel that it takes a sizable investment to start. That can certainly not end up being further from the truth. Finding a computer with an Net connection may make it possible for anyone with the desire to own personal his or perhaps her unique business. Quite often your sole investment will be registering appropriate or getting hosting to your new website and organization. Everyone who would like to own a website need to have his / her own space on the web. Having a domain name and a hosting account happen to be business bills that may not be prevented, consequently become prepared designed for this kind of little purchase when ever considering your budget and operating expenses. Online marketing is an individual alternative to consider when starting an online organization with little or little financial commitment. Tons of marketing eliminates the must to make your own goods to market. You can help to make a fully committed cash flow web based simply by promoting other folks products. This is certainly a popular concept among many of the top teachers and business owners online today. You may start an Internet home organization merely by getting products you are interested in and commence promoting all of them. +After discovering products to encourage, you should arrangement your advertising campaign. In order to make cash on the web you must showcase, advertise and brand your web site and business. Many affiliate marketers make the mistake of thinking they may make cash because they will have a web page. The truth is going to be it takes a strong commitment and hard work to acquire targeted targeted traffic aimed at your website in order to make any cash online. An excellent percentage of people simply surrender and leave when finding out that running a successful home-based business involves effort. What's even worst, some people quit unacquainted that achievement was simply just around the corner. Building a stable and profitable business with long-term growth will ultimately require an email marketing service to assist you to build as well as the mailing list. This kind of little purchase should gradually come to be added to your operating charge. Building your own web mail subscriber list via decided in subscription or e-mag is an crucial stage towards expansion and balance. You must build and preserve a listing of prospects considering the services or products. This kind of is the same method while having a frequent customer base once operating an actual showcase. Creating a trusting marriage with your consumers and selling to them on a continuous most basic is the key element to setting up a effective Internet organization. +Nevertheless , taking targeted visitors to your web-site could be hard. Even so, you can receive improve this kind of simply by finding businesses to send targeted visitors to your site. You will find companies offering this program and you can find them by performing an on the web search for conditions just like investing in targeted business leads or perhaps lead generation providers. Website application is another location in which usually you may choose to make a little investment. 1 option you might consider to help lower cost is undoubtedly running a blog. Blogs is a great excellent replacement for costly website software and design companies. +Blogging is mostly a new happening, which enables anyone to build eye-catching professional looking websites that can easily be without difficulty modified, kept up to date and managed. Having complete control above your web site with the capacity to help to make changes yourself is necessary when learning just how to start your private Internet business. Many blogs applications are cost-free to make use of and delivers the required tools should help you keep your website. Finally, once you begin making money, reinvesting a percentage of that around your business is important for long lasting growth. The goal is to reinvest money wisely although staying within your budget. Mapping away a straightforward strategy and sticking with this will give you every opportunity to succeed internet. For more information examine here rothimel.pl . Share this \ No newline at end of file diff --git a/input/test/Test893.txt b/input/test/Test893.txt new file mode 100644 index 0000000..9ce3512 --- /dev/null +++ b/input/test/Test893.txt @@ -0,0 +1,12 @@ +Crestwood Advisors Group LLC Sells 1,821 Shares of Procter & Gamble Co (PG) Alanna Baker | Aug 17th, 2018 +Crestwood Advisors Group LLC lessened its stake in Procter & Gamble Co (NYSE:PG) by 3.1% during the 1st quarter, HoldingsChannel.com reports. The fund owned 55,995 shares of the company's stock after selling 1,821 shares during the period. Crestwood Advisors Group LLC's holdings in Procter & Gamble were worth $4,439,000 as of its most recent filing with the Securities & Exchange Commission. +A number of other hedge funds also recently modified their holdings of the stock. Signature Estate & Investment Advisors LLC acquired a new position in Procter & Gamble during the 4th quarter worth approximately $103,000. Twin Tree Management LP acquired a new position in Procter & Gamble during the 1st quarter worth approximately $144,000. Clearwater Capital Advisors LLC acquired a new position in Procter & Gamble during the 1st quarter worth approximately $154,000. Corbyn Investment Management Inc. MD acquired a new position in Procter & Gamble during the 1st quarter worth approximately $157,000. Finally, Financial Gravity Companies Inc. purchased a new stake in shares of Procter & Gamble during the 4th quarter worth approximately $171,000. Hedge funds and other institutional investors own 59.54% of the company's stock. Get Procter & Gamble alerts: +In related news, Vice Chairman Jon R. Moeller sold 2,873 shares of the company's stock in a transaction that occurred on Monday, August 13th. The stock was sold at an average price of $81.35, for a total value of $233,718.55. Following the sale, the insider now owns 113,638 shares of the company's stock, valued at approximately $9,244,451.30. The transaction was disclosed in a filing with the SEC, which is available through this link . Also, insider Juan Fernando Posada sold 3,080 shares of the company's stock in a transaction that occurred on Wednesday, August 15th. The shares were sold at an average price of $81.98, for a total value of $252,498.40. Following the completion of the sale, the insider now directly owns 27,278 shares in the company, valued at approximately $2,236,250.44. The disclosure for this sale can be found here . In the last ninety days, insiders sold 101,968 shares of company stock worth $8,189,479. 0.35% of the stock is owned by corporate insiders. +PG stock opened at $83.69 on Friday. Procter & Gamble Co has a 1 year low of $70.73 and a 1 year high of $94.67. The company has a debt-to-equity ratio of 0.40, a quick ratio of 0.66 and a current ratio of 0.83. The company has a market capitalization of $205.29 billion, a P/E ratio of 19.83, a P/E/G ratio of 2.62 and a beta of 0.58. +Procter & Gamble (NYSE:PG) last posted its earnings results on Tuesday, July 31st. The company reported $0.94 earnings per share (EPS) for the quarter, beating analysts' consensus estimates of $0.90 by $0.04. Procter & Gamble had a return on equity of 20.94% and a net margin of 14.59%. The firm had revenue of $16.50 billion for the quarter, compared to analyst estimates of $16.52 billion. During the same quarter in the prior year, the company earned $0.85 EPS. Procter & Gamble's revenue was up 2.6% on a year-over-year basis. analysts expect that Procter & Gamble Co will post 4.42 earnings per share for the current year. +The business also recently announced a quarterly dividend, which was paid on Wednesday, August 15th. Investors of record on Friday, July 20th were paid a $0.7172 dividend. This represents a $2.87 dividend on an annualized basis and a yield of 3.43%. The ex-dividend date of this dividend was Thursday, July 19th. Procter & Gamble's payout ratio is currently 68.01%. +Several brokerages have recently commented on PG. ValuEngine lowered Procter & Gamble from a "hold" rating to a "sell" rating in a research note on Wednesday, May 2nd. SunTrust Banks boosted their price target on Procter & Gamble to $80.00 and gave the stock a "hold" rating in a research note on Wednesday, August 1st. Morgan Stanley reissued a "hold" rating on shares of Procter & Gamble in a research note on Monday, June 11th. Jefferies Financial Group lowered Procter & Gamble to a "hold" rating and set a $79.00 price target on the stock. in a research note on Tuesday, July 31st. Finally, UBS Group lowered Procter & Gamble from a "buy" rating to a "neutral" rating and set a $83.00 price target on the stock. in a research note on Wednesday, July 18th. One research analyst has rated the stock with a sell rating, fourteen have given a hold rating, four have assigned a buy rating and one has given a strong buy rating to the stock. The stock presently has a consensus rating of "Hold" and a consensus price target of $84.79. +Procter & Gamble Company Profile +The Procter & Gamble Company provides branded consumer packaged goods to consumers in the United States, Canada, Puerto Rico, Europe, the Asia Pacific, Greater China, Latin America, India, the Middle East, and Africa. The company's Beauty segment offers hair care products, including conditioners, shampoos, styling aids, and treatments; and skin and personal care products, such as antiperspirant and deodorant, personal cleansing, and skin care products. +Read More: Are Wall Street analysts' stock ratings worth following? +Want to see what other hedge funds are holding PG? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Procter & Gamble Co (NYSE:PG). Receive News & Ratings for Procter & Gamble Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Procter & Gamble and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test894.txt b/input/test/Test894.txt new file mode 100644 index 0000000..01e1504 --- /dev/null +++ b/input/test/Test894.txt @@ -0,0 +1 @@ +Report Watch Description: This immaculate condition Pemberton holiday home is being sold privately on the exclusive Sandhills Holiday Park. An identical holiday home at the same age sold last month at £110,000 so this represents a huge bargain for this location! Ideal for short breaks away and sublet income when you're not using it. Finance options are not available on this holiday home (cash purchase only) although we have others available, just ask for details. Ad ID: 3500457 \ No newline at end of file diff --git a/input/test/Test895.txt b/input/test/Test895.txt new file mode 100644 index 0000000..ce42b38 --- /dev/null +++ b/input/test/Test895.txt @@ -0,0 +1,2 @@ +August 17, 2018 05:00 ET | Source: Stratview Research Detroit, Aug. 17, Stratview Research announces the launch of a new market research report on Aircraft Titanium Fasteners Market by Type (Narrow-Body Aircraft, Wide-Body Aircraft, Very Large Body Aircraft, Regional Aircraft, General Aviation, and Military Aircraft), by Product Type (Screws, Bolts, Nuts, Rivets, and Others), by Application Type (Airframe, Flight Control Surfaces, Interior, Engine, and Others), by End-User Type (OE and Aftermarket), and by Region (North America, Europe, Asia-Pacific, and Rest of the World), Trend, Forecast, Competitive Analysis, and Growth Opportunity: 2018-2023 The Global Aircraft Titanium Fasteners Market: Highlights Titanium fasteners offer significant weight reduction over traditional steel and aluminum fasteners, driving the industry's switch towards them despite their high cost. As per Stratview Research, the global aircraft titanium fasteners market is likely to witness an impressive CAGR of 6.4% CAGR during the forecast period . Increasing commercial and regional aircraft deliveries, increasing share of wide-body aircraft in commercial aircraft deliveries, increasing aircraft fleet size, advancement in the fastening technologies, compatibility with carbon composites, and rising demand for lightweight and high-corrosion-resistant fasteners are the key factors proliferating the demand for titanium fasteners in the aircraft industry. Narrow-body aircraft is projected to remain the largest aircraft type segment of the market during the forecast period , propelled by best-selling A320 family and B737 aircraft programs including their fuel-efficient variants. However, wide-body aircraft is expected to grow at the highest CAGR in Register here for the free sample on Aircraft Titanium Fasteners Market In terms of region, North America is expected to remain the largest market for aircraft titanium fasteners during the forecast period . Whereas, Asia-Pacific is likely to depict the highest growth in the same period with China, Japan, and India being the key sources of growth. Key aircraft titanium fasteners manufacturers are Arconic Fastening Systems, Cherry Aerospace (a subsidiary of Precision Castparts Corp.), Lisi Aerospace, Stanley Black & Decker Inc., Trimas Corporation, National Aircraft Fasteners Corp., B&B Specialties, Inc., Penn Engineering, and TFI Aircraft Corp. About Stratview Research Stratview Research is a global market intelligence firm providing wide range of services including syndicated market reports, custom research and sourcing intelligence across industries such as Advanced Materials, Aerospace & Defense, Automotive & Mass Transportation, Consumer Goods, Construction & Equipment, Electronics and Semiconductors, Energy & Utility, Healthcare & Life Sciences and Oil & Gas. +Contact: Stratview Research E: sales@stratviewresearch.com D: +1-313-307-4176 More articles issued by Radiant Offshore Consultancy LLP More articles related to \ No newline at end of file diff --git a/input/test/Test896.txt b/input/test/Test896.txt new file mode 100644 index 0000000..96bbae6 --- /dev/null +++ b/input/test/Test896.txt @@ -0,0 +1,6 @@ +Tweet +B. Riley set a $2.00 price target on Aemetis (NASDAQ:AMTX) in a research report sent to investors on Monday. The firm currently has a hold rating on the specialty chemicals company's stock. B. Riley also issued estimates for Aemetis' Q3 2018 earnings at ($0.31) EPS, Q4 2018 earnings at ($0.31) EPS, FY2018 earnings at ($1.40) EPS, Q1 2019 earnings at ($0.30) EPS, Q2 2019 earnings at ($0.26) EPS, Q3 2019 earnings at ($0.27) EPS, Q4 2019 earnings at ($0.22) EPS and FY2019 earnings at ($1.04) EPS. +Separately, Zacks Investment Research raised Aemetis from a sell rating to a hold rating in a research note on Thursday, June 14th. Get Aemetis alerts: +NASDAQ AMTX opened at $1.20 on Monday. The company has a current ratio of 0.27, a quick ratio of 0.11 and a debt-to-equity ratio of -1.53. Aemetis has a 12-month low of $0.45 and a 12-month high of $3.12. Aemetis (NASDAQ:AMTX) last released its earnings results on Thursday, August 9th. The specialty chemicals company reported ($0.27) earnings per share (EPS) for the quarter, topping the Thomson Reuters' consensus estimate of ($0.34) by $0.07. equities analysts forecast that Aemetis will post -1.61 earnings per share for the current year. +About Aemetis +Aemetis, Inc operates as a renewable fuels and bio-chemicals company in North America and India. The company focuses on the acquisition, development, and commercialization of various technologies that replace traditional petroleum-based products by the conversion of ethanol and biodiesel plants into advanced bio refineries \ No newline at end of file diff --git a/input/test/Test897.txt b/input/test/Test897.txt new file mode 100644 index 0000000..964f0b8 --- /dev/null +++ b/input/test/Test897.txt @@ -0,0 +1,26 @@ +Is the latest pickup in US economic growth destined to slow in the years ahead as most analysts say? Or, as the Trump administration insists, is the economy on the cusp of an explosive boom that will reward Americans and defy those expectations? +Yesterday, President Donald Trump's chief economic adviser made his case for the boom. +Calling mainstream predictions "pure nonsense", Larry Kudlow declared that the expansion already the second-longest on record is merely in its "early innings". +"The single biggest event, be it political or otherwise, this year is an economic boom that most people thought would be impossible to generate," Kudlow said at a Cabinet meeting, speaking at the president's request and looking directly at him. +"Not a rise. Not a blip." "People may disagree with me," Kudlow continued, "but I'm saying this, we are just in the early stages". +The US economy grew for seven straight years under President Barack Obama before Trump took office early last year. Since then, it's stayed steady, and the job market has remained strong. The stock market is also nearing an all-time high, a sign of confidence about corporate profits. +Economic growth has picked up this year, having reached a four year high of 4.1 percent at an annual rate last quarter. Job gains are also running at a slightly faster pace than in 2017. +Most analysts see the economy growing a solid 3 percent this year a potential political asset for Trump and the Republican Party, especially with the approach of November's congressional elections. +Yet it's hard to find any outside mainstream economists who would agree with Kudlow's assertion that the Trump administration can accelerate or even sustain that growth rate. +Analysts generally expect that the benefits from Trump's tax cuts and an additional $300 billion in government spending that he signed into law in February will gradually slow along with economic growth. +Most also say the Fed's continuing interest rate hikes, combined with the trade conflicts Trump has sparked with most of America's trading partners, could also limit growth. +"Economists are incredibly hopeful that the White House is right," said Carl Tannenbaum, chief economist of Northern Trust. "Unfortunately, most economic analysis and past historical patterns suggest that we're in the middle of a sugar rush that will wear off." +Economists have generally forecast that the pace of annual economic growth will slip to about 2.5 percent in 2019 and then less in the subsequent years. +Even within the government, the leading forecasts are more sober. The Fed expects growth to slip to 2.4 percent in 2019 and 2 percent in 2020. The Congressional Budget Office said this week that growth would likely slow to 1.7 percent in 2020. +Tannenbaum noted that the economy faces two trends that essentially act as a speed limit. First, over time, the economy can grow only as fast as the size of its workforce. Yet the vast baby boom generation is retiring. +What's more, the administration is seeking to limit immigration, which would reduce the number of available workers. +During the longest US expansion, from 1991 through 2001, the working age population grew an average of 1.2 percent a year. Yet from 2008 through 2017, it expanded an average of just 0.5 percent annually. +A second factor is the growth of worker productivity the amount of output per hour worked which has fallen by half in the decade since the Great Recession, from a 2.7 percent average rate to 1.3 percent. +Even if the economy did accelerate unexpectedly, the Fed would then likely raise rates faster to avert a pickup in inflation and cause the expansion to slow. +In addition, the tax cuts and government spending that are helping boost economic growth for now have swollen the budget deficit, which is expected to surpass $1 trillion annually in 2020 a level Tannenbaum calls "absolutely frightening". +Such high deficits require large scale government borrowing. Such additional borrowing typically sends interest rates up and makes it harder for businesses to borrow, spend and expand. +On top of that risk, the Trump administration's tariffs, which are meant to force countries to trade on terms more favourable to the US, could devolve into a trade war that would imperil economic growth. +What's more, a global economic slowdown, stemming from factors beyond the administration's control, perhaps among troubled emerging economies, would likely spill over to the United States. +Scott Anderson, chief economist at Bank of the West, noted that the $1.5 trillion worth of tax cuts that will take effect over the next decade were supposed to spur companies to make additional investments in machinery, vehicles and other technology that would lift worker productivity. +But the pace of equipment spending has fallen since the end of last year. That's a sign to him that the growth in 2018 might be fleeting. +"The tax cuts are really not moving the needle for businesses," Anderson said \ No newline at end of file diff --git a/input/test/Test898.txt b/input/test/Test898.txt new file mode 100644 index 0000000..c34d2ba --- /dev/null +++ b/input/test/Test898.txt @@ -0,0 +1,24 @@ +Subscribe Log In AP Moller-Maersk reveals listing plan for Maersk Drilling Listing in Copenhagen planned for next year as strategy to change conglomerate into the FedEx of container logistics takes another step. +AP Moller-Maersk has revealed plans for an independent listing for Maersk Drilling, which will become the third of four energy businesses to be divested. AP Moller-Maersk sounds profit alarm Skou setting up AP Moller as FedEx of box logistics +The float, set for next year, will take the former conglomerate's cash proceeds from the breakup of its energy business beyond $5bn with a solution for Maersk Supply Service still to be finalized. +Banks have stepped up with $1.5bn in fresh finance to support the separation. +Chief executive Soren Skou says the new funds mean Maersk Drilling will not need to raise capital as part of the listing. +It will start trading as one of the best capitalized companies in the peer group and will have a number of strategic options available in the future. +Jim Hagemann Snabe, chairman of AP Moller, said: "The Maersk Drilling team has done a remarkable job operating the business at a time of high uncertainty and is well positioned to become a successful company on Nasdaq Copenhagen. +"The announcement of the intention to list Maersk Drilling completes the decision process on the structural solutions for the major oil and oil related businesses. Yet another important step in delivering on the strategy." +The spin-off was announced alongside the co mpany's second quarter results, which measured up well with forecasts but were branded unsatisfactory by the group. +Analysts at Clarksons Platou Securities said the solution for Maersk Drilling was "adequate and positive". +Nicolay Dyvik of DNB Markets says price expectations and the size of Maersk Drilling are the reasons why M&A has not happened. AP Moller says Maersk Drilling has a book value of $4.3bn. +"Based on our fair asset value of the rigs in Maersk at $4.35bn, and as most listed drillers are already highly leveraged we believe a potential M&A deal would have been primarily equity, and $4.35bn in equity would have been hard for most listed drillers to finance," Dyvik said. +The group announced in 2016 it was set to exit the energy business as part of a drive to become a container and logistics specialist. +Skou is the architect of the strategy, which he believes will make AP Moller the FedEx of container logistics. +Maersk Oil was the first division to split off after being sold to Total in a cash and shares deal. +The Danish firm has now sold Total stock worth $1.2bn and retains a further $4.7bn. +Maersk Tankers was taken private by the group's controlling shareholders, leaving Maersk Supply as the only energy division left. +"For Maersk Supply Service, the pursuit of a solution will continue. However due to challenging markets, the timing for defining a solution is difficult to predict," AP Moller said. +Skou says there is presently no obvious solution for how to split out Maersk Supply Service given the difficult market in which it operates. +He explains the plan to divest that business must create value, create a viable company and be good for the staff. Subscribe to read this story. +Want to try TradeWinds? +Essential shipping news +Keep up-to-date with all the latest news, breaking stories and marketing-leading analysis with a TradeWinds subscription +NHST Global Publications AS use technologies such as cookies and other tracking scripts to analyse trends, administer our services, track user movements and to gather information about our whole user base. Unregistered users may opt-out of such tracking in the browser settings by ticking off "do not track me". Read our cookie policy here \ No newline at end of file diff --git a/input/test/Test899.txt b/input/test/Test899.txt new file mode 100644 index 0000000..23ae09b --- /dev/null +++ b/input/test/Test899.txt @@ -0,0 +1,27 @@ +Men charged in warehouse fire deaths to appear in court Posted: Updated: (Alameda County Sheriff's Office via AP, File). FILE - This combination of June 2017 file booking photos provided by the Alameda County Sheriff's Office shows Max Harris, left, and Derick Almena, at Santa Rita Jail in Alameda County, Calif. A Northern ... +By PAUL ELIASAssociated Press +SAN FRANCISCO (AP) - The grieving families of 36 people killed in a Northern California 2016 warehouse fire who helped scuttle a plea bargain may now see their demand for a jury trial granted. +After hearing two days of emotional testimony last week, Judge James Cramer said he couldn't accept a plea bargain agreed to between the Alameda County district attorney's office and lawyers for Derick Almena and Max Harris, each charged with 36 counts of involuntary manslaughter. +On Thursday, The Associated Press obtained a letter District Attorney Nancy O'Malley sent Cramer informing him that she was cutting off talks with the defense lawyers and that prosecutors would not negotiate a plea deal with Almena or Harris. She also asked for Cramer to set a trial date as soon as possible. +Lawyers for Almena and Harris said there's a possibility that they could work out a settlement with Cramer despite the district attorney's stance. But they said it's more likely the two defendants are going to stand trial. +Almena and Harris are scheduled to appear in court on Friday for the first time since Cramer scuttled the plea deal, citing Almena's lack of remorse. A trial date could be scheduled then. +O'Malley told the judge in a letter she sent to the court Tuesday that the families' testimony last week led to her decision to halt settlement negotiations. +Many of the relatives also demanded that the two men stand trial so they could learn more about how and why their loved ones died. Investigators have been unable to determine the cause of the Dec. 2, 2016 fire. +O'Malley said "having heard the words and seen the pain of those profoundly impacted" convinced her that the two should stand trial rather than resolving their cases with a plea deal. +"The grief of the families, the pain and shock of the community by the senseless and tragic deaths of 36 individuals caused by a fire that roared through the warehouse is as strong and deep today as it was in December 2016," O'Malley wrote. "These lives were lost at the hands of the two defendants." +Almena rented the Oakland warehouse and illegally converted it into an underground live-work space for artists and an entertainment venue called the Ghost Ship. Almena hired Harris to help manage the facility by collecting rent, booking concerts among other duties. +They are the only people facing criminal charges for the deadliest structure fire since 100 people died in a Rhode Island nightclub fire in 2003. +The negotiated settlement called for Almena to accept a nine-year prison sentence and Harris to receive a six-year term. Both men likely would have been released after serving half their terms with time off for good behavior. +The proposed deal had been brokered by another judge who accepted the men's no-contest pleas in July and was expected to uphold the agreement when the pair appeared in court last week for formal sentencing. +But that judge was unavailable and Cramer was assigned to preside over the two-day hearing. +As it ended, Cramer said Almena failed to adequately express remorse and that he would not uphold the plea deal. Cramer cited a letter Almena wrote probation officials where Almena said that he and his family are also victims of the fire. +In a jailhouse interview with KGO-7 on Tuesday, Almena said the judge quoted "out of context" a passage of a 21-page letter. +"If you take anything out of context, you can twist it around and make it seem like it was about me," he said. "This statement was about everything. I have been remorseful on this since the moment this happened." +Cramer said he believed Harris was truly remorseful and that the "deal is fair." But since the plea bargain was a package deal, he said he had no choice but to reject Harris' proposed sentence. +Harris' attorney, Tyler Smith, said he hopes that Cramer will ultimately decide to sentence Harris to six years in prison despite the new objections raised in the district attorney's letter to the judge. +O'Malley told the judge she now opposes the six-year sentence because "victims' families strongly disagree" with it. +Smith and Almena's attorney Brian Getz both said they will seek to move the trial to another California county because both men admitted their guilt before the plea deal was rejected, developments widely publicized in the region. +Each man pleaded no contest 36 separate times last month and both made incriminating statements last week during the sentencing hearing, with Almena saying "I'm guilty" several times. +"All of that got reported," Smith said. +Getz said asking for a change of venue does come with risks and the trial could be moved to a politically conservative court where the tattooed artists' appearance and opinions could negatively influence a jury. But Getz said it appears defense attorney have no alternative. +"I don't think it's possible for Derick to get a fair trial in Oakland," Getz said. Copyright 2018 The Associated Press. All rights reserved. This material may not be published, broadcast, rewritten or redistributed. Can't Find Something \ No newline at end of file diff --git a/input/test/Test9.txt b/input/test/Test9.txt new file mode 100644 index 0000000..c227e10 --- /dev/null +++ b/input/test/Test9.txt @@ -0,0 +1 @@ +) is one of the largest companies in the U.S. utility sector. PPL's seven high-performing, award-winning utilities serve 10 million customers in
the United States
and
United Kingdom
. With more than 12,000 employees, PPL is dedicated to providing exceptional customer service and reliability and delivering superior value for shareowners. To learn more, visit
95%. +Split By Application, This Report Centers Around Utilization, Market Share And Development Rate In Every Application, Can Be Categorized Into: Research Uses, Drug Formula, Dietic Foods, Cosmetics, Others. +Key Reasons to Purchase: 1) To gain insightful analyses of the market and have comprehensive understanding of the Frankincense Essential Oil Market and its commercial landscape. 2) Assess the Frankincense Essential Oil Market production processes, major issues, and solutions to mitigate the development risk. 3) To understand the most affecting driving and restraining forces in the Frankincense Essential Oil Market and its impact in the global market. 4) Learn about the market strategies that are being adopted by leading respective organizations. 5) To understand the outlook and prospects for Frankincense Essential Oil Market. +Get 25% Discount Click here @ https://www.indexmarketsresearch.com/report/2015-2023-world-frankincense-essential-oil-market/17146/#inquiry +Topics such as sales and sales revenue overview, production market share by product type, capacity and production overview, import, export, and consumption are covered under the development trend section of the Frankincense Essential Oil market report.Lastly, the feasibility analysis of new project investment is done in the report, which consist of a detailed SWOT analysis of the Frankincense Essential Oil market. +Get Customized report please contact \ No newline at end of file diff --git a/input/test/Test91.txt b/input/test/Test91.txt new file mode 100644 index 0000000..7e2762f --- /dev/null +++ b/input/test/Test91.txt @@ -0,0 +1,22 @@ +Save +Instruments of nostalgia and psychological well-being? Brian Kenney/Shutterstock.com +Every day, it seems, new ultra-high-resolution video games are released, syncing with players' social media accounts and ready for virtual reality headsets . Yet old games from the 1970s and 1980s are still in high demand . The Nintendo Corporation has moved recently to both quash and exploit that popularity, shutting down websites hosting old games' code while planning to release its own back catalog on a new platform . +Fans of Nintendo-made games may end up OK, but fans of other legacy games may lose much more than a retro way to have fun: They could find themselves without a powerful link to their personal pasts. +Playing old video games is not just a mindless trip down memory lane for lonely and isolated gamers . The average age of a U.S. gamer is 34 , and many popular retro game titles have been around for 20 years or more. It seems Generation X-ers could be returning to their cherished childhood properties . +In fact, emerging media psychology research, including our own work , suggests that video game nostalgia can make people feel closer to their past, their friends and family, and even themselves. The popularity of retro video games +It may be a bit of a surprise to find out how popular retro and classic games are. Older games feature pixel-based graphics that can look fuzzy on modern televisions and can be frustrating to play for even experienced gamers . Yet in 2016, Nintendo released a NES Classic Edition console and sold out all 2.3 million of them in just three months. The company made more and began selling them in June 2018 . +Other similar retro consoles are popular too. A quick search of eBay and Amazon reveals hundreds of retailers selling original and refurbished older video game systems. These older games pale in comparison to modern games that immerse players in lush, photo-realistic and smoothly interactive worlds . And yet they're very popular. The people who play them are clearly getting something compelling – though it's probably not graphics or a deep storyline. +Released in December 2016, 'Super Mario Maker' allowed players to create their own Mario levels, selling 6 million units worldwide. Mario-themed games have sold over 550 million copies since the character's introduction, in 1981. Nintendo The psychology of nostalgia +As a psychological principle, nostalgia can be best understood as a bittersweet mix of positive and negative emotions that arises when thinking of meaningful events in one's own past, and tends to be tied intimately to social relationships . +So far, researchers have identified two ways to trigger nostalgia: external triggers and internal distress. External triggers might include things such as smells and tastes and even references to media content, such as movie titles or music . Internal triggers are brought about by feelings of loneliness or even boredom . +Regardless of the trigger, nostalgia has a number of psychological benefits. It can help people feel better about themselves and make them feel less alone . For these reasons, nostalgia can promote mental health and well-being . Clinical studies have suggested that nostalgia might help protect against dementia . Nostalgia in video games +Players' relationships with the characters they've played in the past – Mario, Sonic and scores of others – can play an important role in invoking nostalgia. One reason for this is players have complex social relationships with those characters , either by seeing them as their friends, or even as extensions of themselves. +In our own research , we asked 582 participants, mostly from the United States, to respond to a survey on "how people think about certain gaming experiences." Specifically, gamers were randomly assigned to write one of four essays: about past or recent video game experiences, playing either alone or with others. The essays were designed to help participants immerse themselves in the memories, so that they could later answer questions about the intrinsic psychological needs satisfied by those experiences. +As we expected, people who wrote about the older memories experienced stronger feelings of nostalgia than the people who wrote about recent ones. Those essays about older, more nostalgic memories were also more likely to have discussions of challenge and enjoyment as core to their experience, and tended to recall memories from the writer's childhood. Social memories essays were also more nostalgic, but only when those memories were associated with a greater sense of belonging with people from the past. Some of these essays, especially those about family and friends, were emotionally powerful – one participant wrote (edited slightly, to protect their identity) that "My dad died when I was 10 so playing Mario Kart with him is one of my best memories that I have." +In our research on video game nostalgia, gamers made fond references to friends and family in their social memories of gaming. wavebreakmedia/Shutterstock.com Nostalgic gaming and well-being +Perhaps more interesting? Memories of video games were enough to induce nostalgia that, in turn, made those people feel a little closer to those around them right now. +The study has limitations – the largest being that participants did not get to play their older games, so we don't know if their nostalgic memories would be the same if they actually replayed the games – but it helped us better understand gaming nostalgia and its potential effects. Our findings have also been corroborated by other research on gaming nostalgia, such as work on active players of "Pokémon Go." In that study, playing the game resulted in feelings of nostalgic reverie, which in turn was positively connected to resiliency , or the ability to cope with challenging times in life. +Can 'Pokémon Go' be therapeutic? Emerging research suggests that the nostalgia that players attached to the game can help them cope with daily struggles. Wachiwit/Shutterstock.com +Research into the psychology of video game nostalgia is relatively new. However, the results of this work suggest that games can be nostalgic, and that this nostalgia can be therapeutic. For example, we already know that playing games at work can aid in psychological recovery from stress; it might be that playing nostalgic games could intensify this process. It could also be possible to use the popular video games of yesterday as health interventions to delay the onset of dementia, following a line of research showing video games to have cognitive and physical health benefits for older populations. +As gamers age, understanding gaming nostalgia will help us better examine the wide range of experiences that they have with one of the most profitable and popular form of entertainment media today . +This article was originally published on The Conversation . Read the original article . Lov \ No newline at end of file diff --git a/input/test/Test910.txt b/input/test/Test910.txt new file mode 100644 index 0000000..6c5f0a3 --- /dev/null +++ b/input/test/Test910.txt @@ -0,0 +1,12 @@ +An attack on US government facilities in Alaska has been traced back to China's Tsinghua University and a larger hacking effort. +Researchers with security house Recorded Future say [PDF] that the attack, initially focused on seperatist activity in Tibet, grew to to target US government operations in the Pacific including bases in Alaska. +The attack is said to be a combination of political and industrial espionage, with the attackers targeting both public and private entities. German auto house Daimler was also a target. +"We identified the targeted scanning of German automotive multinational Daimler AG that began a day after it cut its profit outlook for the year, citing the growing trade tensions between the U.S. and China," the report noted. +"In several cases, these activities occurred during periods of Chinese dialogue for economic cooperation with these countries or organizations." +The researchers note that Tsinghua University has long been affiliated with China's state-backed hacking campaigns. An attack on Alaska would both give China inroads on Tibetan activists in the US as well as peek on the nascent trade talks between the Middle Kingdom and the Trump administration. +"This targeting of the the State of Alaska Government followed Alaska's large trade mission into China dubbed "Opportunity Alaska," the report notes. +"This trade mission occurred in late May and was led by Bill Walker, governor of Alaska. During these talks, one of the highest-profile discussions occurred around the prospect of a gas pipeline between Alaska and China." +Chinese chap collared, charged over massive US Office of Personnel Management hack READ MORE The report also notes that the attack concerns sites in other areas tied up in trade negotiations with China. Recorded Future says that, among others, Kenya has been hit in the operation. +"In early June 2018, we observed the Tsinghua IP address aggressively scanning ports 22, 53, 80, 389, and 443 of various Kenyan internet-hosting providers and telecommunications companies, as well as ranges dedicated to the Kenya Ports Authority, a state corporation responsible for the maintenance and operation of all of Kenya's seaports," their report reads +"Recorded Future also identified network reconnaissance activities directed at the United Nations Office in Nairobi, Kenya's Strathmore University, and a broader national education network." +Not surprisingly, China has denied involvement in those shenanigans.  \ No newline at end of file diff --git a/input/test/Test911.txt b/input/test/Test911.txt new file mode 100644 index 0000000..5684aa6 --- /dev/null +++ b/input/test/Test911.txt @@ -0,0 +1,9 @@ +SunTrust Banks Weighs in on Camden Property Trust's FY2020 Earnings (CPT) Donald Scott | Aug 17th, 2018 +Camden Property Trust (NYSE:CPT) – Equities researchers at SunTrust Banks upped their FY2020 earnings per share (EPS) estimates for shares of Camden Property Trust in a research note issued to investors on Tuesday, August 14th. SunTrust Banks analyst M. Lewis now forecasts that the real estate investment trust will post earnings of $5.26 per share for the year, up from their previous forecast of $5.21. SunTrust Banks currently has a "Average" rating and a $95.00 target price on the stock. SunTrust Banks also issued estimates for Camden Property Trust's FY2021 earnings at $5.55 EPS and FY2022 earnings at $5.76 EPS. Get Camden Property Trust alerts: +Camden Property Trust (NYSE:CPT) last released its earnings results on Thursday, August 2nd. The real estate investment trust reported $0.40 EPS for the quarter, missing analysts' consensus estimates of $1.18 by ($0.78). The firm had revenue of $237.10 million for the quarter, compared to the consensus estimate of $235.47 million. Camden Property Trust had a return on equity of 5.79% and a net margin of 21.65%. The company's quarterly revenue was up 6.1% on a year-over-year basis. During the same period in the prior year, the business earned $1.15 EPS. +Several other analysts also recently issued reports on the company. Goldman Sachs Group raised Camden Property Trust from a "buy" rating to a "conviction-buy" rating in a report on Thursday, May 31st. Bank of America raised their price target on Camden Property Trust from $103.00 to $104.00 and gave the stock a "buy" rating in a report on Friday, June 8th. Sandler O'Neill set a $105.00 price target on Camden Property Trust and gave the stock a "buy" rating in a report on Friday, August 3rd. Zacks Investment Research raised Camden Property Trust from a "hold" rating to a "buy" rating and set a $101.00 price target on the stock in a report on Monday, July 23rd. Finally, TheStreet raised Camden Property Trust from a "c+" rating to a "b-" rating in a report on Thursday, May 31st. Seven investment analysts have rated the stock with a hold rating, eight have issued a buy rating and one has issued a strong buy rating to the stock. The stock presently has an average rating of "Buy" and an average target price of $94.13. +Shares of NYSE CPT opened at $93.99 on Thursday. The company has a market capitalization of $8.57 billion, a P/E ratio of 20.74, a P/E/G ratio of 3.10 and a beta of 0.38. Camden Property Trust has a 12-month low of $78.19 and a 12-month high of $96.39. The company has a debt-to-equity ratio of 0.64, a quick ratio of 0.54 and a current ratio of 0.54. +A number of institutional investors have recently made changes to their positions in the business. BlackRock Inc. raised its stake in Camden Property Trust by 1.0% during the 1st quarter. BlackRock Inc. now owns 12,062,800 shares of the real estate investment trust's stock valued at $1,015,447,000 after acquiring an additional 122,290 shares in the last quarter. Centersquare Investment Management LLC raised its stake in Camden Property Trust by 13.0% during the 2nd quarter. Centersquare Investment Management LLC now owns 2,481,175 shares of the real estate investment trust's stock valued at $226,110,000 after acquiring an additional 285,268 shares in the last quarter. Bank of New York Mellon Corp raised its stake in Camden Property Trust by 2.9% during the 2nd quarter. Bank of New York Mellon Corp now owns 1,571,979 shares of the real estate investment trust's stock valued at $143,253,000 after acquiring an additional 43,808 shares in the last quarter. Citadel Advisors LLC raised its stake in Camden Property Trust by 145.5% during the 1st quarter. Citadel Advisors LLC now owns 1,383,057 shares of the real estate investment trust's stock valued at $116,426,000 after acquiring an additional 819,745 shares in the last quarter. Finally, Dimensional Fund Advisors LP raised its stake in Camden Property Trust by 2.3% during the 2nd quarter. Dimensional Fund Advisors LP now owns 1,353,117 shares of the real estate investment trust's stock valued at $123,310,000 after acquiring an additional 30,454 shares in the last quarter. 92.87% of the stock is currently owned by hedge funds and other institutional investors. +In other Camden Property Trust news, Director William F. Paulsen sold 2,190 shares of Camden Property Trust stock in a transaction on Monday, June 4th. The stock was sold at an average price of $90.54, for a total transaction of $198,282.60. Following the sale, the director now owns 14,234 shares of the company's stock, valued at approximately $1,288,746.36. The sale was disclosed in a document filed with the Securities & Exchange Commission, which can be accessed through this hyperlink . Also, COO H Malcolm Stewart sold 11,020 shares of Camden Property Trust stock in a transaction on Tuesday, June 5th. The shares were sold at an average price of $90.68, for a total value of $999,293.60. Following the sale, the chief operating officer now directly owns 261,535 shares in the company, valued at approximately $23,715,993.80. The disclosure for this sale can be found here . 3.90% of the stock is owned by insiders. +Camden Property Trust Company Profile +Camden Property Trust, an S&P 400 Company, is a real estate company engaged in the ownership, management, development, redevelopment, acquisition, and construction of multifamily apartment communities. Camden owns interests in and operates 158 properties containing 54,181 apartment homes across the United States. Receive News & Ratings for Camden Property Trust Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Camden Property Trust and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test912.txt b/input/test/Test912.txt new file mode 100644 index 0000000..8078cd4 --- /dev/null +++ b/input/test/Test912.txt @@ -0,0 +1,9 @@ +South African group MTN competes for Angola's fourth telecom operator license 17 August 2018 | Angola +South African mobile group MTN will compete for the fourth telecom operator license in Angola, the group's chief executive told South African daily newspaper Financial Mail. +"Angola has started the formal process of granting a fourth license and we are participating," said Rob Shuter, according to whom it is a process that "will still take some time." +Angolan newspaper Novo Jornal reported that the MTN group, founded in 1994 and present in 24 countries, has joined the Vodafone group in the race to become the fourth telecommunications operator in Angola. +In Angola, three global operators are licensed to provide voice, data and Internet services: Angola Telecom, Unitel and Movicel. +At the end of November 2017, the Minister of Telecommunications and Information Technologies, José Carvalho da Rocha, said the fourth operator would not only for mobile telecommunications, but would be granted a global license, which would allow other services, such as pay-TV. +The minister said that the decision aims to improve the efficiency of the sector by introducing more competition that could bring gains for potential users of these services. +Carvalho da Rocha said earlier this month that the valuation of Angola Telecom's assets for the privatisation of 45% of its share capital is in the final phase. +The minister added that the government intends to start the process of partial privatisation of Angola Telecom as soon as the winner of the tender for the fourth mobile operator is announced \ No newline at end of file diff --git a/input/test/Test913.txt b/input/test/Test913.txt new file mode 100644 index 0000000..0175001 --- /dev/null +++ b/input/test/Test913.txt @@ -0,0 +1,9 @@ +Tweet +Facebook, Inc. Common Stock (NASDAQ:FB) CEO Mark Zuckerberg sold 210,000 shares of Facebook, Inc. Common Stock stock in a transaction that occurred on Monday, August 13th. The shares were sold at an average price of $181.02, for a total transaction of $38,014,200.00. The transaction was disclosed in a legal filing with the SEC, which can be accessed through this hyperlink . +Mark Zuckerberg also recently made the following trade(s): Get Facebook Inc. Common Stock alerts: On Wednesday, August 15th, Mark Zuckerberg sold 210,000 shares of Facebook, Inc. Common Stock stock. The shares were sold at an average price of $178.00, for a total transaction of $37,380,000.00. On Friday, August 10th, Mark Zuckerberg sold 420,000 shares of Facebook, Inc. Common Stock stock. The shares were sold at an average price of $182.64, for a total transaction of $76,708,800.00. On Monday, August 6th, Mark Zuckerberg sold 218,000 shares of Facebook, Inc. Common Stock stock. The shares were sold at an average price of $183.07, for a total transaction of $39,909,260.00. On Wednesday, August 8th, Mark Zuckerberg sold 210,000 shares of Facebook, Inc. Common Stock stock. The shares were sold at an average price of $185.45, for a total transaction of $38,944,500.00. On Friday, August 3rd, Mark Zuckerberg sold 210,000 shares of Facebook, Inc. Common Stock stock. The shares were sold at an average price of $177.61, for a total transaction of $37,298,100.00. On Monday, July 30th, Mark Zuckerberg sold 137,128 shares of Facebook, Inc. Common Stock stock. The shares were sold at an average price of $169.58, for a total transaction of $23,254,166.24. On Wednesday, August 1st, Mark Zuckerberg sold 137,400 shares of Facebook, Inc. Common Stock stock. The shares were sold at an average price of $172.93, for a total transaction of $23,760,582.00. On Friday, July 27th, Mark Zuckerberg sold 209,428 shares of Facebook, Inc. Common Stock stock. The shares were sold at an average price of $176.19, for a total transaction of $36,899,119.32. On Monday, July 23rd, Mark Zuckerberg sold 257,000 shares of Facebook, Inc. Common Stock stock. The shares were sold at an average price of $210.64, for a total transaction of $54,134,480.00. On Wednesday, July 25th, Mark Zuckerberg sold 240,000 shares of Facebook, Inc. Common Stock stock. The shares were sold at an average price of $216.71, for a total transaction of $52,010,400.00. +NASDAQ:FB opened at $174.70 on Friday. The firm has a market capitalization of $523.66 billion, a price-to-earnings ratio of 28.36, a price-to-earnings-growth ratio of 1.15 and a beta of 0.40. Facebook, Inc. Common Stock has a 52 week low of $149.02 and a 52 week high of $218.62. Facebook, Inc. Common Stock (NASDAQ:FB) last posted its quarterly earnings results on Wednesday, July 25th. The social networking company reported $1.74 EPS for the quarter, missing the Thomson Reuters' consensus estimate of $1.75 by ($0.01). The business had revenue of $13.23 billion during the quarter, compared to analyst estimates of $13.35 billion. Facebook, Inc. Common Stock had a return on equity of 28.16% and a net margin of 39.31%. The business's revenue was up 41.9% on a year-over-year basis. During the same quarter last year, the firm earned $1.32 EPS. sell-side analysts forecast that Facebook, Inc. Common Stock will post 7.08 EPS for the current year. +Several institutional investors have recently added to or reduced their stakes in the company. Armbruster Capital Management Inc. lifted its position in Facebook, Inc. Common Stock by 358.4% in the fourth quarter. Armbruster Capital Management Inc. now owns 573 shares of the social networking company's stock valued at $101,000 after acquiring an additional 448 shares during the last quarter. Taylor Hoffman Wealth Management purchased a new stake in Facebook, Inc. Common Stock in the fourth quarter valued at $103,000. Goodman Financial Corp purchased a new stake in Facebook, Inc. Common Stock in the fourth quarter valued at $115,000. Santori & Peters Inc. purchased a new stake in Facebook, Inc. Common Stock in the fourth quarter valued at $116,000. Finally, Risk Paradigm Group LLC lifted its position in Facebook, Inc. Common Stock by 81.4% in the fourth quarter. Risk Paradigm Group LLC now owns 655 shares of the social networking company's stock valued at $116,000 after acquiring an additional 294 shares during the last quarter. 59.48% of the stock is owned by institutional investors and hedge funds. +Several research firms recently weighed in on FB. Jefferies Financial Group reiterated a "buy" rating and issued a $220.00 target price on shares of Facebook, Inc. Common Stock in a report on Thursday, July 26th. Zacks Investment Research downgraded shares of Facebook, Inc. Common Stock from a "strong-buy" rating to a "hold" rating in a report on Wednesday, July 11th. Macquarie set a $220.00 target price on shares of Facebook, Inc. Common Stock and gave the company a "buy" rating in a report on Monday, July 23rd. Oppenheimer reiterated a "buy" rating and issued a $200.00 target price on shares of Facebook, Inc. Common Stock in a report on Thursday, July 26th. Finally, ValuEngine upgraded shares of Facebook, Inc. Common Stock from a "hold" rating to a "buy" rating in a report on Friday, July 6th. Three research analysts have rated the stock with a sell rating, six have assigned a hold rating, thirty-eight have assigned a buy rating and one has assigned a strong buy rating to the company. Facebook, Inc. Common Stock currently has an average rating of "Buy" and a consensus target price of $209.46. +About Facebook, Inc. Common Stock +Facebook, Inc provides various products to connect and share through mobile devices, personal computers, and other surfaces worldwide. Its products include Facebook Website and mobile application that enables people to connect, share, discover, and communicate with each other on mobile devices and personal computers; Instagram, a community for sharing visual stories through photos, videos, and direct messages; Messenger, a messaging application to communicate with other people, groups, and businesses across various platforms and devices; and WhatsApp, a mobile messaging application. +Recommended Story: How Do I Invest in Dividend Stocks Receive News & Ratings for Facebook Inc. Common Stock Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Facebook Inc. Common Stock and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test914.txt b/input/test/Test914.txt new file mode 100644 index 0000000..7a540e5 --- /dev/null +++ b/input/test/Test914.txt @@ -0,0 +1,17 @@ +India coach Vimal Kumar, who believes with little more maturity and bit of luck Sindhu will be able to pull off close matches. (Photo: PTI) New Delhi: PV Sindhu appears "vulnerable" on counter-attack and that is a big factor in her losing many a title clashes, including recent CWG final, observed former India coach Vimal Kumar, who believes with little more maturity and bit of luck she will be able to pull off close matches. +Sindhu, an Olympic and World Championship silver medallist, settled for a silver after losing a close final to compatriot Saina Nehwal in Gold Coast. It was yet another final loss for the 22-year-old, who had faced defeat in the finals of Rio Olympics, Glasgow World Championship, Dubai Super Series Final last year and India Super Series and All England Championship this year. + "When Sindhu plays against other girls (compared to match against Saina) , she looked subdued in the final. She didn't have the same sort of aggression that she has when she plays others. What I have noticed is when rallies are long and when there is counterattack, I find Sindhu little vulnerable and Saina exploited that. She kept attacking. But you don't know what would have happened if it had gone to third game," Vimal told PTI. +"Sindhu is still young and she has been playing better against other girls. Unfortunately when she loses everybody criticises but she is just 23, she can convert these situation to her advantage. I think that will happen. With little more maturity, she will do well. A bit of luck is also required. +"In this match also, she gave easy points to Saina. She was not confident of her shots. She was tentative while Saina's body language was totally different, she was looking forward to the final. Had Sindhu lost in the semis, I don't know if Saina would have been as aggressive because she was struggling against other girls." +Vimal, who had trained Saina for around three years after she shifted base to Bangalore in 2014, credited Saina's mental fortitude but said he wasn't too impressed with her performance against other opponents in the tournament. +"You have to give credit to Saina's mental resolve but she was not playing that great. I wasn't impressed with her when she played against the Malaysian girl (Soniia Cheah). She also played a close match against (Kristy) Gilmour but against Sindhu she raised the bar and did exceptionally well. +"The Rio Olympics was a big disappointment for her, she had won the Australian Open and she was shaping up well. I was personally very disappointed as well but then she came back well and last world championship she won bronze after losing close match to Okuhara, she went through injury crisis again." Vimal said Saina can regain her best form if she stays fit and doesn't overtrain. + "It will give her a lot of confidence and I have always said that if she can stay injury free and take care of her body and not over train or do too many things, rest of things will fall into place and she can still perform and be at her best. I feel she still has 2-3 years," said Vimal, who had represented India at the Barcelona Olympics in 1992. +The 55-year-old said the mixed team gold was the highlight of India's campaign at Commonwealth Games and if the team can continue in the same vein, the country can win the Thomas and Uber Cup titles next month. +"I would rate beating Malaysia in the final as more creditable. That stands out for me, getting that gold. Overall we have shown progress in mixed doubles, men's doubles, women's doubles and that is creditable. Ashwini and Sikki did well, Satwik and Chirag could have got the gold and that would have been a big achievement," Vimal said. +"Malaysia coach Tan Kim her is doing a good job. If we can continue this, we have a good chance of winning the Thomas Cup and also a good possibility of winning the Uber Cup as well. We have won a bronze earlier. So if Sikki and Ashwini can pull off their match and Sindhu and Saina can pull off their matches, we can win. +"But I think more chance of winning in Thomas Cup because our men's singles players can beat anybody in the world. We have a decent combination in Manu Attri and B Sumeeth Reddy, they can also pull out matches. But all of them have to be injury free. It would be a good test for us," he added. +Vimal also hoped Kidambi Srikanth or H S Prannoy can earn India a gold medal in Asian Games, something the country has never achieved. "Next will come the Asian games. +There unlike in CWG, the opposition will be very tough because China, Korea, Malaysia, all the top nations will be there but they also have restricted number of entries. "So in that aspect, I hope Srikanth and Prannoy can get us a medal, we won a bronze but never got a silver or gold. I remember in 1982, Prakash (Padukone) was expected to win a gold but they didn't allow him to play as he was a professional." +Vimal also termed the scheduling at the Commonwealth Games as "harsh". "I thought the scheduling was harsh. They had to play the bronze medal match after losing the semifinals. Players were playing in the morning and then immediately to play the bronze medal it was tough. "It was physically tough for them. Sikki and Ashwini had played a lot of matches in the team championship. Overall we can give a lot of credit to them." +end-o \ No newline at end of file diff --git a/input/test/Test915.txt b/input/test/Test915.txt new file mode 100644 index 0000000..eeaf456 --- /dev/null +++ b/input/test/Test915.txt @@ -0,0 +1,6 @@ +Published: 09:39, 16 August 2018 | Updated: 09:44, 16 August 2018 +KFC, one of the UK's biggest fried chicken chains, will open a new restaurant at The Mall in Maidstone. +The popular fast-food chain is set to open this latest location in early November this year, and will be located on the bus station level of the shopping centre, opposite McDonald's. +A small reconfiguration will also be required to accommodate for the new food outlet. The KFC will open in November 2018 +The Mall Maidstone's marketing manager, Suzie Brindle, said: "We are so excited to have KFC open at The Mall. +"It's further proof of our commitment to provide the best shopping and dining experience for our customers. There's no doubt KFC will be a great addition to the mall and popular with our customers." Join the debate.. \ No newline at end of file diff --git a/input/test/Test916.txt b/input/test/Test916.txt new file mode 100644 index 0000000..92dc40f --- /dev/null +++ b/input/test/Test916.txt @@ -0,0 +1,2 @@ +Science/technology / National organization on operating smart economy to be built National organization on operating smart economy to be built August 17, 2018 by sggpnews Leave a Comment +In the event, Dr. Dang Quang Vinh from CIEM said that due to historical and economic conditions, Vietnam was unable to enter the previous first and second technological revolutions. However, he insisted that Vietnam is now in a very favorable condition, and if the country can effectively take advantage of this via suitable research and policies, it will no doubt achieve a remarkable breakthrough in technology, performance as well as economic growth. To gain opportunities from Industry 4.0, it is essential to identify specific 5-year or 10-year aims regarding the number of participating businesses, the quantity of enterprises that can implement technology, the turnover from technological export, the human resources for the field. Governmental or private investments are all encouraged to achieve these aims. Expert Singmeng from the National University of Singapore presented the research and Information Architecture technology (IA) of his nation, focusing on what and how to do via strategies, action plans, and specific programs in order to optimize all opportunities brought by Industry 4.0. He insisted that all societies need a smart and innovative working method to compensate the insufficiency in human resources. It is also necessary to form a national organization on IA to operate a smart economy. It is obvious that Vietnam is facing a tough challenge of timely and suitably making good use of all chances from Industry 4.0. This revolution offers many opportunities to upgrade the knowledge level, production performance, and competitiveness in a global value added chain. It can also help to… [Read full story \ No newline at end of file diff --git a/input/test/Test917.txt b/input/test/Test917.txt new file mode 100644 index 0000000..9e5725a --- /dev/null +++ b/input/test/Test917.txt @@ -0,0 +1,5 @@ + Scott Davis on Aug 17th, 2018 // No Comments +Canaccord Genuity reiterated their buy rating on shares of JPJ Group (LON:JPJ) in a report released on Tuesday morning. They currently have a GBX 1,200 ($15.31) price objective on the stock. +Separately, Berenberg Bank restated a buy rating and set a GBX 1,300 ($16.58) price objective on shares of JPJ Group in a research note on Tuesday. Seven research analysts have rated the stock with a buy rating, The stock has an average rating of Buy and a consensus price target of GBX 1,107.14 ($14.12). Get JPJ Group alerts: +Shares of LON JPJ opened at GBX 871 ($11.11) on Tuesday. JPJ Group has a 12 month low of GBX 528.50 ($6.74) and a 12 month high of GBX 885 ($11.29). About JPJ Group +JPJ Group plc, through its subsidiaries, operates as an online gaming company in the United Kingdom, Sweden, rest of Europe, and internationally. The company operates through Jackpotjoy, Vera&John, and Mandalay segments. It offers bingo, slots, casino, and other games through Jackpotjoy, Starspins, Botemania, Vera&John, Costa Bingo, InterCasino, and other brands \ No newline at end of file diff --git a/input/test/Test918.txt b/input/test/Test918.txt new file mode 100644 index 0000000..49f6258 --- /dev/null +++ b/input/test/Test918.txt @@ -0,0 +1,3 @@ +By Daniel Mac Sweeney on Wednesday, August 23, 2017 If you're a business, you know that marketing can be one of the most costly things to spend money on. At this moment in time, there are millions of, so-called marketers to take your precious money and spend it all on ads. Listen, that's the mad way, that's the crazy way. You'll never compete with the likes of Coca-Cola or McDonald's ad spends, what you need to do is, be creative. Ads can be expensive, and sometimes you might not even be targeting the right audience, no clicks, no sales! It's a mental mess, which can burn a hole in your pocket. Ok, if you did have loads of cash lying idle, and had a team of designers, videographer's, sound guys, etc, then you might have a chance with marketing your business to the masses. There are cheap ways, clever ways and ways that do cost a bit, but not a lot. The cheap way is to create something that could go Viral. You might try a few times, heck, you might even try it a hundred times, but all it takes is one to take off. Post your creative ad, image or video Facebook, there are plenty groups and pages out there, that if you made a connection with the admin that they might share it with their fanbase. Do exactly the same on the likes of Instagram, Twitter, Reddit. Use the DM tactic, contact them, connect and ask. That's how you get known to the masses. You might have the greatest thing in the world to share, but if no one sees it, it's like pissing to the wind. I've listened to countless podcasts, with people mentioning that all it took was one blog post, or a video, an image or a podcast to go Viral, which kickstarted their business. When this happens, you need never pay for an ad, as other groups, pages, blogs, podcasts, radio or tv will re-hash your content, promoting you to millions of eyes all over social media. One story I remember was a video of JP Sears, a guy who with one video became YouTube famous. Another one was Gangnam Style, a video that blew the internet away for a while. I've seen it in other places too, with blogs and podcasts. All it takes is one. Don't forget though, even though it can take one thing to grow your brand, it does take time and you have to put in the work. Other clever ways of marketing, is to be different and be funny. People like fun. While the presidential campaign was going on in America in 2016, people were calling Donald Trump crazy, mad and unstable. When I saw this marketing ploy to put this type of image into people's minds, I thought it was honestly one of the best marketing ads to get people to vote the other way. It was done in Copenhagen, encouraging Americans overseas to use their vote. Another cool one I saw was, During the global recession, people all over the world were immigrating abroad. In Ireland where I'm from, there were thousands of people leaving each week to Canada, Australia, England and America. This one guy did not want to leave his home, he loved Ireland and knew that if he left he might never come back. No job or no jobs to apply for, this guy came up with a clever way to get a job. He used what money he had, and paid for the use of a billboard in the Capital Dublin so that when anyone driving in and out of the busiest part of the city, would see the billboard. +If you like this kinda stuff, sign up for my list. There will be content like this and more… +Thanks for reading. It would really mean the to me if you'd Follow me below, as I want to help as many people as I can to become Successful by becoming Financially Free Forever†\ No newline at end of file diff --git a/input/test/Test919.txt b/input/test/Test919.txt new file mode 100644 index 0000000..7845a84 --- /dev/null +++ b/input/test/Test919.txt @@ -0,0 +1,6 @@ + Jim Brewer on Aug 17th, 2018 // No Comments +Northern Dynasty Minerals Ltd (TSE:NDM) (NYSE:NAK) insider Marchand Snyman sold 62,857 shares of the company's stock in a transaction on Thursday, August 16th. The shares were sold at an average price of C$0.81, for a total transaction of C$50,914.17. +Shares of TSE:NDM opened at C$0.67 on Friday. Northern Dynasty Minerals Ltd has a 1-year low of C$0.55 and a 1-year high of C$2.99. Get Northern Dynasty Minerals alerts: +Northern Dynasty Minerals (TSE:NDM) (NYSE:NAK) last issued its earnings results on Monday, May 14th. The mining company reported C($0.04) earnings per share for the quarter. Several research firms recently issued reports on NDM. BMO Capital Markets cut their price target on shares of Northern Dynasty Minerals from C$3.50 to C$1.25 in a report on Monday, May 28th. TD Securities cut their price target on shares of Northern Dynasty Minerals from C$1.60 to C$1.00 and set a "hold" rating on the stock in a report on Monday, May 28th. +About Northern Dynasty Minerals +Northern Dynasty Minerals Ltd. acquires, explores for, and develops mineral properties in the United States. Its principal mineral property is the Pebble copper-gold-molybdenum project that includes 2,402 mineral claims covering approximately 417 square miles located in southwest Alaska. The company was formerly known as Northern Dynasty Explorations Ltd \ No newline at end of file diff --git a/input/test/Test92.txt b/input/test/Test92.txt new file mode 100644 index 0000000..f7866a2 --- /dev/null +++ b/input/test/Test92.txt @@ -0,0 +1,16 @@ +Plans to cut harmful pollution from domestic burning set out By Cumbria Crack on 17/08/2018 at 10:05am +P roposals to promote cleaner domestic burning and cut harmful pollution by prohibiting the sale of the most polluting fuels have been laid out in a government consultation published today . +The burning of wood and coal in the home is the largest single contributor to particulate matter pollution – identified by the World Health Organization as the most damaging air pollutant. Particulate matter is formed of tiny particles that can get into the body, lodging in major organs, causing short- and long-term health problems. Domestic burning contributes 38% of particulate matter pollution, compared to 16% from industrial combustion and only 12% from road transport. +The government therefore plans to ensure that, in future, only the cleanest fuels are available for sale. Delivering a commitment in the government's Clean Air Strategy , the consultation proposes preventing 8,000 tonnes of harmful particulate matter from entering the atmosphere each year by: +Restricting the sale of wet wood for domestic burning +Applying sulphur standards and smoke emission limits to all solid fuels +Phasing out the sale of traditional house coal +At the same time, the government will ensure only the cleanest stoves are available for sale by 2022. Together this will bring benefits for consumers and householders as burning cleaner fuels and using these devices produces less smoke, soot, and more heat. +Environment Minister Thérèse Coffey said: "Everyone has a role to play in improving the air we breathe, and reducing pollution from burning at home is a key area where we can all take action. +"While we will never be able to eliminate all particulate matter, by switching to cleaner fuels, householders can reduce the amount of harmful pollution to which they unwittingly expose themselves, their families and the environment, while still enjoying the warmth and pleasure of a fire." +The government's Clean Air Strategy – welcomed by the World Health Organization who said it was "appreciating actions taken by the United Kingdom government to protect its citizens from this silent killer" – also set out proposals to tackle air pollution from a range of other sources including: Publishing new guidance for farmers , advisors and contractors to help them reduce ammonia emissions and invest in infrastructure and equipment Working with international partners to research and develop new standards for tyres and brakes to enable us to address toxic non-exhaust emissions of micro plastics from vehicles which can pollute air and water. A call for evidence was launched last month. +This is in addition to our £3.5 billion plan to reduce nitrogen oxide emissions from road transport. +Many consumers are unaware of the impact on their health or the environment from burning solid fuels, or indeed which fuels are the cleanest to buy. Our recent research suggests that over half of people surveyed did not consider that the burning of solid fuels and wood in their home might have an impact on their health or the environment. +The government recognises households have installed wood-burning stoves and is not seeking to prevent their use, or installation, or considering banning domestic burning, but it is keen to encourage people to switch to cleaner fuels. +A simple way to identify clean, quality wood fuel is to look for the Defra supported ' Ready to Burn ' logo on fuels. Consumers can also take action by buying the most efficient stove and regularly servicing their appliance. The Burnright website has lots of helpful tips on how to minimise the impact of burning on air quality, as can your local chimney sweep during their regular visit. Householders can also swap their supply of traditional house coal to a cleaner alternative. +The consultation closes on 12 October. Share this \ No newline at end of file diff --git a/input/test/Test920.txt b/input/test/Test920.txt new file mode 100644 index 0000000..722921a --- /dev/null +++ b/input/test/Test920.txt @@ -0,0 +1,7 @@ +In order to achieve emission targets, overhauling the transport sector is a key imperative, as it accounts for about 23% of global greenhouse gas emissions (as per IEA). Rising global concerns and the need for clean technology as enumerated by 194 signatories to the Paris Agreement require that emission of carbon dioxide be gradually reduced to limit the global temperature increase below 2-degree Celsius. Viewed from a global and domestic perspective, over the longer term, this is bound to act as a disruptor for the oil and gas industry in general and oil refining and marketing companies in particular. The International Energy Agency (IEA) has projected the global oil demand to reach 105 million barrels per day (MBPD) by 2040, which is a 7.5% increase from the 97.7 MBPD level in 2017. Oil demand is likely to reach a saturation point in the next decade and a half, given the global environmental concerns and the steps taken by global auto majors to gradually shift to alternate and cleaner energy sources. +In order to achieve emission targets, overhauling the transport sector is a key imperative, as it accounts for about 23% of global greenhouse gas emissions (as per IEA). The global car fleet currently runs on about 19 MBPD of equivalent crude oil, which is one-fifth of the current crude oil consumption of 97.7 MBPD. In this regard, electric vehicles (EVs), both battery EVs and plug-in hybrid EVs, are seen as the silver lining, for they can help reduce carbon footprint, lower operating costs and are more energy-efficient. Globally, EV sales have already surpassed 1 million in numbers, up by 50% year-on-year in CY2017, supported by their growing familiarity, improvements in driving range, fall in battery prices, along with the availability of tax and other incentives. +Albeit, this is just 1% of global demand, it has the potential to grow by 40% per annum in the medium term. What would drive this growth? A major cost of EVs, which is the battery, has fallen to almost one-fourth—to about $208/kWh in CY2017 from $800/kWh in CY2011. This battery cost is expected to continue to fall to as low as $70/kWh by 2030. This will make EVs cost-competitive over the next decade—even as EVs are very expensive today and beyond the reach of a majority of retail customers. Further, strong incentives by countries/governments such as lower taxes and toll exemptions auger well for EV growth. Nonetheless, the main challenge to growth is the need to build adequate infrastructure for charging EVs, which is bound to take time. +As far as India is concerned, domestic refining and marketing companies are investing in brownfield and greenfield expansion of refineries to cater to the rising demand for petroleum products as the economy progresses. They are also looking over the horizon as to what will happen to their margins and profitability as the demand for EVs shows signs of picking up momentum in India, with various governmental initiatives encouraging institutional customers (state road transport organisations and government departments) to adopt EVs. Since auto fuels (diesel and petrol) form around 50% of total product volumes derived from every tonne of crude oil processed, any impact on demand of auto fuels could have a significant bearing on the demand growth of crude oil and gross refining margins of refineries. +Further, substitutes in the form of domestic gas and LNG could slow down the demand of other petroleum products like naphtha, furnace oil and LPG, which could put more pressure on profitability. Moreover, reduced project returns for new projects in the sector, in the absence of fiscal support, can be a deterrence even as existing players with their depreciated assets base remain better placed. While many of the above risks will play out over the next decade, greater diversification to petrochemicals and other forms of energy—including natural gas chain, EV infrastructure and renewable energy—will be imperative for Indian refining and marketing companies in order to mitigate the disruptive potential of EVs over the longer term. +K Ravichandran +Group Head, Corporate Sector Ratings, ICRA Lt \ No newline at end of file diff --git a/input/test/Test921.txt b/input/test/Test921.txt new file mode 100644 index 0000000..3208cb5 --- /dev/null +++ b/input/test/Test921.txt @@ -0,0 +1,7 @@ +Notable Notable Runners: Texas Instruments Incorporated, (NASDAQ: TXN), PBF Energy Inc., (NYSE: PBF) (nysetradingnews.com) +NYSE:PBF opened at $45.74 on Friday. The company has a quick ratio of 0.63, a current ratio of 1.66 and a debt-to-equity ratio of 0.70. The firm has a market capitalization of $5.52 billion, a price-to-earnings ratio of 40.12, a P/E/G ratio of 1.03 and a beta of 1.42. PBF Energy has a 12 month low of $19.46 and a 12 month high of $51.42. +PBF Energy (NYSE:PBF) last posted its quarterly earnings results on Thursday, August 2nd. The oil and gas company reported $1.38 EPS for the quarter, topping analysts' consensus estimates of $1.35 by $0.03. The business had revenue of $7.44 billion during the quarter, compared to analysts' expectations of $6.15 billion. PBF Energy had a net margin of 3.40% and a return on equity of 9.82%. The business's quarterly revenue was up 48.4% on a year-over-year basis. During the same period last year, the company posted ($0.06) earnings per share. research analysts anticipate that PBF Energy will post 2.77 EPS for the current year. +The business also recently declared a quarterly dividend, which will be paid on Thursday, August 30th. Shareholders of record on Wednesday, August 15th will be issued a $0.30 dividend. This represents a $1.20 dividend on an annualized basis and a yield of 2.62%. The ex-dividend date is Tuesday, August 14th. PBF Energy's payout ratio is 105.26%. +PBF has been the subject of a number of analyst reports. Raymond James raised shares of PBF Energy from a "market perform" rating to an "outperform" rating in a research note on Monday, June 4th. Credit Suisse Group lifted their target price on shares of PBF Energy from $37.00 to $46.00 and gave the stock a "neutral" rating in a research note on Monday, June 4th. ValuEngine downgraded shares of PBF Energy from a "strong-buy" rating to a "buy" rating in a research note on Monday, July 2nd. Macquarie raised shares of PBF Energy from a "neutral" rating to an "outperform" rating in a research note on Monday, July 9th. Finally, Mizuho initiated coverage on shares of PBF Energy in a research note on Wednesday, August 1st. They set a "buy" rating and a $55.00 target price for the company. Three equities research analysts have rated the stock with a sell rating, nine have given a hold rating and seven have given a buy rating to the company. PBF Energy presently has a consensus rating of "Hold" and an average target price of $43.25. +About PBF Energy +PBF Energy Inc, together with its subsidiaries, engages in the refining and supply of petroleum products. The company operates through two segments, Refining and Logistics. It produces gasoline, ultra-low-sulfur diesel, heating oil, diesel fuel, jet fuel, lubricants, petrochemicals, and asphalt, as well as unbranded transportation fuels, petrochemical feedstocks, blending components, and other petroleum products. Receive News & Ratings for PBF Energy Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for PBF Energy and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test922.txt b/input/test/Test922.txt new file mode 100644 index 0000000..ab4e206 --- /dev/null +++ b/input/test/Test922.txt @@ -0,0 +1,8 @@ +$1.52 17.50 +Equity BancShares has higher revenue and earnings than BayCom. BayCom is trading at a lower price-to-earnings ratio than Equity BancShares, indicating that it is currently the more affordable of the two stocks. +Summary +Equity BancShares beats BayCom on 11 of the 12 factors compared between the two stocks. +Equity BancShares Company Profile +Equity Bancshares, Inc. operates as a bank holding company for Equity Bank that provides a range of financial services primarily to businesses, business owners, and individuals. The company accepts various deposit products, including demand, savings, money market, and time deposits. Its loan products include commercial and industrial, commercial real estate-backed, commercial lines of credit, working capital, term, equipment financing, acquisition, expansion and development, borrowing base, real estate construction loans, homebuilder, agricultural, government guaranteed, and other loans, as well as letters of credit to national and regional companies, restaurant franchisees, hoteliers, real estate developers, manufacturing and industrial companies, agribusiness companies, and other businesses. The company's loan products also comprise various consumer loans to individuals and professionals, including residential real estate loans, home equity loans, home equity lines of credit, installment loans, unsecured and secured personal lines of credit, overdraft protection, and letters of credit. It also provides debit cards; online banking solutions, such as access to account balances, online transfers, online bill payment, and electronic delivery of customer statements; mobile banking solutions comprising remote check deposits with mobile bill pay; ATMs; and treasury management, wire transfer, and automated clearing house and stop payment services. In addition, the company offers cash management deposit products, such as lockbox, remote deposit capture, positive pay, reverse positive pay, account reconciliation services, zero balance accounts, and sweep accounts, as well as banking services through telephone, mail, and personal appointments. As of February 22, 2018, it operated 42 full-service branches located in Kansas, Missouri, Arkansas, and Oklahoma. Equity Bancshares, Inc. was founded in 2002 and is headquartered in Wichita, Kansas. +BayCom Company Profile +BayCom Corp., through its subsidiary, United Business Bank, provides commercial banking products and services to businesses and individuals. The company offers personal and business savings and checking accounts, money market accounts, and certificates of deposit, as well as individual retirement and health savings accounts; business loans, including term loans, equipment financing, commercial real estate loans, construction loans, small business loans, and business and industry loans; and business credit products, such as business lines of credit, asset-based lines of credit, letters of credit, and business credit cards. It also provides online banking and bill payment, automated clearing house, and wire transfer services; and remote deposit, merchant card processing, positive pay, lockbox, e-statement, courier, ATM, overdraft protection, and exchange and escrow services; and debit cards and escrow services, as well as facilitates tax-free exchanges. As of May 1, 2017, the company operated 18 full service branches in California, Washington, and New Mexico. The company was formerly known as Bay Commercial Bank and changed its name to BayCom Corp. in January 2017. BayCom Corp. was founded in 2004 and is based in Walnut Creek, California. Receive News & Ratings for Equity BancShares Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Equity BancShares and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test923.txt b/input/test/Test923.txt new file mode 100644 index 0000000..b8e9633 --- /dev/null +++ b/input/test/Test923.txt @@ -0,0 +1,8 @@ +0 2.50 +Western Alliance Bancorporation currently has a consensus target price of $67.96, indicating a potential upside of 17.84%. CB Financial Services has a consensus target price of $35.00, indicating a potential upside of 13.64%. Given Western Alliance Bancorporation's stronger consensus rating and higher probable upside, equities research analysts plainly believe Western Alliance Bancorporation is more favorable than CB Financial Services. +Summary +Western Alliance Bancorporation beats CB Financial Services on 14 of the 16 factors compared between the two stocks. +Western Alliance Bancorporation Company Profile +Western Alliance Bancorporation operates as the holding company for Western Alliance Bank that provides various banking products and related services primarily in Arizona, California, and Nevada. The company offers deposit products, including checking accounts, savings accounts, and money market accounts, as well as fixed-rate and fixed maturity certificates of deposit accounts. It also offers commercial and industrial loan products, such as working capital lines of credit, inventory and accounts receivable lines, mortgage warehouse lines, equipment loans and leases, and other commercial loans; commercial real estate loans, which are secured by multi-family residential properties, professional offices, industrial facilities, retail centers, hotels, and other commercial properties; construction and land development loans for single family and multi-family residential projects, industrial/warehouse properties, office buildings, retail centers, medical office facilities, and residential lot developments; and consumer loans. In addition, the company provides other financial services, such as Internet banking, wire transfers, electronic bill payment and presentment, lock box services, courier, and cash management services. Further, it holds certain investment securities, municipal and non-profit loans, and leases; invests primarily in low income housing tax credits and small business investment corporations; and holds certain real estate loans and related securities. As of December 31, 2017, the company operated 38 branch locations and 8 loan production offices. Western Alliance Bancorporation was founded in 1994 and is headquartered in Phoenix, Arizona. +CB Financial Services Company Profile +CB Financial Services, Inc. operates as the bank holding company for Community Bank that provides various banking products and services for individuals and businesses in southwestern Pennsylvania. The company's deposit products include demand deposits, NOW accounts, money market accounts, savings accounts, and time deposits. Its loan products comprise residential real estate loans, such as one-to four-family mortgage loans, multifamily mortgage loans, home equity installment loans, and home equity lines of credit; commercial real estate loans that are secured primarily by improved properties, such as retail facilities, office buildings, and other non-residential buildings; construction loans to individuals to finance the construction of residential dwellings, as well as for the construction of commercial properties, including hotels, apartment buildings, housing developments, and owner-occupied properties used for businesses; commercial and industrial loans, and lines of credit; consumer loans consisting of indirect auto loans, secured and unsecured loans, and lines of credit; and other loans. In addition, the company provides sweep and insured money sweep, remote electronic deposit, online banking with bill pay, mobile banking, and automated clearing house services; and conducts insurance brokerage activities by offering property and casualty, commercial liability, surety, and other insurance products. As of May 16, 2018, it operated 16 offices in Greene, Allegheny, Washington, Fayette, and Westmoreland counties in southwestern Pennsylvania; 7 offices in Brooke, Marshall, Ohio, Upshur, and Wetzel counties in West Virginia; and 1 office in Belmont County in Ohio. The company was founded in 1901 and is headquartered in Carmichaels, Pennsylvania. Receive News & Ratings for Western Alliance Bancorporation Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Western Alliance Bancorporation and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test924.txt b/input/test/Test924.txt new file mode 100644 index 0000000..62651a4 --- /dev/null +++ b/input/test/Test924.txt @@ -0,0 +1,20 @@ +A driver who left a teenage bike rider for dead on a busy Melbourne road has avoided jail after showing remorse and praying for the girl. +Thi Nguyen, 42, was ordered to serve a two-year corrections order with 150 hours of community work after she hit the 13-year-old with her car last November and fled the scene. +"You left (her) for dead. You ought to have known she was seriously injured," County Court Judge Gabriele Cannon told Nguyen on Friday. +"You did not stop after the collision in any meaningful way. You failed to do anything to help the person in need." +The Vietnamese-born woman was driving a black BMW along Bell Street at Coburg when the child weaved between lanes on November 5. +The girl was not wearing a helmet as she rode with friends into oncoming traffic. +Judge Cannon said she collided with the car's passenger side windscreen and "was thrown into the air before landing on the road". +A number of drivers went to the aid of the girl, who was placed in an induced coma with life-threatening internal injuries and a fractured rib. +A witness saw Nguyen get out of the car "to have a look" and then drive off, the court was told. +Judge Cannon said the girl had been seen riding erratically and it was "a matter of time before she was hit by a car". +She said Nguyen was blameless for the crash, but she should have stopped to help. +She added it "defies belief" Nguyen did not know someone had been seriously injured. +The judge said while Nguyen was of otherwise good character, she had shown a "gross lack of good judgment which was unlikely to happen again". +It took Nguyen four days to hand herself in to police after the crash and the judge accepted she was "afraid, panicked and concerned" about speaking to investigators sooner, due to her lack of English. +Nguyen had also wanted to speak to her solicitor before handing herself in. +The judge noted Nguyen felt "heartfelt remorse", prayed for the girl at her temple and hoped to apologise in person. +"I accept you are very sorry for your actions," the judge said. +Bicycle Network CEO Craig Richards said Nguyen will pay a "minor price" for a major error. +"Four weeks volunteering for leaving a young bike rider in a critical state on the road is not what the community expects and doesn't pass the pub test," he told AAP. +Nguyen, who pleaded guilty to failing to stop and render assistance after a motor vehicle accident, was disqualified from driving for four years \ No newline at end of file diff --git a/input/test/Test925.txt b/input/test/Test925.txt new file mode 100644 index 0000000..de05409 --- /dev/null +++ b/input/test/Test925.txt @@ -0,0 +1,3 @@ +Chain Reaction Cycles has said it is recruiting for 30 roles in NI, including 20 newly-created jobs. +The new positions include technical , e-commerce and software roles, as well as customer service, marketing and operations positions. +Originally a family business launched in 1985 in Ballyclare , Co Antrim \ No newline at end of file diff --git a/input/test/Test926.txt b/input/test/Test926.txt new file mode 100644 index 0000000..3b3b40b --- /dev/null +++ b/input/test/Test926.txt @@ -0,0 +1 @@ +Set your budget and timeframe Outline your proposal Get paid for your work It's free to sign up and bid on jobs 10 freelancers are bidding on average $26 for this job Hello Client, We have sound knowledge on different domain like HR, social networking, E-commerce, Health care, Finance. We focus develop high quality app with latest coding standards and completion of work within de More $50 USD in 1 day (140 Reviews) rightbigboss Hello. How are you? I have just read your requirements and it is no problem with me. I have rich experience in this area and I am sure I can give you good result. Until now I have developed many APPs on several serv More $30 USD in 1 day (63 Reviews \ No newline at end of file diff --git a/input/test/Test927.txt b/input/test/Test927.txt new file mode 100644 index 0000000..4903f27 --- /dev/null +++ b/input/test/Test927.txt @@ -0,0 +1,25 @@ +Valley View community voices concerns about property maintenance, parking By Jane Bellmyer jbellmyer@cecilwhig.com +Alisha Rausch, a resident of Valley View Village, asks the Rising Sun mayor and commissioners what can be done to address parking, road conditions, trash, high grass, and abandoned properties in the community off East Main Street. CECIL WHIG PHOTO BY JANE BELLMYER Save +RISING SUN — Once again Commissioner David Warnick is poring over old records and maps to figure out the ongoing situations in Valley View Village, a townhouse community off East Main Street. +Residents of the community have been bringing their concerns to the board for years; listing among them lack of police presence, parking, trash and debris. New to the discussion Tuesday night was Alisha Rausch, bringing her concerns to the board about one particular residence. +"The grass was waist high, the resident left and there was a foul smell," Rausch said, adding she could see hundreds of cat food cans inside and that the ceiling had collapsed. +"The police officer never looked, never set foot on the property. He talked to a neighbor," Rausch said. "If there's a possibility of abandoned animals why is this not a concern?" +Rising Sun Police Chief Francis "Chip" Peterson told Rausch his department is well aware of that particular residence and assured Rausch that he and the town were monitoring. However, he said there was no just cause to enter the home. +"We got a call about a month and a half ago," Peterson said. "We made contact with the owner but then the rumor mill took over." +He told Rausch that his officers were assured that there were no animals or people in the home and that the owner was away for a time caring for a sick relative. +Noting that the homes are connected, Rausch said neighbors needed to know that to make sure adjacent homes would not be damaged if there was a water leak in that house. +That's when Warnick brought up the latest revelation into the more than 40-year-old community. +"We've been looking at covenant deeds," Warnick said. "The original plat shows open space in three locations." +Warnick said his research shows that the open space changed hands several times in 1974, selling one of those plats for $10 to the owners of 59 Louise Court. In the title for that plat are rules including that there would never be any development there, no parking of boats, trailers or abandoned vehicles, and no utilities, fencing, or unsightly signages. +"Here's the problem. We do not have the legal authority to enforce that," Warnick said. The deeds as written give that power to the Valley View Village Home Owners Association. "It should be enforced by the HOA but it was never established." +Warnick said issues among the neighbors will have to go to the civil court system outside of criminal activity or code enforcement issues. +"The HOA would have taken care of a lot of these," Warnick noted, to which Rausch wondered aloud why that HOA was never formed. +Rausch told the board that while the parking lot is considered public, there are some residents who feel entitled to spots directly in front of their homes. She has that problem. +"When you're coming to my door and banging on it that's a problem," she said. A few others park across two spots, which is another issue she reported. +She asked the board whatever happened to plans for an overflow parking lot. Warnick said that's all part of that confusing covenant deed that spells out what can happen on the only open spaces in Valley View. +Peterson said law enforcement can only write tickets. +"We can issue citations but we cannot enforce who parks where," Peterson said. +There was some good news. Calvin Bonenberger, town administrator, told her that plans are about to commence to install 1,000 linear feet of sidewalk and curbing and address 7,000 feet of pavement in need of repair and paving. Rausch welcomed that, saying that the conditions on the lower end are worse than those at the top. +"There are potholes that go all the way down the street and are probably a foot deep," she said. "Part of the road is sinking." +Rausch said it's time that Valley View got the same attention as newer subdivisions in town. +"This really is a nice community," she said. "People think I live in the ghetto of Rising Sun and I don't. \ No newline at end of file diff --git a/input/test/Test928.txt b/input/test/Test928.txt new file mode 100644 index 0000000..f843d2a --- /dev/null +++ b/input/test/Test928.txt @@ -0,0 +1,9 @@ +By a News Reporter-Staff News Editor at Food Weekly News -- The Kroger Co. (NYSE: KR) announced Valerie Jabbar +, currently president of the Ralphs division, as group vice president of merchandising for the company, effective September 1 . Mike Murphy +, currently vice president of operations for the Columbus division, will succeed Ms. Jabbar +as president of the Ralphs division. Valerie Jabbar Named Group Vice President of Merchandising +Ms. Jabbar +began her Kroger career in 1987 as a clerk in the Fry's division. She has held several leadership roles, including assistant store director, category manager, drug/general merchandise coordinator, corporate seasonal manager, and director of drug/general merchandise, as well as district manager in the Fry's division. In 2012, she moved to the Mid-Atlantic division to serve as vice president of merchandising before joining the Ralphs division in 2013 as vice president of merchandising. Ms. Jabbar +was promoted to division president in July 2016 . Keywords for this news article include: Business, The Kroger Co , Service Companies, Grocery Store Companies. +Our reports deliver fact-based news of research and discoveries from around the world. Copyright 2018, NewsRx LLC +(c) 2018 NewsRx LLC, source Science Newsletter \ No newline at end of file diff --git a/input/test/Test929.txt b/input/test/Test929.txt new file mode 100644 index 0000000..5ed1560 --- /dev/null +++ b/input/test/Test929.txt @@ -0,0 +1,23 @@ +17 August 2018 Marks and Spencer opts for AI at call centre Marks and Spencer has teamed up with Twilio to create an AI communication system across stores and contact centres, employing a cloud-based system. But it may not mean the age of robot shop assistants is upon us, says industry expert. In total, 640 M&S stores and 13 UK-based contact centres will be handled via a Twilio-powered technology intelligent system. +Dine in for two, suggests Marks and Spencer, but will its customers be so keen to digest its new AI system? +The famous retailer has tied up with Twilio to give its customer communications an AI twist. The new system will route voice calls to the appropriate department . Twillo said this will be achieved with 90% accuracy. +In total, 640 M&S stores and 13 UK-based contact centres will be handled via a Twilio-powered technology intelligent system. +>See also: How the contact centre became ground zero for AI in the enterprise +It has also been able to "experiment, like a start-up, executing like an enterprise," said Chris McGrath, IT programme manager at Marks & Spencer, by utilising the Twilio cloud communications platform. +Twilio says that the project to "automate Marks & Spencer's legacy switchboard operation took less than six months from concept to launch and will allow the retailer to analyse customer intent in real time for more than 12 million customer interactions annually." +The system already responds to a customer call at Marks and Spencer by routing it to the correct destination via Twilio. The service is also being extended, rolling out delivery status updates via text message for its e-commerce customers, powered by Twilio Programmable SMS. +>See also: Blended approach is best: AI in the contact centre +Mr McGrath, added: "We were able to prototype a solution in just four weeks and put it to the test during our busiest retail days of the year. The new solution has given Marks & Spencer an improved ability to have more direct and meaningful conversations with our customers, which also helps us reallocate valuable staff time." +Analysts were quick to point out that the move by Marks and Spencer is part of a wider trend. +For example, Manu Tyagi, Associate Partner for Retail at Infosys Consulting said that in the last year we have seen Amazon Go's concept of 'checkout-less' supermarkets where, "thanks to a host of sensor and deep-learning technologies, shoppers can browse, fill their baskets, and leave without queueing up to pay." +Does this mean the concept of robotic shop assistants is nigh? +Mr Tyagi says no. +He said: "These advances are unarguably impressive, and spell a bright future for the retail industry . However, we're finding that some consumers still prefer the reassurance of human interaction – and this need should not be ignored. +"For instance, in 2015 Morrisons reintroduced human-staffed checkouts for small shopping baskets – a move away from the wave of automated, s elf-service tills that have swept the nation . It turns out that people quite enjoy their everyday interactions with the smiling, familiar checkout operator; advice from a knowledgeable shop assistant; or just bumping into a friend in the local supermarket queue." +The Marks and Spencer Twilio solution will be able to: +• Handle more than one million inbound telephone calls per month. +• Transcribe the customer's speech into text – by leveraging Twilio's Speech Recognition tool, Marks & Spencer can analyse the voice of the customer in real time. +• Determine caller intent – through integration with Google DialogFlow, Marks & Spencer is able to take the transcribed text and determine why a customer is calling. +• Route calls – IVR uses caller intent to route the call to the appropriate department, store or contact centre agent to resolve the customer inquiry. +>See also: True AI doesn't exist yet…it's augmented intelligence +Nominations are now open for the Women in IT Awards Ireland and Women in IT Awards Silicon Valley . Nominate yourself, a colleague or someone in your network now! The Women in IT Awards Series – organised by Information Age – aims to tackle this issue and redress the gender imbalance, by showcasing the achievements of women in the sector and identifying new role model \ No newline at end of file diff --git a/input/test/Test93.txt b/input/test/Test93.txt new file mode 100644 index 0000000..c2d900b --- /dev/null +++ b/input/test/Test93.txt @@ -0,0 +1 @@ +The International Wheat Genome Sequencing Consortium (IWGSC), of which INRA is a leading member, published the first wheat genome reference sequence in Science , on 17 August 2018 . French research teams from INRA, CEA , and the universities of Clermont-Auvergne, Evry , Paris-Sud and Paris-Saclay contributed to the project, \ No newline at end of file diff --git a/input/test/Test930.txt b/input/test/Test930.txt new file mode 100644 index 0000000..ca4834f --- /dev/null +++ b/input/test/Test930.txt @@ -0,0 +1,12 @@ +Bank of New York Mellon Corp Decreases Holdings in Foot Locker, Inc. (FL) Dante Gardener | Aug 17th, 2018 +Bank of New York Mellon Corp lessened its stake in shares of Foot Locker, Inc. (NYSE:FL) by 2.0% during the second quarter, according to the company in its most recent disclosure with the SEC. The fund owned 5,104,187 shares of the athletic footwear retailer's stock after selling 102,690 shares during the quarter. Bank of New York Mellon Corp's holdings in Foot Locker were worth $268,735,000 as of its most recent SEC filing. +Other hedge funds and other institutional investors also recently bought and sold shares of the company. State of New Jersey Common Pension Fund D grew its stake in shares of Foot Locker by 94.3% in the first quarter. State of New Jersey Common Pension Fund D now owns 68,000 shares of the athletic footwear retailer's stock worth $3,097,000 after purchasing an additional 33,000 shares during the last quarter. BP PLC bought a new stake in shares of Foot Locker in the second quarter worth $843,000. Stifel Financial Corp bought a new stake in shares of Foot Locker in the first quarter worth $224,000. Bank of Montreal Can grew its stake in shares of Foot Locker by 24.6% in the second quarter. Bank of Montreal Can now owns 716,999 shares of the athletic footwear retailer's stock worth $37,749,000 after purchasing an additional 141,496 shares during the last quarter. Finally, Susquehanna Fundamental Investments LLC bought a new stake in shares of Foot Locker in the first quarter worth $2,673,000. 92.08% of the stock is currently owned by hedge funds and other institutional investors. Get Foot Locker alerts: +In related news, CFO Lauren B. Peters sold 25,000 shares of the business's stock in a transaction on Friday, May 25th. The shares were sold at an average price of $51.85, for a total value of $1,296,250.00. The transaction was disclosed in a document filed with the SEC, which is available at this hyperlink . 2.10% of the stock is owned by insiders. +Several analysts recently weighed in on the stock. Pivotal Research set a $64.00 price objective on shares of Foot Locker and gave the stock a "buy" rating in a research note on Tuesday, May 29th. Canaccord Genuity set a $66.00 price objective on shares of Foot Locker and gave the stock a "buy" rating in a research note on Tuesday, May 29th. OTR Global raised shares of Foot Locker to a "positive" rating in a research note on Thursday. ValuEngine cut shares of Foot Locker from a "sell" rating to a "strong sell" rating in a research note on Wednesday, May 2nd. Finally, Buckingham Research boosted their price objective on shares of Foot Locker from $54.00 to $61.00 and gave the stock a "buy" rating in a research note on Tuesday, May 29th. Four research analysts have rated the stock with a sell rating, nine have given a hold rating and sixteen have issued a buy rating to the stock. The stock currently has a consensus rating of "Hold" and an average target price of $55.79. +FL stock opened at $49.75 on Friday. The firm has a market capitalization of $5.61 billion, a P/E ratio of 12.10, a PEG ratio of 1.61 and a beta of 0.91. The company has a current ratio of 3.89, a quick ratio of 2.04 and a debt-to-equity ratio of 0.05. Foot Locker, Inc. has a 12-month low of $28.42 and a 12-month high of $59.40. +Foot Locker (NYSE:FL) last released its earnings results on Friday, May 25th. The athletic footwear retailer reported $1.45 earnings per share (EPS) for the quarter, beating the consensus estimate of $1.25 by $0.20. The business had revenue of $2.03 billion for the quarter, compared to analyst estimates of $1.96 billion. Foot Locker had a net margin of 3.45% and a return on equity of 19.60%. Foot Locker's revenue for the quarter was up 1.2% on a year-over-year basis. During the same quarter in the previous year, the business earned $1.36 earnings per share. equities analysts anticipate that Foot Locker, Inc. will post 4.52 earnings per share for the current fiscal year. +The company also recently announced a quarterly dividend, which was paid on Friday, August 3rd. Investors of record on Friday, July 20th were issued a $0.345 dividend. The ex-dividend date of this dividend was Thursday, July 19th. This represents a $1.38 annualized dividend and a yield of 2.77%. Foot Locker's payout ratio is 33.58%. +Foot Locker Profile +Foot Locker, Inc, through its subsidiaries, operates as an athletic shoes and apparel retailer. The company operates in two segments, Athletic Stores and Direct-to-Customers. The Athletic Stores segment retails athletic footwear, apparel, accessories, and equipment under various formats, including Foot Locker, Kids Foot Locker, Lady Foot Locker, Champs Sports, Footaction, Runners Point, Sidestep, and SIX:02. +Featured Story: Fundamental Analysis and Choosing Stocks +Want to see what other hedge funds are holding FL? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Foot Locker, Inc. (NYSE:FL). Receive News & Ratings for Foot Locker Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Foot Locker and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test931.txt b/input/test/Test931.txt new file mode 100644 index 0000000..29d6479 --- /dev/null +++ b/input/test/Test931.txt @@ -0,0 +1,3 @@ +Home / Destinations / Europe / United Kingdom / Top 5: UK adventures United Kingdom Top 5: UK adventures Forget the far-flung corners of the world; your next adventure expedition is just a stone's throw from one of the UK's major cities By Annie Brookstone . Published on 17th August 2018 Via Ferrata in the Lake District. Image: Getty Share this 1 // Swim with seals off Lundy Island Distance: Four hours from Bristol Ease of access: 2/5 Lundy Island's varied and unspoilt terrain, mild climate and abundance of wildlife make it a small bastion of wilderness in the UK. It's located four hours from Bristol, with two hours of that a picturesque ferry ride. Step up the aquatic aspect of this adventure by getting face to snout with the island's inquisitive resident population of around 200 Atlantic grey seals. You'll depart Ilfracombe harbour for Lundy where you will spend the morning swimming with the seals in one of the many coves and bays around the island's marine nature reserve. bristolchannelcharters.co.uk 2 // Climb the UK's only Via Ferrata in the Lake District Distance: 1.5 hours from Manchester Ease of access: 4/5 Honister Slate Mine's Via Ferrata , meaning 'iron way', invites intrepid adventurers to scale a series of footholds and cables built into the mountain. There are two routes, the Classic and the Xtreme, with the latter offering a more heart-pounding thrill for the relatively fit at around 3.5 hours while the former is suitable for most ages and abilities and rarely takes longer than three hours. 3 // Sleep in a snow hole in the Cairngorms National Park Distance: Less than an hour's drive from Inverness and approximately two hours from Aberdeen Ease of access: 3/5 Although a decent distance from two sizeable Scottish cities, this incredible overnight adventure puts your survival skills to the test by submerging you deep in the Scottish Highlands. Literally. For three days and four nights, expert guides will teach you how to construct a communal snow hole in the winter wilderness, making for an undeniably unique home-away-from-home experience. Challenging though it might be, it's rewarding too — your guide will even prepare a delicious three-course meal in your new icy abode. Perfect for people with a pioneering spirit. scotmountainholidays.com 4 // Land yacht on Romney Marsh Distance :Two hours from London by train Ease of access : 5/5 If you've ticked off the high-octane thrills of the capital , make for the south coast. Land yachting is a cross between sailing and motor racing. The broad, flat expanses of Greatstone Beach on the south east coast of Romney Marsh provide the ideal setting for such an endeavour. Harnessing the power of the wind, these wheeled 'yachts' can reach up to 40mph — a few hours with a qualified instructor and you'll be zipping across the sand like a pro. fishyslandyachts.co.uk +Follow @anniebrookstone +Eyewitness: Out on the edge in Wales "Never again," I swear to myself as I swirl and unravel underwater. I've inhaled a bucketload of seawater and there's something I'm hoping is seaweed wrapped around my head. I propel myself upwards and burst out of the water gasping for air. I've just jumped off a cliff in Pembrokeshire. It was by choice, admittedly, but still I vehemently vow, "Never again." I clamber up the slippery moss-clad rocks and my adrenaline soars. I'm back with the gang and the intrepid mood is contagious. We've spent the day swimming through caves, spotting seals and coursing along coastal currents all in the name of coasteering with Preseli Venture. I'm in Pembrokeshire — the wildly beautiful and rugged Welsh coastline — for what this outdoor activity company has dubbed a 'fitness adventure weekend'. I attempt fitness from time to time in London. Adventure, not so much. But this is the venerated birthplace of coasteering and adventure is unavoidable. We swim on and scale the next rock. The group lines up, ready to jump again as our guide points out the safe spot. I watch as one by one they make the leap and are submerged. Their smiles upon resurfacing confirm the lack of danger.Fear and exhaustion are forgotten as I lurch towards the jagged edge before yelping and launching myself off the precarious cliff. I couldn't do this in London — this is a real adventure. When I hit the water, I relax and enjoy the underwater swirling. Who knows? I might even try this again sometime. preseliventure.co.uk . Words: Josephine Pric \ No newline at end of file diff --git a/input/test/Test932.txt b/input/test/Test932.txt new file mode 100644 index 0000000..b5e94d6 --- /dev/null +++ b/input/test/Test932.txt @@ -0,0 +1,6 @@ +World Bank grants a loan to pave rural roads in Guinea-Bissau 17 August 2018 | Guinea-Bissau +The World Bank will grant a US$15 million loan to finance the asphalting of some rural roads in the northern and eastern provinces of Guinea-Bissau next year, the organisation's resident representative Amadu Oumar Bá announced on Wednesday in Bissau. +Bá spoke after the audience that the Minister of Public Works, Constructions and Urbanism, Óscar Barbosa, granted to a delegation of the World Bank for the transport area that is visiting the country this week. +The resident representative said that the meeting served for the World Bank to present the details of the project to the Guinean minister and to request his support in order to facilitate the process as quickly as possible. +Bá, who did not specify the exact start date, said that the World Bank was currently undertaking feasibility studies focused on the creation of conditions to facilitate the movement of people and the distribution of goods produced in those rural areas. +Most of the rural roads in Guinea-Bissau are unpaved, except for those that were paved in colonial times and which are now in an advanced state of disrepair \ No newline at end of file diff --git a/input/test/Test933.txt b/input/test/Test933.txt new file mode 100644 index 0000000..7831e3e --- /dev/null +++ b/input/test/Test933.txt @@ -0,0 +1,2 @@ +has signed contracts with a German customer within the Banking industry. The contracts comprise smarter solutions and R&D Services to improve product offerings and efficiency in this changing industry. It includes application and SW framework modernization, provision of B2C processes into multiple channels, security aspects and integration of core software into a private cloud infrastructure. - Midsize and larger banks are making massive investments to transform their businesses into digital service providers. Our key competences and relevant experience from other industries makes us an interesting partner in this market, says Kenneth Ragnvaldsen, CEO of Data Respons ASA. +For further information: tel. tel. + 47 950 36 046 About is a full-service, independent technology company and a leading player in the IoT, Industrial digitalisation and the embedded solutions market. We provide R&D services and embedded solutions to OEM companies, system integrators and vertical product suppliers in a range of market segments such as Transport & Automotive, Industrial Automation, Telecom & Media, Space, Defense & Security, Medtech, Energy & Maritime, and Finance & Public Sector. Data Respons ASA is listed on the Oslo Stock Exchange (Ticker: DAT), and is part of the information technology index. The company has offices in Norway, Sweden, Denmark, Germany and This information is subject of the disclosure requirements pursuant to section 5-12 of the Norwegian Securities Trading Act \ No newline at end of file diff --git a/input/test/Test934.txt b/input/test/Test934.txt new file mode 100644 index 0000000..eba1e49 --- /dev/null +++ b/input/test/Test934.txt @@ -0,0 +1,11 @@ +Cardinal Health Inc (CAH) Shares Sold by Bellevue Group AG Stephan Jacobs | Aug 17th, 2018 +Bellevue Group AG lessened its stake in Cardinal Health Inc (NYSE:CAH) by 10.0% in the 2nd quarter, according to its most recent disclosure with the Securities & Exchange Commission. The firm owned 18,000 shares of the company's stock after selling 2,000 shares during the quarter. Bellevue Group AG's holdings in Cardinal Health were worth $879,000 at the end of the most recent reporting period. +Several other institutional investors also recently added to or reduced their stakes in the company. Global X Management Co. LLC increased its stake in Cardinal Health by 8.4% in the 1st quarter. Global X Management Co. LLC now owns 11,087 shares of the company's stock worth $695,000 after acquiring an additional 857 shares during the last quarter. Fort Washington Investment Advisors Inc. OH increased its stake in Cardinal Health by 58.0% in the 1st quarter. Fort Washington Investment Advisors Inc. OH now owns 9,530 shares of the company's stock worth $597,000 after acquiring an additional 3,499 shares during the last quarter. FDx Advisors Inc. increased its stake in Cardinal Health by 52.6% in the 1st quarter. FDx Advisors Inc. now owns 43,964 shares of the company's stock worth $2,756,000 after acquiring an additional 15,156 shares during the last quarter. Meag Munich Ergo Kapitalanlagegesellschaft MBH increased its stake in Cardinal Health by 470.5% in the 1st quarter. Meag Munich Ergo Kapitalanlagegesellschaft MBH now owns 86,459 shares of the company's stock worth $5,386,000 after acquiring an additional 71,304 shares during the last quarter. Finally, Dynamic Advisor Solutions LLC bought a new stake in Cardinal Health in the 1st quarter worth approximately $241,000. Institutional investors own 89.98% of the company's stock. Get Cardinal Health alerts: +A number of research firms have issued reports on CAH. Mizuho reaffirmed a "hold" rating and issued a $53.00 price objective on shares of Cardinal Health in a research note on Sunday, August 12th. Robert W. Baird reduced their price objective on Cardinal Health from $51.00 to $50.00 and set a "neutral" rating on the stock in a research note on Tuesday, August 7th. Royal Bank of Canada reaffirmed a "hold" rating and issued a $56.00 price objective on shares of Cardinal Health in a research note on Tuesday, August 7th. Argus reduced their price objective on Cardinal Health from $85.00 to $75.00 and set a "buy" rating on the stock in a research note on Monday, July 16th. Finally, Zacks Investment Research raised Cardinal Health from a "strong sell" rating to a "hold" rating in a research note on Tuesday, July 3rd. Three investment analysts have rated the stock with a sell rating, nine have assigned a hold rating and three have issued a buy rating to the stock. The company has a consensus rating of "Hold" and an average target price of $62.00. +NYSE CAH opened at $50.45 on Friday. The company has a market cap of $15.04 billion, a PE ratio of 10.09, a P/E/G ratio of 1.78 and a beta of 0.99. The company has a debt-to-equity ratio of 1.32, a quick ratio of 0.53 and a current ratio of 1.07. Cardinal Health Inc has a fifty-two week low of $48.14 and a fifty-two week high of $75.75. +Cardinal Health (NYSE:CAH) last released its earnings results on Monday, August 6th. The company reported $1.01 earnings per share for the quarter, beating the Thomson Reuters' consensus estimate of $0.93 by $0.08. The firm had revenue of $35.35 billion for the quarter, compared to the consensus estimate of $34.38 billion. Cardinal Health had a return on equity of 22.59% and a net margin of 0.19%. The company's revenue for the quarter was up 7.2% compared to the same quarter last year. During the same quarter in the previous year, the company posted $1.31 EPS. equities analysts expect that Cardinal Health Inc will post 5.04 earnings per share for the current year. +The business also recently announced a quarterly dividend, which will be paid on Monday, October 15th. Stockholders of record on Monday, October 1st will be given a dividend of $0.4763 per share. The ex-dividend date is Friday, September 28th. This represents a $1.91 annualized dividend and a dividend yield of 3.78%. This is an increase from Cardinal Health's previous quarterly dividend of $0.48. Cardinal Health's payout ratio is currently 38.20%. +Cardinal Health Company Profile +Cardinal Health, Inc operates as an integrated healthcare services and products company worldwide. The company's Pharmaceutical segment distributes branded and generic pharmaceutical, specialty pharmaceutical, over-the-counter healthcare, and consumer products to retailers, hospitals, and other healthcare providers. +Featured Story: Find a Trading Strategy That Works +Want to see what other hedge funds are holding CAH? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Cardinal Health Inc (NYSE:CAH). Receive News & Ratings for Cardinal Health Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Cardinal Health and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test935.txt b/input/test/Test935.txt new file mode 100644 index 0000000..91b1af9 --- /dev/null +++ b/input/test/Test935.txt @@ -0,0 +1,8 @@ +Citigroup Boosts Lamar Advertising (LAMR) Price Target to $69.00 Paula Ricardo | Aug 17th, 2018 +Lamar Advertising (NASDAQ:LAMR) had its price objective lifted by equities research analysts at Citigroup from $68.00 to $69.00 in a report released on Wednesday. The firm presently has a "sell" rating on the real estate investment trust's stock. Citigroup's price objective would indicate a potential downside of 8.91% from the stock's current price. +Other research analysts have also recently issued reports about the stock. TheStreet raised shares of Lamar Advertising from a "c+" rating to a "b-" rating in a report on Wednesday, June 6th. BidaskClub raised shares of Lamar Advertising from a "hold" rating to a "buy" rating in a report on Wednesday, June 13th. Zacks Investment Research raised shares of Lamar Advertising from a "hold" rating to a "buy" rating and set a $80.00 target price for the company in a report on Monday, June 18th. Finally, ValuEngine raised shares of Lamar Advertising from a "sell" rating to a "hold" rating in a report on Saturday, June 2nd. One investment analyst has rated the stock with a sell rating, five have assigned a hold rating and one has assigned a buy rating to the company's stock. The company has a consensus rating of "Hold" and an average target price of $74.20. Get Lamar Advertising alerts: +Shares of Lamar Advertising stock opened at $75.75 on Wednesday. The company has a debt-to-equity ratio of 2.37, a current ratio of 1.48 and a quick ratio of 1.48. The stock has a market capitalization of $7.17 billion, a price-to-earnings ratio of 15.00, a PEG ratio of 4.68 and a beta of 1.13. Lamar Advertising has a 52-week low of $61.36 and a 52-week high of $79.17. +Lamar Advertising (NASDAQ:LAMR) last issued its earnings results on Wednesday, August 8th. The real estate investment trust reported $1.02 earnings per share (EPS) for the quarter, topping the consensus estimate of $0.96 by $0.06. The business had revenue of $419.80 million during the quarter, compared to analysts' expectations of $416.75 million. Lamar Advertising had a net margin of 18.93% and a return on equity of 27.75%. The business's revenue for the quarter was up 5.7% compared to the same quarter last year. During the same period in the previous year, the company earned $0.94 earnings per share. research analysts predict that Lamar Advertising will post 5.19 EPS for the current year. +A number of institutional investors have recently modified their holdings of the business. Schroder Investment Management Group raised its holdings in Lamar Advertising by 214.2% in the second quarter. Schroder Investment Management Group now owns 3,525,888 shares of the real estate investment trust's stock worth $75,220,000 after buying an additional 2,403,637 shares during the last quarter. California Public Employees Retirement System grew its stake in shares of Lamar Advertising by 13.2% in the second quarter. California Public Employees Retirement System now owns 253,840 shares of the real estate investment trust's stock worth $17,340,000 after acquiring an additional 29,557 shares during the period. Glenmede Trust Co. NA grew its stake in shares of Lamar Advertising by 10.2% in the second quarter. Glenmede Trust Co. NA now owns 174,776 shares of the real estate investment trust's stock worth $11,940,000 after acquiring an additional 16,163 shares during the period. Qube Research & Technologies Ltd bought a new stake in shares of Lamar Advertising in the second quarter worth approximately $164,000. Finally, OLD Mutual Customised Solutions Proprietary Ltd. bought a new stake in shares of Lamar Advertising in the second quarter worth approximately $137,000. 82.92% of the stock is owned by institutional investors and hedge funds. +Lamar Advertising Company Profile +Founded in 1902, Lamar Advertising (Nasdaq: LAMR) is one of the largest outdoor advertising companies in North America, with more than 348,000 displays across the United States and Canada. Lamar offers advertisers a variety of billboard, interstate logo, transit and airport advertising formats, helping both local businesses and national brands reach broad audiences every day. Receive News & Ratings for Lamar Advertising Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Lamar Advertising and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test936.txt b/input/test/Test936.txt new file mode 100644 index 0000000..3f15162 --- /dev/null +++ b/input/test/Test936.txt @@ -0,0 +1,11 @@ +Connor Clark & Lunn Investment Management Ltd. Takes Position in Lincoln National Co. (LNC) Donna Armstrong | Aug 17th, 2018 +Connor Clark & Lunn Investment Management Ltd. purchased a new stake in shares of Lincoln National Co. (NYSE:LNC) during the 2nd quarter, HoldingsChannel reports. The fund purchased 16,900 shares of the financial services provider's stock, valued at approximately $1,052,000. +Several other institutional investors and hedge funds have also recently modified their holdings of LNC. Assetmark Inc. increased its holdings in Lincoln National by 4.6% in the second quarter. Assetmark Inc. now owns 171,866 shares of the financial services provider's stock valued at $10,699,000 after purchasing an additional 7,509 shares during the last quarter. Deroy & Devereaux Private Investment Counsel Inc. increased its holdings in Lincoln National by 4.5% in the second quarter. Deroy & Devereaux Private Investment Counsel Inc. now owns 38,550 shares of the financial services provider's stock valued at $2,400,000 after purchasing an additional 1,670 shares during the last quarter. MUFG Securities EMEA plc bought a new stake in Lincoln National in the second quarter valued at about $7,485,000. Wedge Capital Management L L P NC increased its holdings in Lincoln National by 3.6% in the second quarter. Wedge Capital Management L L P NC now owns 450,990 shares of the financial services provider's stock valued at $28,074,000 after purchasing an additional 15,671 shares during the last quarter. Finally, Regentatlantic Capital LLC increased its holdings in Lincoln National by 5.2% in the second quarter. Regentatlantic Capital LLC now owns 19,265 shares of the financial services provider's stock valued at $1,199,000 after purchasing an additional 950 shares during the last quarter. 80.63% of the stock is currently owned by institutional investors and hedge funds. Get Lincoln National alerts: +A number of research firms recently commented on LNC. B. Riley upped their price objective on Lincoln National from $79.00 to $83.00 and gave the company a "neutral" rating in a report on Tuesday, August 7th. Royal Bank of Canada reiterated a "buy" rating and issued a $82.00 price objective on shares of Lincoln National in a report on Friday, August 3rd. ValuEngine downgraded Lincoln National from a "sell" rating to a "strong sell" rating in a report on Friday, August 3rd. Zacks Investment Research downgraded Lincoln National from a "buy" rating to a "hold" rating in a report on Tuesday, July 31st. Finally, Morgan Stanley dropped their price objective on Lincoln National from $79.00 to $78.00 and set an "equal weight" rating for the company in a report on Wednesday, July 11th. Two investment analysts have rated the stock with a sell rating, eight have assigned a hold rating and six have given a buy rating to the company. The company presently has a consensus rating of "Hold" and an average target price of $81.43. +Shares of Lincoln National stock opened at $65.13 on Friday. Lincoln National Co. has a 1 year low of $61.18 and a 1 year high of $86.68. The stock has a market capitalization of $14.01 billion, a price-to-earnings ratio of 8.28 and a beta of 1.92. The company has a quick ratio of 0.19, a current ratio of 0.19 and a debt-to-equity ratio of 0.38. +Lincoln National (NYSE:LNC) last announced its quarterly earnings results on Wednesday, August 1st. The financial services provider reported $2.02 earnings per share (EPS) for the quarter, missing the consensus estimate of $2.10 by ($0.08). Lincoln National had a return on equity of 11.04% and a net margin of 13.31%. The business had revenue of $4.02 billion during the quarter, compared to the consensus estimate of $4 billion. During the same quarter last year, the company earned $1.85 earnings per share. The firm's revenue was up 12.4% compared to the same quarter last year. research analysts predict that Lincoln National Co. will post 8.33 EPS for the current fiscal year. +The firm also recently declared a quarterly dividend, which will be paid on Thursday, November 1st. Shareholders of record on Wednesday, October 10th will be issued a $0.33 dividend. The ex-dividend date of this dividend is Tuesday, October 9th. This represents a $1.32 annualized dividend and a dividend yield of 2.03%. Lincoln National's dividend payout ratio (DPR) is currently 16.94%. +Lincoln National Profile +Lincoln National Corporation, through its subsidiaries, operates multiple insurance and retirement businesses in the United States. It operates through four segments: Annuities, Retirement Plan Services, Life Insurance, and Group Protection. The company sells a range of wealth protection, accumulation, and retirement income products and solutions. +Further Reading: Dividend Stocks – Are They Right For You? +Want to see what other hedge funds are holding LNC? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Lincoln National Co. (NYSE:LNC). Receive News & Ratings for Lincoln National Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Lincoln National and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test937.txt b/input/test/Test937.txt new file mode 100644 index 0000000..b6789ae --- /dev/null +++ b/input/test/Test937.txt @@ -0,0 +1,31 @@ +BABY GRO-UP Mum claims Poundland's 'born to be spoiled' and 'future boss' baby grows are SEXIST +Jessica Fealty, 27, saw the £1.50 Pep and Co baby grows while shopping in the Stroud branch of Poundland on August 1 By John Shammas 17th August 2018, 10:06 am Updated: 17th August 2018, 10:08 am A MUM has claimed that Poundland is selling sexist baby grows because they feature the slogans "born to be spoiled" and "future boss". +Jessica Fealty, 27, saw the £1.50 Pep and Co baby grows while shopping in the Stroud branch of Poundland earlier this month. Mercury Press 5 Jessica Fealty, 27, saw the £1.50 Pep and Co baby grows while shopping in the Stroud branch of Poundland on August 1 +The white baby grows were displayed side by side with the slogan "born to be spoiled" in pink writing with a crown above it and the "future boss" written in bold black and red text. +Another pink baby grow in the shop says "I woke up this cute". +The mum-of-two claims the slogans pigeonhole boys and girls and suggest a woman's purpose is to be spoiled whereas boys are destined to be company leaders. +However a "bemused" Poundland spokesperson insists that both items can be worn by either girls or boys – and have even won praise for being so "gender neutral". Mercury Press The white baby grows were displayed side by side with the slogan 'born to be spoiled' in pink writing with a crown above it and the 'future boss' written in bold black and red text +Jessica, from Stroud, Gloucestershire, said: "It's amazing how gendered they are from such a young age. +"The ones aimed at girls read 'born to be spoiled' while the boys said 'future boss'. +"That's not a great message to send out to children. I really don't want my daughter to think her only purpose in life is to be spoiled. +"I want her to be able to do anything she wants whether that's being an athlete or a rocket scientist. I don't want my children having the idea that they can't do something because of their gender. Mercury Press 5 Jessica Fealty, 27, with her son Ziggy Fealty, three +"I think it's sending out the message that a woman's purpose is to be spoiled and men's is to be a boss. These messages they receive from a young age are building women up to think they're less than men. +"It makes me sad that retailers continue to make these clothes. I remember when I was growing up pretty much all of my clothes were practical. It was a t-shirt and jeans that could be worn by a boy or a girl. +"If you wanted a green t-shirt you just bought a green t-shirt. The 'born to be spoiled' is in pink writing with a crown which is typically associated with girls. If you ask a three or four-year-old girl to choose she would choose the pink one. +"Go into any shop and you'll see the clothes in the girl's section are pinks, purples, turquoises while in the boy's they're bold colours – blues, blacks and red. It reinforces lazy gender stereotypes from such a young age – stereotypes that we should be breaking down." Mercury Press 5 Jessica with her children Ziggy Fealty, three, and Marianne Fealty, one +The physics graduate said there's a misconception that there are boy's brains and girl's brains which restrict both genders. +Stay-at-home mum Jessica, who has two children Ziggy, three, and Marianne, one, said: "I was the only woman doing my university course because people think there are girl's brains and boy's brains. +"Boys and girls have the same brain. You can be a male rocket scientist or a female rocket scientist. There are not enough men in care roles and women in science and this is not going to help that. +"Children can be anything they want to be." +Jessica said she's sure she has her own inbuilt sexism. Mercury Press 5 Stay-at-home mum Jessica said: 'I was the only woman doing my university course because people think there are girl's brains and boy's brains' +Jessica said: "There's a lot of research saying that parents treat children differently – that subconsciously mothers will let boys cry for longer than girls from birth. +"I see it all the time when I'm out with my children – that girls are not allowed to get muddy but boys are allowed to climb trees and get dirty. It harms everybody, this idea that boys need to be strong and determined. +"We've come so far in terms of equal rights but they're still determined to stick children into boxes. Children shouldn't be pigeonholed and shouldn't be aware of gender stereotypes. +"They're the same and there's no reason why until about the age of five boys and girls can't wear the same clothes. +"Although my son cannot read he can recognise which items are aimed at boys and which are at girls. MOST READ IN NEWS Nurse and mum of two killed herself after 'bullying by NHS colleagues' 'DEATH WISH' Serial killer Joanna Dennehy 'slits her throat in suicide bid with girlfriend' PUNISH MY PUSHER Girl, 16, who was shoved off 60ft bridge by pal wants her to 'go to jail' GRIM FIND Bodies of pregnant wife & kids found at 'killer' husband's work after TV plea 'HELP! HELP!' Teen victim fled with 'intestines hanging out' after four stabbed in London ERN FOR IT Brits could get another HEATWAVE next week - but Storm Ernseto will hit first +"I'm not saying these items shouldn't be sold but I believe shops have a duty to consider the messages they're sending to young children and consider selling more gender neutral clothing." +A spokeswoman on behalf of Pep and Co and Poundland said: "We're a bit bemused – not least because our 'future boss' baby grow was praised last week online for being gender neutral. +"These don't stereotype. We know girls can be future bosses, and boys can be born to be spoiled." +Francesca Cambridge Mallen, of campaign group Let Clothes be Clothes said the items send out 'awful messages'. +She said: "The gender coding is classic, and according to multiple sources, children as young as two can spot 'for girls' opposite 'for boys' based on the specific colours, text and motifs used. +"Note the pink, crown, decorative text versus dark colours and bold shapes." Moment Poundland prize fighters batter each other with shopping baskets outside discount store in Bromley We pay for your stories! Do you have a story for The Sun Online news team? Email us at or call 0207 782 4368. You can WhatsApp us on 07810 791 502. We pay for videos too. Click here to upload yours \ No newline at end of file diff --git a/input/test/Test938.txt b/input/test/Test938.txt new file mode 100644 index 0000000..b96235e --- /dev/null +++ b/input/test/Test938.txt @@ -0,0 +1,11 @@ +Telefonica's O2 has confirmed that it is experimenting with transmitting high speed data using lightbulbs, the brainchild of an Edinburgh University professor Harald Haas. +Transmitting data over the visible part of the spectrum, VLC (pdf) , has one obvious advantage over using the congested RF spectrum. The IEEE began examining it in the 1990s, but the working group it established hasn't seen much action for a decade. What's changed is the availability of cheap LEDs. +But as Harald Professor Haas , who coined the term "Li-Fi", explained in this 2015 paper ( pdf ) - that there's plenty of work needed to turn it into viable product. But a year ago Edinburgh spinout pureLiFi was demonstrating it for real. pureLifi was co-founded by Haas, and is led by chip veterans from Wolfson and the former boss of Motorola mobile devices, Gary Weiss. +Source: Click to enlarge +It's Telefonica's O2 that seems keenest on turning it into something useful. O2 has begun tests in its Slough HQ using a nine-LED system. If successful, it should help speed up the deployment of 5G – which needs every bit of help it can get. +"Haas' group proposed an entire new and pioneering framework for cooperative, self-organising interference mitigation in cellular wireless networks based on one key invention, the 'busy burst' principle. This invention solves one of the most fundamental problems in wireless communications, namely that a new transmitter in a wireless network cannot sense the location of a vulnerable receiver (also called the hidden node problem) where a transmission would cause detrimental interference to the ongoing transmission," the University site explains. +Here's a page of Haas' latest work – and here's the Professor demonstrating the kit in June: +Youtube Video +As for other commercial uses? Disney put a TCP/IP stack in a light bulb three years ago, so you can expect toys and other merchandise to be data-enabled, using light. +What a world awaits.® . +Bonus Link O2 and Li-Fi at the GSMA's Mobile World Live site. WARNING: Very American Voiceove \ No newline at end of file diff --git a/input/test/Test939.txt b/input/test/Test939.txt new file mode 100644 index 0000000..68c548b --- /dev/null +++ b/input/test/Test939.txt @@ -0,0 +1,6 @@ +by Marc 17/Aug/2018 +World of Sports Mega Sports Expo Sale . Enjoy up to 90% Off on outdoor equipment, apparels, accessories, shoes and many more. +Brands include Mizuno, Columbia, Nike, Salomon, adidas, Cutters, RUNmax, Summer Code, Franklin Sports, PUMA, Shock Doctor, Vettex, TYR and many more +Time: 10am-10pm +Date: 17th August 2018 to 19th August 2018 +Available at: Singapore Expo Hall 6B \ No newline at end of file diff --git a/input/test/Test94.txt b/input/test/Test94.txt new file mode 100644 index 0000000..8a130d6 --- /dev/null +++ b/input/test/Test94.txt @@ -0,0 +1,11 @@ +Weapons of Mass Destruction (WMD) Further Reading +Sputnik News +17:25 16.08.2018(updated 18:13 16.08.2018) +The Barak 8 missile defense system has been co-developed by the state-owned research and development bodies, and the navies of India and Israel. The two countries have evenly split the $350 million development costs. +New Delhi (Sputnik): Israel Aerospace Industries (IAI) has garnered an order from the Israeli Navy for the Barak-8 weapons system to be fitted to four future Magen-class corvettes named Sa'ar 6. The missile system is already being widely used across the three services of the Indian armed forces. +The value of the contract, the number of missiles to be procured within the systems, and the system delivery timeline have not been disclosed. +The system is capable of defending naval vessels against several short-to-long range (70-150 km) airborne threats like incoming missiles, planes, and drones at both low and high altitudes. +"The procurement of Barak-8 System for the Sa'ar-6 corvettes will expand the operational capabilities of the Israeli Navy, including the defense of Israel's territorial and exclusive economic zone," Boaz Levi, Executive Vice President and General Manager of Systems, Missiles & Space Group, IAI said in a statement issued by the company. +The Barak-8 defense system integrates several advanced state-of-the-art systems such as digital radar, command and control, launchers, interceptors with modern RF seekers, data link, and system-wide connectivity. +Around 70% of the development of the Barak 8, an India-Israel collaborative project, was done in Israel. Nevertheless, the Indian armed forces are the major customer for the defense system. India is in the process of buying $1.1 billion worth of LRSAM for their warships and has placed even larger orders to replace the older Russian SA-6 and SA-8 land-based systems. +Š Sputnik Join the GlobalSecurity.org mailing list Enter Your Email Addres \ No newline at end of file diff --git a/input/test/Test940.txt b/input/test/Test940.txt new file mode 100644 index 0000000..b4273f5 --- /dev/null +++ b/input/test/Test940.txt @@ -0,0 +1,44 @@ +Elon Musk was at home in Los Angeles , struggling to maintain his composure. "This past year has been the most difficult and painful year of my career," he said. "It was excruciating." +The year has only gotten more intense for Mr. Musk, the chairman and chief executive of the electric-car maker Tesla, since he abruptly declared on Twitter last week that he hoped to convert the publicly traded company into a private one. The episode kicked off a furor in the markets and within Tesla itself, and he acknowledged on Thursday that he was fraying. +At multiple points in an hourlong interview with The New York Times, he choked up, noting that he nearly missed his brother's wedding this summer and spent his birthday holed up in Tesla's offices as the company raced to meet elusive production targets on a crucial new model. +Asked if the exhaustion was taking a toll on his physical health, Mr. Musk answered: "It's not been great, actually. I've had friends come by who are really concerned." +More from The New York Times: +Inside Tesla's Audacious Push to Reinvent the Way Cars Are Made A Tesla Take-Private Bid Would Be More of the Same for Silver Lake Elon Musk's Effort to Take Tesla Private to Get Board Oversight The events set in motion by Mr. Musk's tweet have ignited a federal investigation and have angered some board members, according to people familiar with the matter. Efforts are underway to find a No. 2 executive to help take some of the pressure off Mr. Musk, people briefed on the search said. And some board members have expressed concern not only about Mr. Musk's workload but also about his use of Ambien, two people familiar with the board said. +For two decades, Mr. Musk has been one of Silicon Valley's most brash and ambitious entrepreneurs, helping to found several influential technology companies. He has often carried himself with bravado, dismissing critics and relishing the spotlight that has come with his success and fortune. But in the interview, he demonstrated an extraordinary level of self-reflection and vulnerability, acknowledging that his myriad executive responsibilities are taking a steep personal toll. +In the interview, Mr. Musk provided a detailed timeline of the events leading up to the Twitter postings on Aug. 7 in which he said he was considering taking the company private at $420 a share. He asserted that he had "funding secured" for such a deal — a transaction likely to be worth well over $10 billion. +That morning, Mr. Musk woke up at home with his girlfriend, the musician known as Grimes, and had an early workout. Then he got in a Tesla Model S and drove himself to the airport. En route, Mr. Musk typed his fateful message. +Elon Musk tweet +Mr. Musk has said he saw the tweet as an attempt at transparency. He acknowledged Thursday that no one had seen or reviewed it before he posted it. +Tesla's shares soared. Investors, analysts and journalists puzzled over the tweet — published in the middle of the day's official market trading, an unusual time to release major news — including the price Mr. Musk cited. He said in the interview that he wanted to offer a roughly 20 percent premium over where the stock had been recently trading, which would have been about $419. He decided to round up to $420 — a number that has become code for marijuana in counterculture lore. +"It seemed like better karma at $420 than at $419," he said in the interview. "But I was not on weed, to be clear. Weed is not helpful for productivity. There's a reason for the word 'stoned.' You just sit there like a stone on weed." +Mr. Musk reached the airport and flew on a private plane to Nevada, where he spent the day visiting a Tesla battery plant known as the Gigafactory, including time meeting with managers and working on an assembly line. That evening, he flew to the San Francisco Bay Area, where he held Tesla meetings late into the night. +What Mr. Musk meant by "funding secured" has become an important question. Those two words helped propel Tesla's shares higher. +But that funding, it turned out, was far from secure. +Mr. Musk has said he was referring to a potential investment by Saudi Arabia's government investment fund. Mr. Musk had extensive talks with representatives of the $250 billion fund about possibly financing a transaction to take Tesla private — maybe even in a manner that would have resulted in the Saudis' owning most of the company. One of those sessions took place on July 31 at the Tesla factory in the Bay Area, according to a person familiar with the meeting. But the Saudi fund had not committed to provide any cash, two people briefed on the discussions said. +Another possibility under consideration is that SpaceX, Mr. Musk's rocket company, would help bankroll the Tesla privatization and would take an ownership stake in the carmaker, according to people familiar with the matter. +Mr. Musk's tweet kicked off a chain reaction. +An hour and 20 minutes after the tweet, with Tesla's shares up 7 percent, the Nasdaq stock exchange halted trading, and Tesla published a letter to employees from Mr. Musk explaining the rationale for possibly taking the company private. When the shares resumed trading, they continued their climb, ending the day with an 11 percent gain. +The next day, investigators in the San Francisco office of the Securities and Exchange Commission asked Tesla for explanations. Ordinarily, such material information about a public company's plans is laid out in detail after extensive internal preparation and issued through official channels. Board members, blindsided by the chief executive's market-moving statement, were angry that they had not been briefed, two people familiar with the matter said. They scrambled to cobble together a public statement trying to defuse a mounting uproar over the seemingly haphazard communication. +Mr. Musk said in the interview that board members had not complained to him about his tweet. "I don't recall getting any communications from the board at all," he said. "I definitely did not get calls from irate directors." +But shortly after the Times published its interview with Mr. Musk, he added through a Tesla spokeswoman that Antonio Gracias, Tesla's lead independent director, had indeed contacted him to discuss the Aug. 7 Twitter post, and that he had agreed not to tweet again about the possible privatization deal unless he had discussed it with the board. +Jeff Vespa | WireImage | Getty Images Tesla Motors CEO Elon Musk arrives at 'Revenge Of The Electric Car' Premiere held at Landmark Nuart Theatre on October 21, 2011 in Los Angeles, California. In the interview, Mr. Musk added that he did not regret his Twitter post — "Why would I?" — and said he had no plans to stop using the social media platform. Some board members, however, have recently told Mr. Musk that he should lay off Twitter and focus on making cars and launching rockets, according to people familiar with the matter. +The S.E.C. investigation appears to be intensifying rapidly. Just days after the agency's request for information, Tesla's board and Mr. Musk received S.E.C. subpoenas, according to a person familiar with the matter. Board members and Mr. Musk are preparing to meet with S.E.C. officials as soon as next week, the person said. +In the interview on Thursday, Mr. Musk alternated between laughter and tears. +He said he had been working up to 120 hours a week recently — echoing the reason he cited in a recent public apology to an analyst whom he had berated. In the interview, Mr. Musk said he had not taken time off of more than a week since 2001, when he was bedridden with malaria. +"There were times when I didn't leave the factory for three or four days — days when I didn't go outside," he said. "This has really come at the expense of seeing my kids. And seeing friends." +Mr. Musk stopped talking, seemingly overcome by emotion. +He turned 47 on June 28, and he said he spent the full 24 hours of his birthday at work. "All night — no friends, nothing," he said, struggling to get the words out. +Two days later, he was scheduled to be the best man at the wedding of his brother, Kimbal, in Catalonia. Mr. Musk said he flew directly there from the factory, arriving just two hours before the ceremony. Immediately afterward, he got back on the plane and returned straight to Tesla headquarters, where work on the mass-market Model 3 has been all consuming. +Mr. Musk paused again. +"I thought the worst of it was over — I thought it was," he said. "The worst is over from a Tesla operational standpoint." He continued: "But from a personal pain standpoint, the worst is yet to come." +He blamed short-sellers — investors who bet that Tesla's shares will lose value — for much of his stress. He said he was bracing for "at least a few months of extreme torture from the short-sellers, who are desperately pushing a narrative that will possibly result in Tesla's destruction." +Referring to the short-sellers, he added: "They're not dumb guys, but they're not supersmart. They're O.K. They're smartish." +Mr. Musk's tweets on Aug. 7 were the most recent of several flare-ups that had drawn scrutiny. He wrangled with short-sellers and belittled analysts for asking " boring, bonehead " questions. And after sending a team of engineers from one of his companies to help rescue members of a stranded soccer team, he lashed out at a cave diver who was dismissive of the gesture, deriding him on Twitter as a " pedo guy ," or pedophile. +To help sleep when he is not working, Mr. Musk said he sometimes takes Ambien. "It is often a choice of no sleep or Ambien," he said. +But this has worried some board members, who have noted that sometimes the drug does not put Mr. Musk to sleep but instead contributes to late-night Twitter sessions, according to a person familiar with the board's thinking. Some board members are also aware that Mr. Musk has on occasion used recreational drugs, according to people familiar with the matter. +Tesla executives have been trying for years to recruit a chief operating officer or other No. 2 executive to assume some of Mr. Musk's day-to-day responsibilities, according to people familiar with the matter. A couple of years ago, Mr. Musk said, the company approached Sheryl Sandberg, who is Facebook's second-highest executive, about the job. +Mr. Musk said that "to the best of my knowledge," there is "no active search right now." But people familiar with the matter said a search is underway, and one person said it had intensified in the wake of Mr. Musk's tweets. +In response to questions for this article, Tesla provided a statement that it attributed to its board, excluding Elon Musk. "There have been many false and irresponsible rumors in the press about the discussions of the Tesla board," the statement said. "We would like to make clear that Elon's commitment and dedication to Tesla is obvious. Over the past 15 years, Elon's leadership of the Tesla team has caused Tesla to grow from a small start-up to having hundreds of thousands of cars on the road that customers love, employing tens of thousands of people around the world, and creating significant shareholder value in the process." +Mr. Musk said he had no plans to relinquish his dual roles as chairman and chief executive. +But, he added, "if you have anyone who can do a better job, please let me know. They can have the job. Is there someone who can do the job better? They can have the reins right now." +— Andrew Ross Sorkin contributed reporting \ No newline at end of file diff --git a/input/test/Test941.txt b/input/test/Test941.txt new file mode 100644 index 0000000..be98eb3 --- /dev/null +++ b/input/test/Test941.txt @@ -0,0 +1,12 @@ +by 2015-2023 World High Purity EMD Market Research Report by Product Type, End-User (Application) and Regions (Countries) +The comprehensive analysis of Global High Purity EMD Market along with the market elements such as market drivers, market trends, challenges and restraints. The various factors which will help the buyer in studying the High Purity EMD market on competitive landscape analysis of prime manufacturers, trends, opportunities, marketing strategies analysis, Market Effect Factor Analysis and Consumer Needs by major regions, types, applications in Global market considering the past, present and future state of the industry.In addition, this report consists of the in-depth study of potential opportunities available in the market on a global level. +The report begins with a market overview and moves on to cover the growth prospects of the High Purity EMD market. The current environment of the global High Purity EMD industry and the key trends shaping the market are presented in the report. Insightful predictions for the coming few years have also been included in the report. These predictions feature important inputs from leading industry experts and take into account every statistical detail regarding the High Purity EMD market. The market is growing at a very rapid face and with rise in technological innovation, competition and M&A activities in the industry many local and regional vendors are offering specific application products for varied end-users. +Request for free sample report @ https://www.indexmarketsresearch.com/report/2015-2023-world-high-purity-emd-market/17144/#requestforsample +The statistical surveying report comprises of a meticulous study of the High Purity EMD Market along with the industry trends, size, share, growth drivers, challenges, competitive analysis, and revenue. The report also includes an analysis on the overall market competition as well as the product portfolio of major players functioning in the market. To understand the competitive scenario of the market, an analysis of the Porter's Five Forces model has also been included for the market.This market research is conducted leveraging the data sourced from the primary and secondary research team of industry professionals as well as the in-house databases. Research analysts and consultants cooperate with the key organizations of the concerned domain to verify every value of data exists in this report. +High Purity EMD industry report contains proven by regions, especially Asia-Pacific, North America, Europe, South America, Middle East & Africa, focusing top manufacturers in global market, with Production, price, revenue and market share for each manufacturer, covering following top players: Tronox, Mesa Minerals Limited, Tosoh, Mesa Minerals Limited, American Manganese Inc +Split By Product Type, With Production, Income, Value, Market Share, And Development Rate Of Each Kind Can Be Partitioned Into: <98% Purity, 98-99% Purity, >99% Purity. +Split By Application, This Report Centers Around Utilization, Market Share And Development Rate In Every Application, Can Be Categorized Into: Medium-Drain Alkaline Batteries, High-Drain Alkaline Batteries, Low-Drain Alkaline Batteries. +Key Reasons to Purchase: 1) To gain insightful analyses of the market and have comprehensive understanding of the High Purity EMD Market and its commercial landscape. 2) Assess the High Purity EMD Market production processes, major issues, and solutions to mitigate the development risk. 3) To understand the most affecting driving and restraining forces in the High Purity EMD Market and its impact in the global market. 4) Learn about the market strategies that are being adopted by leading respective organizations. 5) To understand the outlook and prospects for High Purity EMD Market. +Get 25% Discount Click here @ https://www.indexmarketsresearch.com/report/2015-2023-world-high-purity-emd-market/17144/#inquiry +Topics such as sales and sales revenue overview, production market share by product type, capacity and production overview, import, export, and consumption are covered under the development trend section of the High Purity EMD market report.Lastly, the feasibility analysis of new project investment is done in the report, which consist of a detailed SWOT analysis of the High Purity EMD market. +Get Customized report please contact \ No newline at end of file diff --git a/input/test/Test942.txt b/input/test/Test942.txt new file mode 100644 index 0000000..61e4917 --- /dev/null +++ b/input/test/Test942.txt @@ -0,0 +1,12 @@ +3M Co (MMM) Shares Sold by Barrett Asset Management LLC Stephan Jacobs | Aug 17th, 2018 +Barrett Asset Management LLC lessened its stake in 3M Co (NYSE:MMM) by 0.2% during the 2nd quarter, according to its most recent disclosure with the SEC. The institutional investor owned 162,898 shares of the conglomerate's stock after selling 325 shares during the quarter. 3M makes up about 2.2% of Barrett Asset Management LLC's investment portfolio, making the stock its 17th largest position. Barrett Asset Management LLC's holdings in 3M were worth $32,045,000 as of its most recent filing with the SEC. +Other hedge funds also recently added to or reduced their stakes in the company. Montecito Bank & Trust raised its stake in 3M by 3.8% during the second quarter. Montecito Bank & Trust now owns 6,680 shares of the conglomerate's stock valued at $1,314,000 after purchasing an additional 242 shares in the last quarter. Carnick & Kubik Group LLC raised its stake in shares of 3M by 2.0% in the first quarter. Carnick & Kubik Group LLC now owns 13,060 shares of the conglomerate's stock valued at $2,867,000 after acquiring an additional 258 shares during the period. Courier Capital LLC raised its stake in shares of 3M by 0.8% in the second quarter. Courier Capital LLC now owns 31,480 shares of the conglomerate's stock valued at $6,193,000 after acquiring an additional 259 shares during the period. Buckley Wealth Management LLC raised its stake in shares of 3M by 8.6% in the first quarter. Buckley Wealth Management LLC now owns 3,320 shares of the conglomerate's stock valued at $729,000 after acquiring an additional 263 shares during the period. Finally, Heritage Way Advisors LLC raised its stake in shares of 3M by 2.3% in the second quarter. Heritage Way Advisors LLC now owns 12,119 shares of the conglomerate's stock valued at $2,384,000 after acquiring an additional 268 shares during the period. 67.16% of the stock is currently owned by hedge funds and other institutional investors. Get 3M alerts: +NYSE MMM opened at $203.15 on Friday. The company has a current ratio of 1.56, a quick ratio of 1.08 and a debt-to-equity ratio of 1.08. The stock has a market capitalization of $118.47 billion, a PE ratio of 22.15, a P/E/G ratio of 1.91 and a beta of 1.17. 3M Co has a 12 month low of $190.57 and a 12 month high of $259.77. +3M (NYSE:MMM) last posted its quarterly earnings results on Tuesday, July 24th. The conglomerate reported $2.59 EPS for the quarter, topping the Zacks' consensus estimate of $2.58 by $0.01. The firm had revenue of $8.39 billion for the quarter, compared to analysts' expectations of $8.36 billion. 3M had a net margin of 13.44% and a return on equity of 51.31%. The business's revenue for the quarter was up 7.4% on a year-over-year basis. During the same period in the prior year, the business posted $2.58 earnings per share. equities research analysts anticipate that 3M Co will post 10.37 earnings per share for the current year. +The business also recently declared a quarterly dividend, which will be paid on Wednesday, September 12th. Stockholders of record on Friday, August 24th will be issued a $1.36 dividend. This represents a $5.44 dividend on an annualized basis and a dividend yield of 2.68%. The ex-dividend date is Thursday, August 23rd. 3M's payout ratio is presently 59.32%. +Several brokerages have recently weighed in on MMM. MED downgraded shares of 3M from a "buy" rating to a "hold" rating and set a $208.00 target price on the stock. in a research note on Thursday, July 12th. UBS Group reduced their target price on shares of 3M from $250.00 to $215.00 and set a "neutral" rating on the stock in a research note on Thursday, April 26th. Jefferies Financial Group downgraded shares of 3M from a "buy" rating to a "hold" rating and reduced their target price for the company from $259.77 to $200.00 in a research note on Wednesday, May 16th. Stifel Nicolaus reduced their target price on shares of 3M from $225.00 to $210.00 and set a "hold" rating on the stock in a research note on Wednesday, April 25th. Finally, Deutsche Bank reissued a "hold" rating and issued a $208.00 target price on shares of 3M in a research note on Thursday, July 12th. Five research analysts have rated the stock with a sell rating, six have assigned a hold rating, six have issued a buy rating and one has issued a strong buy rating to the stock. The stock has a consensus rating of "Hold" and a consensus target price of $234.03. +In other news, insider Jon T. Lindekugel sold 6,410 shares of the company's stock in a transaction dated Friday, August 10th. The shares were sold at an average price of $203.01, for a total value of $1,301,294.10. The transaction was disclosed in a legal filing with the SEC, which can be accessed through this hyperlink . Corporate insiders own 0.72% of the company's stock. +About 3M +3M Company operates as a diversified technology company worldwide. The company's Industrial segment offers tapes; coated, non-woven, and bonded abrasives; adhesives; ceramics; sealants; specialty materials; purification products; closure systems for personal hygiene products; acoustic systems products; automotive components; and abrasion-resistant films, and paint finishing and detailing products. +Featured Article: Stock Symbol +Want to see what other hedge funds are holding MMM? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for 3M Co (NYSE:MMM). Receive News & Ratings for 3M Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for 3M and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test943.txt b/input/test/Test943.txt new file mode 100644 index 0000000..0546a95 --- /dev/null +++ b/input/test/Test943.txt @@ -0,0 +1,6 @@ +Tweet +Admiral Group (LON:ADM) 's stock had its "neutral" rating reissued by stock analysts at UBS Group in a report released on Wednesday, www.digitallook.com reports. They presently have a GBX 2,050 ($26.15) price target on the stock. UBS Group's target price points to a potential downside of 0.05% from the company's previous close. +ADM has been the subject of a number of other reports. Peel Hunt lowered their price target on shares of Admiral Group from GBX 2,078 ($26.51) to GBX 2,073 ($26.44) and set an "add" rating for the company in a research report on Wednesday, April 25th. HSBC lowered their price target on shares of Admiral Group from GBX 2,045 ($26.09) to GBX 2,010 ($25.64) and set a "hold" rating for the company in a research report on Wednesday, May 9th. Shore Capital reissued an "under review" rating on shares of Admiral Group in a research report on Wednesday. Finally, Citigroup reissued a "sell" rating and set a GBX 1,720 ($21.94) price target on shares of Admiral Group in a research report on Wednesday, April 25th. Six investment analysts have rated the stock with a sell rating and five have assigned a hold rating to the stock. The stock currently has a consensus rating of "Sell" and a consensus price target of GBX 1,895.09 ($24.18). Get Admiral Group alerts: +Shares of LON ADM opened at GBX 2,051 ($26.16) on Wednesday. Admiral Group has a 1 year low of GBX 1,766 ($22.53) and a 1 year high of GBX 2,184 ($27.86). In other news, insider Annette Court acquired 1,195 shares of Admiral Group stock in a transaction on Wednesday, August 15th. The stock was acquired at an average cost of GBX 2,056 ($26.23) per share, for a total transaction of £24,569.20 ($31,342.26). +About Admiral Group +Admiral Group plc provides car insurance products primarily in the United Kingdom, Spain, Italy, France, and the United States. The company operates through four segments: UK Car Insurance, International Car Insurance, Price Comparison, and Other. It underwrites car insurance and other insurance products; offers van insurance and associated products primarily to small businesses, as well as general insurance products; and provides household insurance, and commercial vehicle insurance broking services \ No newline at end of file diff --git a/input/test/Test944.txt b/input/test/Test944.txt new file mode 100644 index 0000000..e6a25b9 --- /dev/null +++ b/input/test/Test944.txt @@ -0,0 +1,8 @@ +Tweet +Alps Advisors Inc. reduced its stake in Manhattan Associates, Inc. (NASDAQ:MANH) by 34.1% in the 2nd quarter, according to the company in its most recent filing with the SEC. The fund owned 21,806 shares of the software maker's stock after selling 11,267 shares during the quarter. Alps Advisors Inc.'s holdings in Manhattan Associates were worth $1,080,000 at the end of the most recent reporting period. +A number of other institutional investors and hedge funds also recently bought and sold shares of MANH. Old Mutual Global Investors UK Ltd. lifted its holdings in Manhattan Associates by 4,463.3% in the 1st quarter. Old Mutual Global Investors UK Ltd. now owns 871,858 shares of the software maker's stock worth $36,513,000 after purchasing an additional 852,752 shares during the last quarter. Legal & General Group Plc lifted its holdings in Manhattan Associates by 455.7% in the 1st quarter. Legal & General Group Plc now owns 375,838 shares of the software maker's stock worth $15,740,000 after purchasing an additional 308,209 shares during the last quarter. Dimensional Fund Advisors LP lifted its holdings in Manhattan Associates by 31.0% in the 1st quarter. Dimensional Fund Advisors LP now owns 1,074,707 shares of the software maker's stock worth $45,009,000 after purchasing an additional 254,159 shares during the last quarter. Russell Investments Group Ltd. lifted its holdings in Manhattan Associates by 43.2% in the 1st quarter. Russell Investments Group Ltd. now owns 824,093 shares of the software maker's stock worth $34,501,000 after purchasing an additional 248,651 shares during the last quarter. Finally, Robeco Institutional Asset Management B.V. lifted its holdings in Manhattan Associates by 723.3% in the 1st quarter. Robeco Institutional Asset Management B.V. now owns 145,457 shares of the software maker's stock worth $6,092,000 after purchasing an additional 127,789 shares during the last quarter. Get Manhattan Associates alerts: +In other news, VP Bruce Richards sold 7,740 shares of the company's stock in a transaction that occurred on Monday, August 6th. The stock was sold at an average price of $49.84, for a total transaction of $385,761.60. Following the completion of the transaction, the vice president now directly owns 20,820 shares in the company, valued at $1,037,668.80. The sale was disclosed in a filing with the SEC, which can be accessed through this link . 0.99% of the stock is owned by insiders. A number of research analysts have recently commented on MANH shares. Benchmark upgraded Manhattan Associates from a "hold" rating to a "buy" rating and set a $65.00 price target for the company in a report on Friday, June 15th. BidaskClub lowered Manhattan Associates from a "buy" rating to a "hold" rating in a report on Thursday, May 17th. ValuEngine upgraded Manhattan Associates from a "hold" rating to a "buy" rating in a report on Tuesday, July 24th. Zacks Investment Research lowered Manhattan Associates from a "hold" rating to a "sell" rating in a report on Friday, July 27th. Finally, TheStreet upgraded Manhattan Associates from a "c+" rating to a "b-" rating in a report on Friday, July 6th. One research analyst has rated the stock with a sell rating, one has assigned a hold rating, three have assigned a buy rating and one has assigned a strong buy rating to the stock. The stock presently has an average rating of "Buy" and an average target price of $60.00. +Shares of MANH stock opened at $52.75 on Friday. Manhattan Associates, Inc. has a 12 month low of $39.10 and a 12 month high of $54.21. The company has a market cap of $3.35 billion, a PE ratio of 30.67 and a beta of 1.16. +Manhattan Associates (NASDAQ:MANH) last issued its quarterly earnings results on Tuesday, July 24th. The software maker reported $0.47 EPS for the quarter, topping analysts' consensus estimates of $0.41 by $0.06. Manhattan Associates had a return on equity of 68.14% and a net margin of 18.87%. The company had revenue of $141.90 million during the quarter, compared to analyst estimates of $140.42 million. During the same period in the previous year, the company earned $0.50 earnings per share. The company's quarterly revenue was down 7.9% compared to the same quarter last year. equities research analysts anticipate that Manhattan Associates, Inc. will post 1.36 EPS for the current year. +Manhattan Associates Profile +Manhattan Associates, Inc develops, sells, deploys, services, and maintains software solutions to manage supply chains, inventory, and omni-channel operations for retailers, wholesalers, manufacturers, logistics providers, and other organizations. The company provides supply chain solutions, including distribution management, transportation management, and visibility solutions; omni-channel solutions; and inventory optimization and planning solutions \ No newline at end of file diff --git a/input/test/Test945.txt b/input/test/Test945.txt new file mode 100644 index 0000000..61a8a11 --- /dev/null +++ b/input/test/Test945.txt @@ -0,0 +1,7 @@ +Tweet +Aperio Group LLC raised its position in shares of LifePoint Health Inc (NASDAQ:LPNT) by 7.8% during the second quarter, according to its most recent Form 13F filing with the Securities & Exchange Commission. The fund owned 77,935 shares of the company's stock after acquiring an additional 5,620 shares during the period. Aperio Group LLC owned approximately 0.20% of LifePoint Health worth $3,803,000 as of its most recent filing with the Securities & Exchange Commission. +A number of other hedge funds have also recently bought and sold shares of LPNT. Chicago Equity Partners LLC bought a new position in shares of LifePoint Health in the first quarter worth about $953,000. Point72 Asset Management L.P. bought a new position in shares of LifePoint Health in the first quarter worth about $21,489,000. Profit Investment Management LLC bought a new position in shares of LifePoint Health in the second quarter worth about $2,448,000. James Investment Research Inc. bought a new position in shares of LifePoint Health in the second quarter worth about $1,778,000. Finally, American Century Companies Inc. grew its holdings in shares of LifePoint Health by 4.0% in the first quarter. American Century Companies Inc. now owns 4,387,747 shares of the company's stock worth $206,224,000 after purchasing an additional 167,157 shares during the last quarter. Get LifePoint Health alerts: +Shares of LifePoint Health stock opened at $64.50 on Friday. The company has a current ratio of 1.85, a quick ratio of 1.63 and a debt-to-equity ratio of 1.27. LifePoint Health Inc has a 1 year low of $41.45 and a 1 year high of $65.35. The stock has a market cap of $2.50 billion, a price-to-earnings ratio of 17.77, a price-to-earnings-growth ratio of 1.34 and a beta of 0.71. LifePoint Health (NASDAQ:LPNT) last issued its earnings results on Friday, July 27th. The company reported $1.27 earnings per share (EPS) for the quarter, topping the Thomson Reuters' consensus estimate of $1.08 by $0.19. LifePoint Health had a net margin of 0.65% and a return on equity of 7.04%. The company had revenue of $1.57 billion for the quarter, compared to analysts' expectations of $1.58 billion. During the same period in the prior year, the business earned $0.96 EPS. The firm's quarterly revenue was down 1.6% on a year-over-year basis. equities research analysts forecast that LifePoint Health Inc will post 4.59 earnings per share for the current fiscal year. +A number of research firms have recently commented on LPNT. BidaskClub cut shares of LifePoint Health from a "hold" rating to a "sell" rating in a report on Thursday, August 9th. Zacks Investment Research cut shares of LifePoint Health from a "hold" rating to a "sell" rating in a report on Tuesday, July 24th. Credit Suisse Group upped their price target on shares of LifePoint Health from $58.00 to $65.00 and gave the stock a "neutral" rating in a report on Tuesday, July 24th. BMO Capital Markets upped their price target on shares of LifePoint Health from $62.00 to $65.00 and gave the stock a "market perform" rating in a report on Tuesday, July 24th. Finally, Robert W. Baird cut shares of LifePoint Health from an "outperform" rating to a "neutral" rating and set a $74.00 price target on the stock. in a report on Tuesday, July 24th. Three research analysts have rated the stock with a sell rating, fifteen have assigned a hold rating and two have assigned a buy rating to the company. LifePoint Health has an average rating of "Hold" and an average target price of $58.73. +About LifePoint Health +LifePoint Health, Inc, through its subsidiaries, owns and operates community hospitals, regional health systems, physician practices, outpatient centers, and post-acute facilities in the United States. Its hospitals provide a range of medical and surgical services, such as general surgery, internal medicine, obstetrics, emergency room care, radiology, oncology, diagnostic care, coronary care, rehabilitation, and pediatric, as well as specialized services, including open-heart surgery, skilled nursing, psychiatric care, and neuro-surgery \ No newline at end of file diff --git a/input/test/Test946.txt b/input/test/Test946.txt new file mode 100644 index 0000000..5ea737b --- /dev/null +++ b/input/test/Test946.txt @@ -0,0 +1,11 @@ +Chinese renewable energy giant backs Australia's first wind technology test lab 1 2018-08-17 16:33:43 Xinhua Editor : Gu Liping ECNS +China's largest wind energy company Goldwind have partnered the University of New South Wales (UNSW) in Australia to establish the country's first ever laboratory to test renewable wind technology. +The 2 million Australian dollars (1.45 million U.S. dollars) in funding is the first stage of a memorandum of understanding signed at the UNSW China Center Inauguration in Shanghai earlier this year, which aims to bolster ongoing research between the two organisations. +"Wind power, along with photovoltaics, is the most important renewable energy for the future," world-leading power systems engineer at UNSW Professor Joe Dong said on Friday. +"Further investment from Goldwind will also fund research projects covering wind power studies, energy internet, wind turbine noise control and water processing technologies." +But while wind is very much an established technology that accounts for 33.8 percent of Australia's renewable supply and 5.7 percent of the country's overall power production, Dong said "there are still some remaining problems to be solved in efficiency, stability and frequency control." +Because Australia's energy grid requires electricity to be delivered at a frequency of exactly 50 Hz, generation can sometimes be disrupted when wind speeds change rapidly. +"Currently, we do not have a facility in Australia to test wind turbines before connecting to the grid and so we must do this in the United States or Europe, which is very expensive -- and the foreign electricity grids don't perfectly mimic the Australian system," Dong explained. +But with the new joint testing facility soon to be set up, it should make life for researchers down under much easier. +"Australia is an important market for wind power generators and this agreement with Goldwind demonstrates their commitment to partnering with internationally-renowned researchers to complement their own capability," UNSW Dean of Engineering Mark Hoffman said. +"I look forward to seeing the fruits of this partnership benefit the renewable energy industry in Australia and boost its long-term reliability for the entire community." \ No newline at end of file diff --git a/input/test/Test947.txt b/input/test/Test947.txt new file mode 100644 index 0000000..4321985 --- /dev/null +++ b/input/test/Test947.txt @@ -0,0 +1,25 @@ +Economists remain confident with PH government after 100 days Published 1 hour Zero-rated Goods and Services Tax (GST) and reintroduction of Sales and Services Tax (SST) in September is seen as the government being committed to its election promises.— Picture by Hari Anggara +KUALA LUMPUR, Aug 17 — Despite delays in fulfilling its promises, economists remain confident with the Pakatan Harapan (PH) administration led by Prime Minister Tun Dr Mahathir Mohamad who aims for a country which is corruption-free and economically vibrant. +Tomorrow marks the first 100 days of PH ruling after winning the 14th General Election (GE14) and they said that the time frame was too short to fulfil its election pledges, see changes and bring about significant reforms. +Hence, they felt that the PH government should take the opportunity to plan for the country's future direction and not only focusing on their promises made during the election. +According to Bank Islam Malaysia Bhd Chief Economist Dr Mohd Afzanizam Abdul Rashid, given the sheer size of economic uncertainties brought by external factors, it would be almost unrealistic to expect changes to happen immediately. +"Malaysian economy is very open to global conditions and at the moment, risk aversion has increasingly become more apparent. So this may impact markets and business sentiment as well as demand. +"The PH government needs to work around with the constraints that they have now such as the fiscal position and challenging economic prospects. +"However, the zero-rated Goods and Services Tax (GST) and the subsequent reintroduction of Sales and Services Tax (SST) in September suggest that the government is committed to implementing its election promises," he told Bernama. +In addition to the fuel subsidy whereby RON95 continues to remain stable, this move had also helped the people to contend with the rise in the cost of living, he said. +"Obviously this is not easy especially when dealing with the credit rating agencies, and the risks of sovereign rating downgrade is something that the government needs to acknowledge. +"So we can see that the PH government is being pragmatic in implementing their election pledges as some of it are still pending," he said. +Concurring with this view, Malaysian Institute of Economic Research Executive Director Emeritus Professor Dr Zakariah Abdul Rashid opined that the price control on RON95 (RM2.20 a litre), RON97 (RM2.65) and diesel (RM2.18), would help reduce household burden on fuel expenditure. +"It helps a bit to lower the cost of living but the long run solution is not in the policy of retaining the price of RON95 and diesel," he said. +Abolition of GST, stabilisation of fuel prices, postponement of the National Higher Education Fund Corporation's (PTPTN) loans, investigations into 1Malaysia Development Bhd, and Employees Provident Fund (EPF) contributions for housewives were among the immediate accomplishments under the PH's manifesto of 10 promises. +To recap, two months before the GE14, PH had unveiled its 60-point election manifesto that set out its policies which were divided into two broad categories — the first covering 10 promises within PH's first 100 days in government and the second which spelt out the remaining pledges with a fulfilment deadline of five years. +During question time in the Dewan Rakyat recently, Dr Mahathir gave the assurance that the government would adhere to the promises in the PH manifesto for GE14 and was committed to fulfilling them. +He also said that the focus of the government was not just on implementing the promises but also improving the government administration. +Meanwhile, when asked on whether the zero-rated GST from June to August had reduced the cost of living, Mohd Afzanizam said the effect was not really broad-based. +"Perhaps, business practices are also the main contributing factor for the rise in the cost of living. This is especially true when the Malaysians tendency to spend is quite high, and to some extent, they are just price-takers. +"So this would allow businesses to maintain or even raise their prices. Therefore, the enforcement of the existing laws such as Price Control and Anti Profiteering Act holds the key to stabilising prices," he added. +On the government's move to re-implement SST starting next month, Top Glove Corporation Bhd's Executive Chairman Tan Sri Lim Wee Chai said it seemed positive for businesses as this would eliminate the outstanding input tax refundable issue. +"SST is also more direct, simpler and easier to understand, compared with GST (for example: technical terminologies like blocked input tax, exempt supply and zero-rated supply). +"Furthermore, we understand there will be a 'My SST' website where everything will be done online, which will result in more efficiency," he said. +However, Dr Zakariah said the reinstitution of SST after a period of tax holiday would mean a fresh addition to cost. +"Certainly, it will increase goods prices in the short term because of the additional cost as sellers maintain their mark-up pricing," he pointed out. — Bernama \ No newline at end of file diff --git a/input/test/Test948.txt b/input/test/Test948.txt new file mode 100644 index 0000000..f3b45b2 --- /dev/null +++ b/input/test/Test948.txt @@ -0,0 +1,12 @@ +Bank of Hawaii Decreases Holdings in Comcast Co. (CMCSA) Donald Scott | Aug 17th, 2018 +Bank of Hawaii lessened its stake in shares of Comcast Co. (NASDAQ:CMCSA) by 63.1% during the second quarter, according to the company in its most recent disclosure with the SEC. The fund owned 11,151 shares of the cable giant's stock after selling 19,090 shares during the quarter. Bank of Hawaii's holdings in Comcast were worth $366,000 as of its most recent SEC filing. +Several other hedge funds and other institutional investors also recently bought and sold shares of the business. Hoylecohen LLC bought a new stake in shares of Comcast in the fourth quarter worth $211,000. Wasatch Advisors Inc. lifted its holdings in Comcast by 8.2% in the second quarter. Wasatch Advisors Inc. now owns 68,900 shares of the cable giant's stock valued at $2,261,000 after buying an additional 5,200 shares during the period. Adviser Investments LLC lifted its holdings in Comcast by 56.5% in the second quarter. Adviser Investments LLC now owns 17,995 shares of the cable giant's stock valued at $590,000 after buying an additional 6,500 shares during the period. Vident Investment Advisory LLC lifted its holdings in Comcast by 103.4% in the fourth quarter. Vident Investment Advisory LLC now owns 32,829 shares of the cable giant's stock valued at $1,315,000 after buying an additional 16,686 shares during the period. Finally, Security National Trust Co. lifted its holdings in Comcast by 63.3% in the first quarter. Security National Trust Co. now owns 18,004 shares of the cable giant's stock valued at $615,000 after buying an additional 6,980 shares during the period. 80.89% of the stock is currently owned by hedge funds and other institutional investors. Get Comcast alerts: +Shares of NASDAQ CMCSA opened at $35.66 on Friday. Comcast Co. has a 1-year low of $30.43 and a 1-year high of $44.00. The stock has a market cap of $162.93 billion, a PE ratio of 17.31, a P/E/G ratio of 1.23 and a beta of 1.23. The company has a current ratio of 0.96, a quick ratio of 0.96 and a debt-to-equity ratio of 0.86. +Comcast (NASDAQ:CMCSA) last announced its quarterly earnings data on Thursday, July 26th. The cable giant reported $0.65 earnings per share for the quarter, beating the consensus estimate of $0.61 by $0.04. Comcast had a net margin of 27.42% and a return on equity of 15.92%. The firm had revenue of $21.74 billion for the quarter, compared to analyst estimates of $21.85 billion. During the same quarter in the prior year, the business earned $0.52 earnings per share. The business's quarterly revenue was up 2.1% compared to the same quarter last year. equities analysts anticipate that Comcast Co. will post 2.54 EPS for the current year. +The business also recently disclosed a quarterly dividend, which will be paid on Wednesday, October 24th. Stockholders of record on Wednesday, October 3rd will be issued a dividend of $0.19 per share. The ex-dividend date of this dividend is Tuesday, October 2nd. This represents a $0.76 annualized dividend and a dividend yield of 2.13%. Comcast's dividend payout ratio is currently 36.89%. +In related news, SVP Daniel C. Murdock sold 1,694 shares of the company's stock in a transaction dated Wednesday, June 13th. The shares were sold at an average price of $31.05, for a total value of $52,598.70. The transaction was disclosed in a document filed with the SEC, which is available at this link . 1.31% of the stock is currently owned by corporate insiders. +Several research firms recently issued reports on CMCSA. Atlantic Securities upgraded shares of Comcast from a "neutral" rating to an "overweight" rating and set a $42.00 target price on the stock in a report on Monday, August 6th. Pivotal Research restated a "buy" rating on shares of Comcast in a report on Friday, August 10th. Raymond James lowered shares of Comcast from an "outperform" rating to a "market perform" rating and boosted their target price for the company from $44.00 to $63.00 in a report on Wednesday, June 13th. BidaskClub upgraded shares of Comcast from a "strong sell" rating to a "sell" rating in a report on Tuesday, April 24th. Finally, KeyCorp began coverage on shares of Comcast in a report on Wednesday, May 16th. They issued a "buy" rating and a $38.00 target price on the stock. They noted that the move was a valuation call. One research analyst has rated the stock with a sell rating, six have given a hold rating and twenty have assigned a buy rating to the company. The company presently has a consensus rating of "Buy" and a consensus price target of $45.79. +Comcast Profile +Comcast Corporation operates as a media and technology company worldwide. It operates through Cable Communications, Cable Networks, Broadcast Television, Filmed Entertainment, and Theme Parks segments. The Cable Communications segment offers video, high-speed Internet, and voice, as well as security and automation services to residential and business customers under the XFINITY brand. +Featured Story: Growth Stocks +Want to see what other hedge funds are holding CMCSA? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Comcast Co. (NASDAQ:CMCSA). Receive News & Ratings for Comcast Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Comcast and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test949.txt b/input/test/Test949.txt new file mode 100644 index 0000000..5627efb --- /dev/null +++ b/input/test/Test949.txt @@ -0,0 +1,9 @@ +National Bank Financial Weighs in on Cae Inc's Q2 2019 Earnings (CAE) Austin De'Marion on Aug 17th, 2018 Tweet +Cae Inc (NYSE:CAE) (TSE:CAE) – Investment analysts at National Bank Financial issued their Q2 2019 earnings per share estimates for shares of CAE in a research note issued on Tuesday, August 14th. National Bank Financial analyst C. Doerksen anticipates that the aerospace company will post earnings of $0.19 per share for the quarter. National Bank Financial also issued estimates for CAE's FY2019 earnings at $0.92 EPS. Get CAE alerts: +Separately, ValuEngine cut shares of CAE from a "buy" rating to a "hold" rating in a research note on Tuesday. One analyst has rated the stock with a sell rating, three have assigned a hold rating and two have assigned a buy rating to the company. CAE presently has a consensus rating of "Hold" and an average target price of $22.00. +Shares of CAE stock opened at $19.85 on Thursday. CAE has a 12-month low of $15.66 and a 12-month high of $21.70. The company has a debt-to-equity ratio of 0.51, a quick ratio of 1.28 and a current ratio of 1.56. The company has a market capitalization of $5.46 billion, a P/E ratio of 22.99, a P/E/G ratio of 2.18 and a beta of 0.74. +CAE (NYSE:CAE) (TSE:CAE) last issued its earnings results on Tuesday, August 14th. The aerospace company reported $0.26 earnings per share (EPS) for the quarter, topping the Thomson Reuters' consensus estimate of $0.20 by $0.06. CAE had a net margin of 12.30% and a return on equity of 13.53%. The company had revenue of $722.00 million for the quarter, compared to analysts' expectations of $729.04 million. During the same quarter last year, the company posted $0.22 earnings per share. The firm's quarterly revenue was up 10.0% on a year-over-year basis. +The firm also recently declared a quarterly dividend, which will be paid on Friday, September 28th. Stockholders of record on Friday, September 14th will be paid a dividend of $0.077 per share. This represents a $0.31 annualized dividend and a dividend yield of 1.55%. The ex-dividend date is Thursday, September 13th. This is a boost from CAE's previous quarterly dividend of $0.07. CAE's dividend payout ratio (DPR) is currently 32.18%. +Several institutional investors have recently modified their holdings of CAE. Fiera Capital Corp boosted its stake in shares of CAE by 1,938.1% during the 2nd quarter. Fiera Capital Corp now owns 4,544,364 shares of the aerospace company's stock worth $94,414,000 after acquiring an additional 4,321,396 shares during the last quarter. USS Investment Management Ltd boosted its stake in shares of CAE by 51.2% during the 1st quarter. USS Investment Management Ltd now owns 6,062,860 shares of the aerospace company's stock worth $114,777,000 after acquiring an additional 2,052,630 shares during the last quarter. Toronto Dominion Bank boosted its stake in shares of CAE by 66.8% during the 2nd quarter. Toronto Dominion Bank now owns 2,851,299 shares of the aerospace company's stock worth $60,122,000 after acquiring an additional 1,141,540 shares during the last quarter. Canada Pension Plan Investment Board boosted its stake in shares of CAE by 141.2% during the 2nd quarter. Canada Pension Plan Investment Board now owns 1,732,081 shares of the aerospace company's stock worth $35,960,000 after acquiring an additional 1,013,850 shares during the last quarter. Finally, CIBC World Markets Inc. boosted its stake in shares of CAE by 61.1% during the 1st quarter. CIBC World Markets Inc. now owns 1,810,762 shares of the aerospace company's stock worth $33,662,000 after acquiring an additional 686,751 shares during the last quarter. Institutional investors and hedge funds own 52.08% of the company's stock. +About CAE +CAE Inc, together with its subsidiaries, designs, manufactures, and supplies simulation equipment worldwide. It operates through three segments: Civil Aviation Training Solutions, Defence and Security, and Healthcare. The Civil Aviation Training Solutions segment provides training solutions for flight, cabin, maintenance, and ground personnel in commercial, business, and helicopter aviation; flight simulation training devices; and ab initio pilot training and crew sourcing services. Receive News & Ratings for CAE Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for CAE and related companies with MarketBeat.com's FREE daily email newsletter .  \ No newline at end of file diff --git a/input/test/Test95.txt b/input/test/Test95.txt new file mode 100644 index 0000000..c2e5ec0 --- /dev/null +++ b/input/test/Test95.txt @@ -0,0 +1,9 @@ +Tweet +Bellevue Group AG decreased its holdings in shares of Intra-Cellular Therapies Inc (NASDAQ:ITCI) by 12.2% in the 2nd quarter, according to its most recent disclosure with the Securities and Exchange Commission. The fund owned 79,900 shares of the biopharmaceutical company's stock after selling 11,100 shares during the quarter. Bellevue Group AG's holdings in Intra-Cellular Therapies were worth $1,412,000 as of its most recent SEC filing. +A number of other institutional investors and hedge funds have also made changes to their positions in the stock. Wasatch Advisors Inc. boosted its holdings in Intra-Cellular Therapies by 1.4% during the second quarter. Wasatch Advisors Inc. now owns 1,908,231 shares of the biopharmaceutical company's stock worth $33,718,000 after purchasing an additional 25,889 shares during the last quarter. PointState Capital LP acquired a new position in Intra-Cellular Therapies during the first quarter worth $39,334,000. Columbus Circle Investors boosted its holdings in Intra-Cellular Therapies by 72.2% during the first quarter. Columbus Circle Investors now owns 556,156 shares of the biopharmaceutical company's stock worth $11,707,000 after purchasing an additional 233,107 shares during the last quarter. Northern Trust Corp boosted its holdings in Intra-Cellular Therapies by 1.6% during the first quarter. Northern Trust Corp now owns 493,563 shares of the biopharmaceutical company's stock worth $10,390,000 after purchasing an additional 7,598 shares during the last quarter. Finally, Schwab Charles Investment Management Inc. boosted its holdings in Intra-Cellular Therapies by 2.9% during the first quarter. Schwab Charles Investment Management Inc. now owns 227,798 shares of the biopharmaceutical company's stock worth $4,796,000 after purchasing an additional 6,357 shares during the last quarter. Institutional investors and hedge funds own 71.56% of the company's stock. Get Intra-Cellular Therapies alerts: +Several research analysts recently commented on the stock. Canaccord Genuity set a $31.00 target price on shares of Intra-Cellular Therapies and gave the stock a "buy" rating in a report on Thursday, August 2nd. ValuEngine cut shares of Intra-Cellular Therapies from a "buy" rating to a "hold" rating in a report on Wednesday, June 27th. Zacks Investment Research upgraded shares of Intra-Cellular Therapies from a "sell" rating to a "hold" rating in a report on Tuesday, May 8th. Cantor Fitzgerald restated a "buy" rating and set a $28.00 target price on shares of Intra-Cellular Therapies in a report on Monday, July 23rd. Finally, BidaskClub cut shares of Intra-Cellular Therapies from a "hold" rating to a "sell" rating in a research note on Saturday, April 28th. Two equities research analysts have rated the stock with a hold rating and eleven have given a buy rating to the stock. Intra-Cellular Therapies currently has an average rating of "Buy" and an average price target of $28.45. Shares of ITCI stock opened at $19.57 on Friday. The firm has a market capitalization of $1.16 billion, a price-to-earnings ratio of -9.23 and a beta of 0.81. Intra-Cellular Therapies Inc has a one year low of $10.82 and a one year high of $25.82. +Intra-Cellular Therapies (NASDAQ:ITCI) last announced its quarterly earnings results on Thursday, August 2nd. The biopharmaceutical company reported ($0.68) EPS for the quarter, beating analysts' consensus estimates of ($0.76) by $0.08. Intra-Cellular Therapies had a negative net margin of 39,745.53% and a negative return on equity of 31.73%. equities research analysts expect that Intra-Cellular Therapies Inc will post -3.2 EPS for the current year. +About Intra-Cellular Therapies +Intra-Cellular Therapies, Inc, a biopharmaceutical company, engages in developing novel drugs for the treatment of neuropsychiatric and neurodegenerative diseases. The company is developing its lead drug candidate, lumateperone, known as ITI-007, for the treatment of schizophrenia, bipolar disorder, behavioral disturbances in patients with dementia, and other neuropsychiatric and neurological disorders. +See Also: Earnings Per Share (EPS) Explained +Want to see what other hedge funds are holding ITCI? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Intra-Cellular Therapies Inc (NASDAQ:ITCI). Receive News & Ratings for Intra-Cellular Therapies Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Intra-Cellular Therapies and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test950.txt b/input/test/Test950.txt new file mode 100644 index 0000000..0231114 --- /dev/null +++ b/input/test/Test950.txt @@ -0,0 +1 @@ +Press release from: TMR Research PR Agency: TMR Research Global Artificial Turf Market: SnapshotGrowth opportunities abound in the global market for artificial turf as residential and commercial property owners increasingly focus on ways of keeping lawns green even during the rising incidences of draughts across the globe. Along with providing an easy way of conserving the water otherwise spent on keeping natural grass alive, artificial grass, or artificial turf as it is often referred to, helps eliminate the need for timely maintenance, elimination in the amount of hazardous chemicals that natural grass lawns are subjected to, and are cost efficient owing to long workable life. Request Sample Copy of the Report @ www.tmrresearch.com/sample/sample?flag=B&rep_id=3173 Giving in to all these benefits, residential as well as commercial consumers are switching from natural grass to artificial turf. A number of sports complexes are also increasingly adopting artificial turf owing to their monetary and other benefits. The trend is expected to remain strong in the next few years as well and the sports application area is expected to remain the leading consumer of artificial turf over the report's forecast period.Developed economies across region such as North America and Europe are presently the leading consumers of artificial turf and also feature some of the leading vendors operating in the market across the globe. Nevertheless, in the past few years, there has been a significant rise in adoption of artificial turf across emerging economies in regions such as Asia Pacific and Middle East and Africa. In emerging markets, the sports segment remained the most promising in terms of growth opportunities in the earlier phases of expansion of the market. However now, the residential sector is also displaying a steady improvement in terms of growth opportunities.Request TOC of the Report @ www.tmrresearch.com/sample/sample?flag=T&rep_id=3173 Global Artificial Turf Market: OverviewArtificial turf has garnered much popularity over the past decades due to the powerful appeal of many of its benefits. It has become a ubiquitous part of schools, colleges, municipalities, and state government buildings. Benefits such as the need for no garnish or irrigation, easy installation, and suitability in enclosed, arched, or enclosed spaces, wherein the lack of adequate sunshine may make the maintenance of natural grass tough, work in favor of the market. The market is expected to expand in the next few years at a promising pace, owing chiefly to the rising demand across sports as well as residential complexes. With demand rising across urban settings in new infrastructural structures across emerging economies, companies operating in the market could benefit significantly from the new set of growth opportunities.However, even after some five decades of the first well-publicized use of artificial turf, there still remain questions regarding the health and environmental effects of the many constituent elements of a typical artificial turf field. The use of recycled tire as the infill material is the centre of most of these concerns. Rubber crumb, or the small granules of rubber derived from scrap tires, contain a variety of heavy metals and organic contaminants that can volatilize into the air or percolate into rainwater, thereby posing a potential risk to human health and the environment. These factors could arrest the growth of the market to a certain degree in the next few years, especially in regional markets with low awareness.Global Artificial Turf Market: SegmentationIn terms of application, the global artificial turf market can be examined for landscaping and sports applications. Of these, the segment of sports currently accounts for a massive share in the overall market and is likely to continue to remain the leading revenue contributor over the forecast period as well. Factors such as the retention of color and structure for a number of years, low cost of maintenance, and high durability lead to the increased demand for artificial turf across the sports industry. Moreover, the vast advancements seen in manufacturing technologies and the development of new, upgraded varieties of products also contribute to the increased demand for artificial turf in the sports industry.Read Comprehensive Overview of Report @ www.tmrresearch.com/artificial-turf-market Global Artificial Turf Market: Geographical and Competitive DynamicsFrom a geographical standpoint, the market for artificial turf in Europe accounts for the dominant share in the overall market, chiefly owing to the vast usage of artificial turf in a large number of sports fields in countries across the region. Sports clubs and municipalities in the region have demonstrated a massive rise in uptake of artificial turf in the recent years and the trend is expected to remain strong over the forecast period as well. In North America, concerns associated with the harmful effects of artificial turf on health of players or people who remain in close contact with the structures could hamper the growth prospects of the market to a certain extent. The market in Asia Pacific is expected to witness growth at a promising pace owing to rising demand from the infrastructure industry.Some of the leading companies operating in the market are Greenfields Turf Products, Forest Grass, Turf Solutions, NewGrass, TigerTurf Americas, HG Sports Turf, Sporturf, Easigrass, FieldTurf, DuPont, SIS Pitches, Global Syn-Turf, Avalon, Turf & Garden, CCGrass, Challenger Industries, GTR Turf, Artificial Lawn, GrassTex, and Garden Grass.About TMR Research TMR Research is a premier provider of customized market research and consulting services to business entities keen on succeeding in today's supercharged economic climate. Armed with an experienced, dedicated, and dynamic team of analysts, we are redefining the way our clients' conduct business by providing them with authoritative and trusted research studies in tune with the latest methodologies and market trends. Our savvy custom-built reports span a gamut of industries such as pharmaceuticals, chemicals and metals, food and beverages, and technology and media, among others. With actionable insights uncovered through in-depth research of the market, we try to bring about game-changing success for our clients.Contact \ No newline at end of file diff --git a/input/test/Test951.txt b/input/test/Test951.txt new file mode 100644 index 0000000..687fe5b --- /dev/null +++ b/input/test/Test951.txt @@ -0,0 +1 @@ +This week's paper Instagram 4 weeks ago by pointrobertspress Hosted by the Birch Bay Chamber of Commerce, the Birch Bay Sand Sculpture Competition took place on July 14 and 15 at 7930 Birch Bay Drive. Photos by Mathew Roland. #birchbay #washington #beach #sand #sandsculpture 2 weeks ago by pointrobertspress On July 26, developer Mike Hill, pictured, wrapped up construction of a new Starbucks location at 530 Peace Portal Drive. Have you had a chance to stop by? #starbucks #coffee #BlaineWA 2 weeks ago by pointrobertspress Seafaring folk from all around attended Drayton Harbor Days last weekend. The annual maritime festival took place on Saturday and Sunday, August 4-5, at the Blaine Harbor Boating Center, located at 235 Marine Drive. Photos by Mathew Roland. #DraytonHarborDays #MaritimeFestival #BlaineWA #Pirates 1 week ago by pointrobertspress Kids kept cool during Splash Days on August 3. The event took place at 3rd and Martin streets in Blaine and will take place again from 1-3 p.m. on Friday, August 10. Photos by Mathew Roland. #SplashDays #BlaineWA 16 hours ago by pointrobertspress The Birch Bay Chamber of Commerce hosted its annual Rollback Weekend on August 11 and 12. The event featured live music from The Replayzmentz, among other acts, a beer garden and car competitions. Photos by Mathew Roland. See more by clicking the link in our bio. #cars #classic cars #BirchBayWA #carshow #Rollback #Weekend #RollbackWeekend . Police Reports August 7, 5:44 p.m.: Theft from vehicle on 2nd Street. August 7, 8:50 p.m.:Domestic violence verbal report on 3rd Street. August 7, 10:15 p.m.: Disorderly conduct on Peace Portal Drive. August 7, 11:50 p.m.: Trespass issued on Peace Portal Drive. August 7, 11:52 p.m.:Trespass issued on Peace Portal Drive. August 8, 12:50 a.m.: Suspicious circumstances on Martin Street. August 8, 2:00 a.m.: Park violation on Ludwick Avenue. August 8, 10:40 a.m.: Homelessness on Peace Portal Drive. August 8, 5:35 p.m.: Found property on H Street. August 8, 8:42 p.m.: Disturbance on Harrison Avenue. August 8, 10:00 p.m.: Telephone harassment on H Street. August 9, 3:25 a.m.: Suspicious circumstances on Birch Court. August 9, 3:53 a.m.: DUI alcohol/traffic offense on 2nd Street. August 9, 5:35 p.m.: Property found on H street. August 9, 8:42 p.m.: Disturbance on Harrison Avenue. August 9, 8:50 a.m.: Non-reportable collision on 3rd Street. August 9, 11:04 a.m.:Animal complaints on Semiahmoo Parkway. August 9, 2:00 p.m.:Theft from a building on Semiahmoo Parkway. August 9, 12:00 p.m.: Agency assist on Skyline Drive. August 9, 4:00 p.m.:Assist agency on Stein Road. August 9, 5:49 p.m.: Physical control of vehicle/DUI on Runge Avenue. August 9, 9:00 p.m.: Third degree theft on Semiahmoo Parkway. August 9, 2:20 a.m.: Driving without a license on Peace Portal Drive. August 10, 10:42 a.m.: Harassment on Yew Avenue. August 10, 12:16 p.m.: Parking problem on Grant Avenue. August 10, 4:50 p.m.: Warrant served on H Street. August 10, 6:00 p.m.: Fraud on C Street \ No newline at end of file diff --git a/input/test/Test952.txt b/input/test/Test952.txt new file mode 100644 index 0000000..18f6d90 --- /dev/null +++ b/input/test/Test952.txt @@ -0,0 +1,15 @@ +Innovation is the key idea that is shaping corporate life, helping leaders conceive previously unimagined strategic options. Take acquisitions, as an example. Most are justified on the basis of cost and capital reduction: for example, the merger of two pharmaceutical companies and the global rationalization of overhead and operations and the savings from combining two sales forces and R&D labs. You can, however, buy earnings through acquisitions for only so long; cost-control, however necessary, is a defensive strategy. +advertisement advertisement Innovation enables you to see potential acquisitions through a different lens, looking at them not just from a cost perspective, but also as a means of accelerating profitable top-line revenue growth and enhancing capabilities. For example, the innovation capabilities of P&G were enhanced by its acquisition of Gillette. Its market-leading brands (such as Gillette, Venus, Oral B, and Duracell) are platforms for future innovations; and core technologies in blades and razors, electronics, electromechanics, and power storage strengthen the technology portfolio from which P&G can innovate in the future. +Innovation also provides an edge in being able to enter new markets faster and deeper. In large part, it is P&G's revived innovation capacity that is allowing it to make inroads into developing markets, where growth is double that in rich countries. +Innovation puts companies on the offensive. Consider how Colgate and P&G, effective serial innovators, have innovated Unilever out of the U.S. oral-care market. The company that builds a culture of innovation is on the path to growth. The company that fails to innovate is on the road to obsolescence. The U.S. domestic automakers and major companies such as Firestone, Sony, and Kodak all used to be industry leaders, even dominators. But they all fell behind as their challengers innovated them into second place (or worse). +Peter Drucker once said that the purpose of a business enterprise is "to create a customer." Nokia became number one in India by using innovation to create 200 million customers. Through observing the unique needs of Indian customers, particularly in rural villages where most of the population resides, it segmented them in new ways and put new features on handsets relevant to their unique needs. In the process, it created an entirely new value chain at price points that give the company its desired gross margin. Innovation, thus, creates customers by attracting new users and building stronger loyalty among current ones. That's a lot in itself, but the value of innovation goes well beyond that. By putting innovation at the center of the business, from top to bottom, you can improve the numbers; at the same time, you will discover a much better way of doing things — more productive, more responsive, more inclusive, even more fun. People want to be part of growth, not endless cost cutting. +A culture of innovation is fundamentally different from one that emphasizes mergers and acquisitions or cost cutting, both in theory and practice. For one thing, innovation leaders have an entirely different set of skills, temperament, and psychology. The M&A leader is a deal maker and transactionally oriented. Once one deal is done, he moves to the next. The innovation leader, while perhaps not a creative genius, is effective at evoking the skills of others needed to build an innovation culture. Collaboration is essential; failure is a regular visitor. Innovation leaders are comfortable with uncertainty and have an open mind; they are receptive to ideas from very different disciplines. They have organized innovation into a disciplined process that is replicable. And, they have the tools and skills to pinpoint and manage the risks inherent in innovation. Not everyone has these attributes. But companies cannot build a culture of innovation without cultivating people who do. +Myths of Innovation The idea of innovation has become encrusted by myth. One myth is that it is all about new products. That is not necessarily so. New products are, of course, important but not the entire picture. When innovation is at the center of a company's way of doing things, it finds ways to innovate not just in products, but also in functions, logistics, business models, and processes. A process like Dell's supply chain management, a tool like the monetization of eyeballs at Google, a method like Toyota's Global Production System, a practice like Wal-Mart's inventory management, the use of mathematics by Google to change the game of the media and communications industries, or even a concept like Starbucks's reimagining of the coffee shop — these are all game-changing innovations. So was Alfred Sloan's corporate structure that made GM the world's leading car company for decades, as was P&G's brand management model. +advertisement Another myth is that innovation is for geniuses like Chester Floyd Carlson (the inventor of photocopying) or Leonardo da Vinci: Throw some money at the oddballs in the R&D labs and hope something comes out. This is wrong. The notion that innovation occurs only when a lone genius or small team beaver away in the metaphorical (or actual) garage leads to a destructive sense of resignation; it is fatal to the creation of an innovative enterprise. +Of course, geniuses exist and, of course, they can contribute bottom-line-bending inventions (see Jobs, Steven). But companies that wait for "Eureka!" moments may well die waiting. And remember, while da Vinci designed a flying machine, it could not be built with the technology available at the time. True innovation matters for the present, not for centuries hence. Another genius, Thomas Edison, had the right idea: "Anything that won't sell, I don't want to invent. Its sale is proof of utility and utility is success," he told his associates in perhaps his most important invention — the commercial laboratory. "We can't be like those German professors who spend their whole lives studying the fuzz on a bee," he said. Generating ideas is important, but it's pointless unless there is a repeatable process in place to turn inspiration into financial performance. +Innovation is a Social Process To succeed, companies need to see innovation not as something special that only special people can do, but as something that can become routine and methodical, taking advantage of the capabilities of ordinary people, especially those deemed by Peter Drucker as knowledge workers. It is easy to put it off because you are rewarded for today's results, because the organization doesn't seem to support or value innovation, because you don't know where to find ideas, because innovation is risky, or because it is not easily measured. But these are excuses, not reasons. We have both observed and practiced innovation as a process that all leaders can use and continue to improve. It is broader, involves more people, can happen more often, and is more manageable and predictable than most people think. +But making innovation routine involves people. In real life, ideas great or good do not seamlessly work their way from silo to silo. No, from the instant someone devises a solution or a product, its journey to the market (or oblivion) is a matter of making connections, again and again. Managing these interactions is the crux of building an innovation organization. In a phrase that will recur throughout this book, innovation is a social process. And this process can only happen when people do that simple, profound thing — connect to share problems, opportunities, and learning. To put it another way, anyone can innovate, but practically no one can innovate alone. +When you as a leader understand this, you can map, systematize, manage, measure, and improve this social process to produce a steady stream of innovations — and the occasional blockbuster. Innovation is not a mystical act; it is a journey that can be plotted, and done over and over again. It takes time and steady leadership, and can require changing everything from budget and strategy to capital allocation and promotions. It definitely requires putting the customer front and center, and opening up the R&D process to outside sources, including competitors. But it can be done. +And no, belying another myth: Size doesn't matter. Innovation can happen in companies as large as P&G, Best Buy, GE, Honeywell, DuPont, and HP and as small as my father's shoe store in India. I remember vividly how we used to sit up on the roof to get a whiff of relief from the evening heat, talking about what to do better and how. When I was nine years old in 1948, we changed the game of the shoe business in Hapur, the town where we lived and our business was located. Even though we had no sophisticated understanding of branding — in fact we never used the word brand — we named a line of shoes "Mahaveer" (after my cousin) and targeted it at the "rich people" largely associated with the local grain trading exchange, the second largest in India. We persuaded manufacturers to produce a special line of shoes for this target audience and became number one in town in less than two years. The profits from this innovation funded my formal education in India. +advertisement from the book The Game Changer by A.G. Lafley and Ram Charan Published by Crown Business; April 2008 +advertisement advertisement advertisemen \ No newline at end of file diff --git a/input/test/Test953.txt b/input/test/Test953.txt new file mode 100644 index 0000000..189bf94 --- /dev/null +++ b/input/test/Test953.txt @@ -0,0 +1,17 @@ +DUBLIN- The "MVNO Business Plan 2018" report has been added to ResearchAndMarkets.com's offering. +Mobile Virtual Network Operator (MVNO) companies are launched for many different reasons, many of which have more to do with other businesses than the MVNO operation itself. +It is important to consider the strategies an MVNO will employ to exploit market opportunities. +Some questions to consider include: +Will the MVNO be a sub-brand to an existing business? Will the MVNO align with retail strategies of some other business? Will the MVNO offer discounted services compared to existing Mobile Network Operators (MNO)? Will the MVNO offer Machine-to-Machine (M2M) communications related services on a B2B basis rather than consumer services? Will the MVNO acquire data-only from the underlying MNO, relying upon messaging and voice over IP and delivered in an OTT model? Regardless of the overall MVNO strategy, executing upon a vision requires careful planning. One thing that all successful MVNOs have in common is they started with a well-developed business plan. +The MVNO Business Plan +This is a full business plan based on the launch of an illustrative MVNO known as Contendus. The plan covers all aspects of the company launch plan including market assessment, funding requirements, financial analysis, market segmentation and product differentiation. Also included is go-to-market plan, distribution and replenishment plans, comparison of MVNO's and more. The major benefit of this report is to assist in the development of an MVNO launch and to help validate existing plans. +Launching a MVNO involves a lot of careful planning and an understanding of the competitive threats and opportunities. Understanding the competitive issues and what type of MVNO to launch is key to success. A critical aspect to the success of any MVNO is its wholesale negotiations with the host mobile network operator (MNO). Accordingly, the MVNO Business Plan includes Modelling and Negotiation Strategies for Contracting with Host Mobile Network Operators. This includes rate structures of the retail minus and cost plus models, the pros and cons of each, and how to implement them. +The MVNO Business Plan also includes evaluation of wholesale incentives, the reconciliation process and also what macro and micro environmental aspects to consider when defining your negotiation strategy. Also includes is an example Service Level Agreement (SLA), modeled from real life operational MVNO SLAs, which can be customized and built upon to meet the needs of their service management requirements. +For more information about this report visit https://www.researchandmarkets.com/research/pnnc9k/mobile_virtual?w=4 +Contacts ResearchAndMarkets.com +Laura Wood, Senior Manager +press@researchandmarkets.com +For E.S.T Office Hours Call 1-917-300-0470 +For U.S./CAN Toll Free Call 1-800-526-8630 +For GMT Office Hours Call +353-1-416-8900 +Related Topics: Mobile Network \ No newline at end of file diff --git a/input/test/Test954.txt b/input/test/Test954.txt new file mode 100644 index 0000000..b4a6b87 --- /dev/null +++ b/input/test/Test954.txt @@ -0,0 +1 @@ +IMLS: National Leadership Grants for Museums Deadline : 14 December 2018 The Institute of Museum and Library Services is seeking applications for its National Leadership Grants for Museums to support projects that address critical needs of the museum field and that have the potential to advance practice in the profession so that museums can strengthen services for the American public. Characteristics Broad Impact : The project has the potential for far-reaching impact beyond the institution and for influencing practice across one or more disciplines or specific fields within the museum profession In-depth Knowledge : The proposal reflects a thorough understanding of current practice and knowledge about the subject matter and an awareness and support of current strategic initiatives and agendas in the field. Innovative Approach : The project employs novel approaches or techniques new to the project area to strengthen and improve museum services to benefit the audiences and communities being served. Collaborative Process : The project incorporates audience, stakeholders, and/or other partners to demonstrate broad need, field-wide buy-in and input, access to appropriate expertise, and sharing of resources. Shared Results : The project generates results such as models, new tools, research findings, services, practices, and/or alliances that can be widely used, adapted, scaled, or replicated to extend and leverage the benefits of federal investment. Estimated Total Program Funding : $6,500,000 Award Ceiling : $1,000,000 Award Floor : $5,000 Eligibility Criteria Applicant must be either a unit of State or local government or be a private, nonprofit organization that has tax-exempt status under the Internal Revenue Code; Applicant must be located in one of the 50 States of the United States of America, the District of Columbia, the Commonwealth of Puerto Rico, the U.S. Virgin Islands, Guam , American Samoa , the Commonwealth of the Northern Mariana Islands, the Republic of the Marshall Islands , the Federated States of Micronesia , or the Republic of Palau; and Applicant must qualify as one of the following: A museum that, using a professional staff, is organized on a permanent basis for essentially educational or aesthetic purposes; owns or uses tangible objects, either animate or inanimate; cares for these objects; and exhibits these objects to the general public on a regular basis through facilities that it owns or operates. How to Apply Applications must be submitted online via given website. For more information, please visit Grants.gov . Leave a Commen \ No newline at end of file diff --git a/input/test/Test955.txt b/input/test/Test955.txt new file mode 100644 index 0000000..24a41af --- /dev/null +++ b/input/test/Test955.txt @@ -0,0 +1,7 @@ +(Bloomberg) -- No one saw or reviewed Elon Musk's bombshell tweet before he disclosed his plan to take Tesla Inc. private, the New York Times reported, citing an hour-long interview with Musk. +Musk, Tesla's chief executive officer and chairman, typed the tweet as he drove himself to the airport on Aug. 7, the newspaper reported, citing Musk. The tweet said: "Am considering taking Tesla private at $420. Funding secured." +One funding possibility being considered for the potential privatization is for Musk's rocket company SpaceX to help bankroll the deal and take a stake in Tesla, the newspaper reported, citing people familiar with the matter. +According to the report, efforts are also under way to recruit an executive to take some pressure off Musk. A couple of years ago, Tesla approached Facebook Inc. executive Sheryl Sandberg about the job, Musk told the newspaper. +To contact the reporter on this story: Angus Whitley in Sydney at awhitley1@bloomberg.net +To contact the editors responsible for this story: Ville Heiskanen at vheiskanen@bloomberg.net, Sam Nagarajan +©2018 Bloomberg L.P \ No newline at end of file diff --git a/input/test/Test956.txt b/input/test/Test956.txt new file mode 100644 index 0000000..2b1f3a3 --- /dev/null +++ b/input/test/Test956.txt @@ -0,0 +1,24 @@ +Karen Ray and Jack Sullivan +A new coach and a whole host of quality signings may make you think about the West Ham men's team, but we are talking about the women who kick-off their new season over the weekend. +And for general manager Karen Ray these are exciting times as the team go into Sunday's League Cup clash with giants Arsenal. +"It has been very busy and it is very exciting as we get close to the start of the season," she said. +"There have been enormous changes. The new coach Matt Beard has come in and got everything organised and the new players have bonded well together. Brooke Hendrix of West Ham women +"We have a superb new facility at Rush Green exclusively for the women which is great," said Ray. "It makes the squad want to come in early and stay late and that has helped the new players to get to know everyone else. +"We have an Xbox in there so we want to make sure the men don't get in there and use it!" +Pre-season has gone well for the Hammers with a 5-0 win over Lewes last weekend competing their preparations. +"Our players have worked really hard and Matt has sorted out the defence first and now we are looking at our attack," said Ray. " Everything is ready." Leanne Kiernan of West Ham ladies +This will be a huge test for West Ham in their first season as a professional club and their first campaign against the big girls of the Women's Super League. +So how will the Hammers fair this season? +"I think it will take time for the players to get a relationship on the pitch," said Ray. +"We are under no illusions that we can't win the league, we probably won't be at our best until November or December, so if we can finish in mid-table that will be a success." +So who should we be looking out for amongst the West Ham squad? +"I think Leanne Kiernan has been great since she arrived from Ireland. She was a farmer, so I have never had calls from the press coming from farming magazines before which has been interesting. +"Brianna Visalli has been good, while I have also been impressed by Brooke Hendrix." +Things are being taken very seriously at Rush Green. They have a new fitness coach in Paul Parker and with a host of Super League and FA Cup winners among the squad, hopes are high. +"We are very grateful to the senior team for supporting us financially," said Ray. "Jack Sullivan (chief executive) has been brilliant at what he is doing with the finances, but the club have certainly backed us." +It will be a baptism of fire for the Hammers on Sunday when they begin their League Cup campaign with a trip to Boreham Wood FC to play mighty Arsenal. +"It will be a big test for us and for me as they are my old team. They are the epitome of what we want to be as a club in a couple of years," said Ray. +The first game at Rush Green will be against Lewes in the league cup on August 26, while the Super League starts on September 19 against Reading. +"We want to get as many people at Rush Green to watch us and I think they will be impressed by what they see. I think women's football is about to explode in this country," said Ray. "We are selling season tickets for £15, so hopefully we can attract over a thousand people to the games." +While there are high hopes for the men's team this season despite a tough start, with all their new players, the women are hoping to make a huge impact too. +Why not give them a go and see what they have to offer? Topic Tags \ No newline at end of file diff --git a/input/test/Test957.txt b/input/test/Test957.txt new file mode 100644 index 0000000..3ae82f2 --- /dev/null +++ b/input/test/Test957.txt @@ -0,0 +1,48 @@ +Load More +Atal Bihari Vajpayee funeral latest updates: If reports are to be believed, Prime Minister Narendra Modi and BJP chief Amit Shah are probably going to walk the entire 3.6-kilometre stretch from BJP headquarter to the Rashtriya Smriti Sthal behind the cortege along with ex-prime minister Atal Bihari Vajpayee's mortal remains. +Thousands of mourners jostled and some clambered on trees to capture the moment on their phones as former prime minister Atal Bihari Vajpayee's cortege left the BJP's headquarters for Rashtriya Smriti Sthal for the last rites of the poet-politician. +Former prime minister Atal Bihari Vajpayee's mortal remains are being take from the BJP headquarters in New Delhi to the Rashtriya Smriti Sthal for cremation. As the coffin carrying his remains is carried out of the BJP headquarters, party chief Amit Shah and Prime Minister Narendra Modi can be seen walking behind it. +The European Union said they bloc will remember Vajpayee's visionary contributions to EU-India relations. "We express our deepest sympathies on the passing away of former Prime Minister Atal Bihari Vajpayee. Our thoughts are with his family, friends and with the people of India," it said in a tweet. +The cremation of veteran BJP leader and three time prime minister Atal Bihari Vajpayee will take place at Smriti Sthal near Rajghat in Delhi on Friday. +Senior BJP leaders such as Assam chief minister Sarbananda Sonowal, Manipur chief minister N Biren Singh, Uttar Pradesh chief minister Yogi Adityanath and Governor Ram Naik gathered at the saffron party headquarters to pay their last respects to former prime minister Atal Bihari Vajpayee. +A host of foreign dignitaries including foreign ministers of Nepal and Bangladesh will attend former prime minister Atal Bihari Vajpayee's funeral on Friday. Bhutan King Jigme Khesar Namgyal Wangchuk has already reached New Delhi. The Sri Lankan government announced country's acting foreign affairs minister Lakshman Kiriella will be attending the funeral. +The senior leadership of the BJP — Narendra Modi, Amit Shah and Rajnath Singh — paid their respects to Atal Bihari Vajpayee at the party headquarters. The last remains of Vajpayee will be taken to Rashtriya Smriti Sthal at 4 pm. +After the last rites of former prime minister Atal Bihari Vajpayee are conducted, authorities reportedly plan to construct a memorial for the BJP veteran near Raj Ghat. An MCD official told News18 , that following an inspection of the site, plans for a memorial have been finalised. Prime Minister Narendra Modi lays a wreath on the mortal remains of former prime minister Atal Bihari Vajpayee as he pays last respects at BJP headquarters. PTI +Penning an eulogy to BJP stalwart Atal Bihari Vajpayee, Prime Minister Narendra Modi called him the nation's 'moral compass' and 'guiding spirit'. "In times of turbulence and disruption, a nation is blessed to have a leader who rises to become its moral compass and guiding spirit, providing vision, cohesion and direction to his people. And, in such a moment at the turn of the century, India found one in Atal Bihari Vajpayee, who was gifted in spirit, heart and mind," he wrote. +The Supreme Court of India and the Registry will observe a half-day holiday on Friday to mark the demise of former prime minister Atal Bihari Vajpayee. Meanwhile, Prime Minister Narendra Modi reached the BJP headquarters in New Delhi ahead of the convoy carrying Vajpayee's mortal remains' arrival. +Former prime minister Atal Bihari Vajpayee's mortal remains are being moved in a flower-decorated truck to the BJP headquarters at Deendayal Upadhyay Marg in New Delhi. They will remain there till 1 pm, after which the final funeral procession to the cremation ground on the banks of river Yamuna will take place. +Over five lakh people are expected to attend late prime minister Atal Bihari Vajpayee's funeral on Friday, including VVIPs, politicians and dignitaries at the BJP headquarters and the Rashtriya Smriti Sthal. +On Friday morning, hundreds of people gathered outside Atal Bihari Vajpayee's New Delhi residence to pay their last respects to the former prime minister. His body has been kept at his home for public viewing from 7.30 am to 8.30 am. +Atal Bihari Vajpayee's former private secretary Shakti Sinha wrote in the Hindustan Times about his experience working with the late prime minister closely. "Vajpayee was an uncompromising patriot, with a strong sense of his Hinduness, which was cultural and civilisational. That meant that the primary loyalty citizens was to the country." +Central Delhi has been placed under heavy security due to Atal Bihari Vajpayee's funeral procession that will take place on Friday. More than 20,000 security personnel have been deployed and Independence Day security arrangement has been extended as well. +Veteran leader Atal Bihari Vajpayee's body has been kept at his official residence: 6A Krishna Menon Marg. People can pay homage to the late prime minister at his home between 7.30 am and 8.30 am on Friday. +The funeral procession for former prime minister Atal Bihari Vajpayee will leave the BJP headquarters at 1 pm and the last rites performed at the Rashtriya Smriti Sthal at 4 pm on Friday. The Smriti Sthal is a common memorial site, located between Jawaharlal Nehru's memorial 'Shanti Van' and Lal Bahadur Shahstri's 'Vijay Ghat'. Vajpayee's last rites will be performed on a raised platform, surrounded by greenery. +Keeping in mind the final procession of former prime minister Atal Bihari Vajpayee on Friday, the Delhi Police has issued a traffic advisory for the National Capital. Almost all roads leading to central Delhi including Krishna Memon Marg, Akbar Road, Janpath and India Gate C-Hexagon, among others, will remain closed from 8 am onwards for the general public today in order to ensure smooth vehicular movement during Vajpayee's final journey. +Leaving boundaries of their respective parties, political leaders on Thursday bid an emotional goodbye to former prime minister Atal Bihari Vajpayee describing him as a visionary statesman with acceptability across a diverse ideological spectrum, a gentle giant and a consensus seeker. +Vajpayee, who was 93, died at AIIMS on Thursday evening after a prolonged illness. Several leaders saw a personal loss in death of Vajpayee, one of India's most respected leaders who led the nation through several crises and held together a tenuous coalition with his inclusive politics. +Prime Minister Narendra Modi described Vajpayee as a "father figure" who taught him valuable aspects about Sangathan (organisation) and Shaasan (administration)." In a brief televised address, Modi said Vajpayee used to hug him with affection whenever they met. +Veteran BJP leader LK Advani, who along with Vajpayee was a central figure in the party for much of its existence, described the former prime minister as one of the country's tallest statesmen and his closest friend for over 65 years whom he will miss immensely. Leaders pay tributes to former prime minister Atal Bihari Vajpayee, at his Krishna Menon Marg residence, in New Delhi. PTI +President Ram Nath Kovind said the "gentle giant" will be missed by one and all. Former prime minister Manmohan Singh said Vajpayee was a great patriot and among modern India's tallest leaders who spent his whole life serving the country. +Former president Pranab Mukherjee said India had lost a great son and an era has come to an end, as he described the BJP stalwart as a reasoned critique in the opposition, who dominated the space like a titan, and a seeker of consensus as prime minister. +Describing him as a democrat to the core, Mukherjee, in a letter to Vajpayee's adopted daughter Namita Kaul Bhattacharya, said the former prime minister led the government with aplomb and was an inheritor and practitioner of the best traditions and qualities of leadership. +Congress president Rahul Gandhi said India has lost "a great son" who was loved and respected by millions. Several of his own party leaders also said Vajpayee was an inspiration to millions, an intense speaker and a true diplomat. +BJP chief Amit Shah said Vajpayee nursed the party from its inception to make it a banyan tree and left an indelible mark in Indian politics. +The party would work to fulfil the mission he has left behind, Shah told reporters. +West Bengal chief minister Mamata Banerjee said Vajpayee would always listen to his alliance partners as that was his style of working. The Trinamool leader flew to Delhi from Kolkata on Thursday evening and spent an hour at Vajpayee's residence to pay her last respects to the leader, under whom she had served as a union minister. +Union minister Jitendra Singh said even non-BJP supporters would listen to Vajpayee in public rallies just to pick up speaking skills from his oratory. +Singh, minister of state in the prime minister's office, said, "We grew up listening to him, learning from him, inspired by him. There was no electronic media those days, but many of our college-mates, who did not subscribe to our ideology, would come over to his rallies, just to pick up speaking skills from his oratory," Singh told PTI . +Union minister Harsh Vardhan said he has lost his "mentor and guide" who hand-held him into politics. +He said the Indian scientific community would ever be grateful to Vajpayee who he expanded the ' Jai Jawan, Jai Kisan ' slogan to include ' Jai Vigyan ' after the Pokhran nuclear test and his courageous decision to go for the second nuclear test was the beginning of an India to reckon with. +Paying tribute to Vajpayee, Union minister Nitin Gadkari said his government is trying to follow the path shown by the former prime minister. +Veteran leader Sharad Yadav said Vajpayee was a great human being whose qualities cannot be explained in words, besides being "a great poet, leader, Parliamentarian and an able Administrator." +Lok Sabha speaker Sumitra Mahajan said Vajpayee's affectionate nature was unique to him. "He was crafted by the god with special care," she said. +Leader of Opposition in Rajya Sabha Ghulam Nabi Azad said he was deeply saddened by the sad demise of Vajpayee who was a great human being and a true statesman. "He never hesitated in giving full credit to his Opposition party leaders whenever due," he said. +Lok Janshakti Party chief Ram Vilas Paswan said many people are known by the post, but the post of prime minister was very small in front of Vajpayee. +"He was a great politician, intense speaker, a true diplomat, having clarity in thinking, warrior of social justice and a great nationalist," Paswan tweeted. +Senior Congress leader Anand Sharma said, "It is a great loss to the country. It was a joy to listen to Atal ji. He cut across ideology, he was a person who had compassion and his belief to take India together is to be remembered. India has become poor in his loss. He has left a deep imprint." +Maharashtra chief minister Devendra Fadnavis described the death as his personal loss and Vajpayee encouraged and taught everyone to serve the last man with the weapon of democracy. +Odisha chief minister Naveen Patnaik said,"India has lost the tallest leader." +Madhya Pradesh chief minister Shivraj Singh Chouhan said, "It's an end of an era of Indian politics. He wasn't among those to lose battle. He was a fighter," he said. +Andhra Pradesh chief minister N Chandra Babu Naidu and former Uttar Pradesh chief minister Akhilesh Yadav also offered their condolences. +With inputs from PTI +Updated Date: Aug 17, 2018 15:01 PM Tags : #AIIMS #Atal Bihari Vajpayee #Atal Bihari Vajpayee Death #Atal Bihari Vajpayee Funeral #Atal Bihari Vajpayee LIVE #BJP #LK Advani #New Delhi #NewsTracker #Prime Minister Narendra Modi #Rashtriya Smriti Sthal Also Se \ No newline at end of file diff --git a/input/test/Test958.txt b/input/test/Test958.txt new file mode 100644 index 0000000..56aaa3e --- /dev/null +++ b/input/test/Test958.txt @@ -0,0 +1,14 @@ +(Bloomberg Opinion) -- As Saudi Arabia raises the stakes in its dispute with Canada, the economic fallout could worsen an already serious issue for the kingdom: capital flight. Trade between the two countries is small, valued at roughly $4 billion, but the diplomatic dust-up has heightened the sense of risk in the Saudi investment climate, and is certain to scare even more capital away. +According to research by JPMorgan, capital outflows of residents in Saudi Arabia are projected at $65 billion in 2018, or 8.4 percent of GDP. This is less than the $80 billion lost in 2017, but a sign of a continued bleed. Significantly, the projection was made before the contretemps with Canada. According to research by Standard Chartered, the first quarter of 2018 saw $14.4 billion in outward portfolio investment into foreign equities, the largest surge since 2008. There are concerns that the government is leaning on banks and asset managers to discourage outflows, a kind of informal capital-control regime. +This flight signals the dimming of the optimism surrounding Crown Prince Mohammed bin Salman's Vision 2030 economic plan. Many of the institutional reforms outlined in the plan — designed to diversify the Saudi economy, attract foreign investment and create jobs — are needed to liberalize the state-led, resource-dependent economy. Investors had hoped Riyadh would follow through on economic reforms, but have been disheartened by such high-profile actions as the arrest of prominent businessmen last year, and a recent campaign to silence critics, especially women activists. These measures — add to them now the spat with Canada — indicate that the state favors regime stability and consolidation over the rule of law, and the creation of institutions and regulations that can check the state. +Whatever the political compulsions behind these actions, they have done little to address the fundamental problem of the Saudi economy — that it is captive to, and reliant on, the state. For private-sector growth to take place, capital needs to feel safe, and investors need legal guarantees to protect them. But this has not happened. Instead, the business cycle continues to be fueled by government project-spending tied to oil revenues: Government deposits appear in local banks, then loans go out to favored private-sector contractors. Business activity ebbs and flows with the boom-and-bust cycle of oil revenues. +It is striking that the capital flight is taking place despite a recent recovery in global oil prices. The Saudi current account will be supported by $224 billion in hydrocarbon exports in 2018, a massive jump from $170 billion last year. But this is apparently insufficient to reassure investors, who have noted the absence of a corresponding jump in foreign reserve assets. Nor has it escaped their attention that the new revenue stream is not cushioning the expansionary fiscal policy, which continues to run a deficit. +All this adds up to a dismal, and familiar picture: Government spending is accelerating, growth is slow, private investors are scared, and productivity is abysmal — especially as the labor market continues to shrink from departing foreign workers, and businesses struggle to accommodate mandated hiring of Saudi citizens at higher wages. The government's response so far has been to keep borrowing, and to pay for the stimulus with debt-financing. It is doing some interesting accounting between state-owned entities, like Aramco and SABIC, to raise cash for the sovereign fund, known as the Public Investment Fund, enabling continued spending. +While efforts at privatization and encouraging private-sector investment have lagged, government spending continues to focus on large, state-funded development and infrastructure projects, where the money sinks in the sand. That seems to be the destiny of the latest white elephant: Neom, a $500 billion project to develop 10,000 square miles in the northwestern corner of Saudi Arabia, on the shores of the Red Sea. It is far from major population centers, where people are looking for work, and there is a mismatch between planned high-tech industrial projects and the Saudi labor force's available skill set. The only jobs Neom is currently creating are in low-wage construction for foreigners, of whom there are now fewer, as many are leaving due to increasing visa fees and cost of living. +This is quintessential old-school Saudi economic management, and a long way from the spirit of the Crown Prince's reform plan. Add to this Riyadh's evident distraction with non-economic matters — ranging from the war in Yemen and the blockade of Qatar, to the arrest of activists and the campaign against Canada — and it's hard to fault investors for concluding that the government is struggling to meet its Vision 2030 goals, and for sending their money elsewhere. +How to reverse the flow? There are good regulatory reforms in process in Saudi Arabia, including a new bankruptcy law and a privatization draft law. There are new openings for foreigners to buy shares on the local stock exchange and to become 100 percent owners of businesses in key sectors like engineering. In the opening of the entertainment market, there is clearly room to grow and investment opportunity should abound. +But the state needs to get out of the way. It cannot spend its way to prosperity, especially using the old techniques of project-based investment in large real-estate and infrastructure plans. Moreover, the prized assets of the state, like Aramco and SABIC, should not be used as cash cows to feed the experiments of the PIF's outward investment strategies. Most important, the government needs to demonstrate that it is prioritizing economic reforms, rather than being distracted by domestic politics and foreign-policy missteps. +To contact the author of this story: Karen E. Young at karen.young@agsiw.org +To contact the editor responsible for this story: Bobby Ghosh at aghosh73@bloomberg.net +This column does not necessarily reflect the opinion of the editorial board or Bloomberg LP and its owners. +Karen E. Young is a senior resident scholar at the Arab Gulf States Institute in Washington \ No newline at end of file diff --git a/input/test/Test959.txt b/input/test/Test959.txt new file mode 100644 index 0000000..5488a84 --- /dev/null +++ b/input/test/Test959.txt @@ -0,0 +1 @@ +EBRD to Fund 30 MW Solar Project in Kazakhstan By Infrabuddy on August 17, 2018 EBRD to Fund 30 MW Solar Project in Kazakhstan. The Kazakhstan's 30MW solar project to be constructed in the Kyzylorda region of Southern Kazakhstan involving an investment of KZT17.1 billion (US$47.3 million), the European Bank for Reconstruction and Development (EBRD) is considering to provide loan of EUR 31 million (USD 35.3m) for the project. EBRD to Fund 30 MW Solar Project in Kazakhstan The Solar project will help to reduce the southern region's dependence on electricity import from elsewhere – particularly coal-fired power plants in the North – and reduce associated transmission losses. EBRD to Fund 30 MW Solar Project in Kazakhstan. The plant will have 120,862 Canadian Solar multicrystalline modules with dual-axis trackers. They will be connected to 12 Sungrow SG2500 HV-MV (1.5kV) inverters. The main HV substation with one 220/34.5kV transformer will be connected to the 220kV national network powerline with a 500m long line. Around 150-200 staff will be onsite for the plant's construction. Nomad Solar LLP, a Kazakh based company owned by French renewable developer Total Eren and Access Infra Central Asia Ltd., a special purpose entity, has been established to implement the project. The project will be part of the Kazakhstan Renewables Framework, for which the Green Climate Fund (GCF) approved the allocation of up to US$110 million in October 2017. The EBRD noted that the solar project will demonstrate the viability of project finance structures that are still scarce in the Kazakh market. It is the first involvement of Total Eren and Access Infra in Kazakhstan and is seen to promote foreign investment in the country's renewables market. Chinese PV panel manufacturer Risen Energy signed a mandate letter with the EBRD for financing for a 63MW PV project in Kazakhstan in May 2018. The construction of the PV park is seen to help offset around 49,000 tonnes of carbon dioxide (CO2) emissions and lower reliance on power imports and related transmission losses. Read mor \ No newline at end of file diff --git a/input/test/Test96.txt b/input/test/Test96.txt new file mode 100644 index 0000000..06f9e69 --- /dev/null +++ b/input/test/Test96.txt @@ -0,0 +1,11 @@ +Tweet +Cornerstone Wealth Management LLC acquired a new stake in shares of Brunswick Co. (NYSE:BC) during the second quarter, HoldingsChannel.com reports. The firm acquired 10,543 shares of the company's stock, valued at approximately $158,000. +Several other hedge funds and other institutional investors also recently bought and sold shares of the stock. Zurcher Kantonalbank Zurich Cantonalbank increased its stake in shares of Brunswick by 18.1% during the first quarter. Zurcher Kantonalbank Zurich Cantonalbank now owns 5,618 shares of the company's stock valued at $334,000 after acquiring an additional 861 shares during the period. Amalgamated Bank increased its stake in shares of Brunswick by 5.1% during the first quarter. Amalgamated Bank now owns 19,191 shares of the company's stock valued at $1,140,000 after acquiring an additional 934 shares during the period. State of Alaska Department of Revenue increased its stake in shares of Brunswick by 11.5% during the second quarter. State of Alaska Department of Revenue now owns 9,090 shares of the company's stock valued at $585,000 after acquiring an additional 940 shares during the period. Fernwood Investment Management LLC increased its stake in shares of Brunswick by 10.3% during the first quarter. Fernwood Investment Management LLC now owns 12,800 shares of the company's stock valued at $760,000 after acquiring an additional 1,200 shares during the period. Finally, Tdam USA Inc. increased its stake in shares of Brunswick by 6.4% during the first quarter. Tdam USA Inc. now owns 29,933 shares of the company's stock valued at $1,778,000 after acquiring an additional 1,808 shares during the period. Institutional investors and hedge funds own 95.87% of the company's stock. Get Brunswick alerts: +In related news, insider William Metzger sold 13,530 shares of the firm's stock in a transaction that occurred on Tuesday, June 5th. The shares were sold at an average price of $67.42, for a total value of $912,192.60. The transaction was disclosed in a document filed with the Securities & Exchange Commission, which is accessible through this link . Also, Chairman Mark D. Schwabero sold 15,237 shares of the firm's stock in a transaction that occurred on Tuesday, June 5th. The stock was sold at an average price of $67.45, for a total transaction of $1,027,735.65. Following the completion of the transaction, the chairman now directly owns 307,614 shares of the company's stock, valued at approximately $20,748,564.30. The disclosure for this sale can be found here . Insiders sold a total of 45,029 shares of company stock valued at $2,973,216 in the last ninety days. Company insiders own 1.00% of the company's stock. Brunswick stock opened at $63.77 on Friday. The company has a current ratio of 1.70, a quick ratio of 0.96 and a debt-to-equity ratio of 0.29. The company has a market capitalization of $5.46 billion, a price-to-earnings ratio of 16.39, a price-to-earnings-growth ratio of 1.11 and a beta of 1.71. Brunswick Co. has a 1 year low of $48.04 and a 1 year high of $69.60. +Brunswick (NYSE:BC) last posted its quarterly earnings results on Thursday, July 26th. The company reported $1.50 earnings per share (EPS) for the quarter, missing the Thomson Reuters' consensus estimate of $1.55 by ($0.05). The business had revenue of $1.40 billion during the quarter, compared to analyst estimates of $1.35 billion. Brunswick had a return on equity of 24.14% and a net margin of 2.38%. The company's quarterly revenue was up 3.6% compared to the same quarter last year. During the same quarter last year, the firm posted $1.35 EPS. sell-side analysts predict that Brunswick Co. will post 4.63 earnings per share for the current year. +The firm also recently declared a quarterly dividend, which will be paid on Friday, September 14th. Shareholders of record on Tuesday, August 21st will be given a $0.19 dividend. The ex-dividend date is Monday, August 20th. This represents a $0.76 annualized dividend and a yield of 1.19%. Brunswick's dividend payout ratio (DPR) is 4.88%. +A number of research analysts recently commented on the stock. KeyCorp raised their price objective on shares of Brunswick from $75.00 to $77.00 and gave the company an "overweight" rating in a research note on Friday, July 27th. Wedbush raised their price objective on shares of Brunswick from $70.00 to $77.00 and gave the company an "outperform" rating in a research note on Monday. They noted that the move was a valuation call. Jefferies Financial Group reiterated a "hold" rating and set a $60.00 price objective on shares of Brunswick in a research note on Friday, July 27th. Citigroup raised their price objective on shares of Brunswick from $69.00 to $81.00 and gave the company a "buy" rating in a research note on Thursday, June 14th. Finally, ValuEngine upgraded shares of Brunswick from a "hold" rating to a "buy" rating in a research report on Tuesday, May 1st. Three research analysts have rated the stock with a hold rating and fourteen have assigned a buy rating to the company's stock. The stock currently has an average rating of "Buy" and a consensus target price of $73.47. +Brunswick Profile +Brunswick Corporation designs, manufactures, and markets recreation products worldwide. The company's Marine Engine segment offers outboard, sterndrive, and inboard engine and propulsion systems; marine electronics and control integration systems, steering systems, instruments, controls, propellers, trolling motors, fuel systems, service parts, and lubricants; and diesel propulsion systems to the recreational and commercial marine markets. +See Also: Fundamental Analysis +Want to see what other hedge funds are holding BC? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Brunswick Co. (NYSE:BC). Receive News & Ratings for Brunswick Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Brunswick and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test960.txt b/input/test/Test960.txt new file mode 100644 index 0000000..90244cb --- /dev/null +++ b/input/test/Test960.txt @@ -0,0 +1,8 @@ +AJ + AR + WAF +1-9 subscriptions This subscription package has been designed to help architects thrive in the workplace by providing them with their essential 5 a day - news, buildings, business, culture and opinion. Subscribe +10+ Subscriptions Make sure your staff stay informed and remain competitive by giving them access to crucial news, insight, opinion and debate on the issues everyone is talking about. Available for 10+ users. You are here: News Hopkins wins design contest for Exeter University research centre 17 August, 2018 By Merlin Fulcher Full screen +Hopkins Architects has won a design competition for a new learning and research centre at the University of Exeter +The practice – working with AECOM – was chosen ahead of bids by WilkinsonEyre, Hawkins\\Brown, John McAslan + Partners and Stride Treglown. +The North Park Project will deliver a new flexible building on the university's Streatham Campus, hosting its institutes of astrophysics, global Sciences, data science and artificial intelligence. It is scheduled to complete in 2022. +The scheme is Hopkins Architects' first in Exeter and the university's largest built environment project in more than a decade. +Hawkins\\Brown completed a new £30 million science faculty for the university – known as the Living Systems Building – earlier this year. WilkinsonEyre also completed a landmark new £48 million student hub on the campus, known as The Forum , five years ago. Tag \ No newline at end of file diff --git a/input/test/Test961.txt b/input/test/Test961.txt new file mode 100644 index 0000000..e61b4a8 --- /dev/null +++ b/input/test/Test961.txt @@ -0,0 +1,33 @@ +Temper Tuesdays: DOJ, Mueller, Sessions face Trump's wrath Bollywood mourns passing away of Vajpayee +New Delhi [India], Aug 17 (ANI): Bollywood celebrities have expressed their heartfelt condolences over the demise of former Indian prime minister Atal Bihari Vajpayee. +Praising Vajpayee's openness and his skills as an orator and poet, celebrities like Amitabh Bachchan, Javed Akhtar , Shah Rukh Khan, Rajinikanth, Priyanka Chopra, Madhur Bhandarkar, and Paresh Rawal paid their tributes minutes after Vajpayee's death was announced. +Poet and song writer Javed Akhtar said that it's is rare that a politician is respected across party lines. "People with different ideology have also come as they love him because he used to love all," he said. +Film maker Madhur Bhandarkar remembered the former Prime Minister for his inspiring poetry, speeches and oratorship and said, "The void of his absence can never be filled by anyone in Indian politics, he was a role model for many." +The Badshah of Bollywood Shah Rukh Khan took to his official Twitter handle and penned down a heartfelt message for Vajpayeeji. The King Khan said that he considers himself lucky to have got the opportunity to meet him and have had Vajpayee's influence during his growing-up years. +"My father used to take me for every speech that Vajpayee made in Delhi when I was growing up. Years on I had the opportunity to meet him and spend lots of time discussing poetry, films, politics and our ailing knees. I also had the privilege of enacting one of his poems for the screen. He was fondly addressed as 'Baapji' at home. Today the country has lost a Father Figure and a great leader," he wrote. +srkletter_aug17 +Reciting one of his poems, veteran actor Anupam Kher posted a video of himself thanking Vajpayee for his life lessons. +"I'm saddened to hear the demise of a great statesman Shri.Vajpayee ji. May his soul Rest In Peace," wrote superstar Rajinikanth. +Actor and politician Paresh Rawal also took to Twitter and wrote, "He had no enemy in politics because he believed that in politics there are no enemies...only opposition! RIP- Atal Ji. Aum Shanti." +"Former Prime Minister Shri AtalBihariVajpayee's visionary ideas and contributions for India were truly remarkable. The nation will always remember... RIP. My thoughts and condolences to the family," tweeted global icon Priyanka Chopra. +Other celebrities like Vivek Oberoi, Dhanush, Boman Irani and Randeep Hooda also mourned the demise of the former prime minister. +Bollywood actor Annu Kapoor, while talking to media, referred Vajpayee as the 'son of the Indian Motherland'. He added,"His memories will live forever and his life was an inspiration." +The 93-year-old BJP veteran breathed his last at 5:05 pm on Thursday, at Delhi's All India Institutes of Medical Science (AIIMS) following a prolonged illness. +Vajpayee, the 10th prime minister of India who passed away on Thursday evening, will be cremated on Friday with full state honour. The mortal remains of the former prime minister which is presently resting at his Krishna Menon Marg home will be taken to the Bharatiya Janata Party (BJP) headquarters at around 9 a.m. Vajpayee's funeral procession will take place at Smriti Sthal at 1:30 pm. +Vajpayee, who led the National Democratic Alliance government from 1998 to 2004, was the first-ever member of the BJP to become India's Prime Minister. (ANI) Bollywood mourns passing away of Vajpayee Bollywood mourns passing away of Vajpayee ANI 17th August 2018, 18:18 GMT+10 +New Delhi [India], Aug 17 (ANI): Bollywood celebrities have expressed their heartfelt condolences over the demise of former Indian prime minister Atal Bihari Vajpayee. +Praising Vajpayee's openness and his skills as an orator and poet, celebrities like Amitabh Bachchan, Javed Akhtar , Shah Rukh Khan, Rajinikanth, Priyanka Chopra, Madhur Bhandarkar, and Paresh Rawal paid their tributes minutes after Vajpayee's death was announced. +Poet and song writer Javed Akhtar said that it's is rare that a politician is respected across party lines. "People with different ideology have also come as they love him because he used to love all," he said. +Film maker Madhur Bhandarkar remembered the former Prime Minister for his inspiring poetry, speeches and oratorship and said, "The void of his absence can never be filled by anyone in Indian politics, he was a role model for many." +The Badshah of Bollywood Shah Rukh Khan took to his official Twitter handle and penned down a heartfelt message for Vajpayeeji. The King Khan said that he considers himself lucky to have got the opportunity to meet him and have had Vajpayee's influence during his growing-up years. +"My father used to take me for every speech that Vajpayee made in Delhi when I was growing up. Years on I had the opportunity to meet him and spend lots of time discussing poetry, films, politics and our ailing knees. I also had the privilege of enacting one of his poems for the screen. He was fondly addressed as 'Baapji' at home. Today the country has lost a Father Figure and a great leader," he wrote. +srkletter_aug17 +Reciting one of his poems, veteran actor Anupam Kher posted a video of himself thanking Vajpayee for his life lessons. +"I'm saddened to hear the demise of a great statesman Shri.Vajpayee ji. May his soul Rest In Peace," wrote superstar Rajinikanth. +Actor and politician Paresh Rawal also took to Twitter and wrote, "He had no enemy in politics because he believed that in politics there are no enemies...only opposition! RIP- Atal Ji. Aum Shanti." +"Former Prime Minister Shri AtalBihariVajpayee's visionary ideas and contributions for India were truly remarkable. The nation will always remember... RIP. My thoughts and condolences to the family," tweeted global icon Priyanka Chopra. +Other celebrities like Vivek Oberoi, Dhanush, Boman Irani and Randeep Hooda also mourned the demise of the former prime minister. +Bollywood actor Annu Kapoor, while talking to media, referred Vajpayee as the 'son of the Indian Motherland'. He added,"His memories will live forever and his life was an inspiration." +The 93-year-old BJP veteran breathed his last at 5:05 pm on Thursday, at Delhi's All India Institutes of Medical Science (AIIMS) following a prolonged illness. +Vajpayee, the 10th prime minister of India who passed away on Thursday evening, will be cremated on Friday with full state honour. The mortal remains of the former prime minister which is presently resting at his Krishna Menon Marg home will be taken to the Bharatiya Janata Party (BJP) headquarters at around 9 a.m. Vajpayee's funeral procession will take place at Smriti Sthal at 1:30 pm. +Vajpayee, who led the National Democratic Alliance government from 1998 to 2004, was the first-ever member of the BJP to become India's Prime Minister. (ANI) Read This Nex \ No newline at end of file diff --git a/input/test/Test962.txt b/input/test/Test962.txt new file mode 100644 index 0000000..ccae126 --- /dev/null +++ b/input/test/Test962.txt @@ -0,0 +1,14 @@ +Published: 10:50, 16 August 2018 +A Malling teenager who bravely battled a brain tumour has died surrounded by his family. +Jayden Powell, 17, was diagnosed during an eye test in February last year and spent much of this year travelling to the Hallwang Clinic in Germany for immunotherapy, which is not available on the NHS. +The treatment was funded thanks to a huge community effort, which saw friends and family donate some £300,000 in a bid to help the teen beat the tumour. Jayden Powell bravely battled a brain tumour +There were further stumbling blocks along the way, when material that could have saved his life failed to arrive on time back in April. +More recently, however, the former Aylesford School pupil appeared to be responding well to the treatment and his family had started to make plans for a big celebration for his 18th birthday on August 30. +Tragically though, they were told last week that Jayden had suffered an infection, and that the tumour was becoming too aggressive. +He was then sent home from Tunbridge Wells Hospital to be with his family and died peacefully in his sleep at 6.15am this morning (Thursday). +Dad Steve, a film set construction worker, said: "It feels like my heart has been ripped out. +"We'll remember Jayden as someone who was always smiling and never complained. +"Stuff like this always happens to the innocent people and it's so sad that it was so close to his 18th birthday. +"If he was diagnosed earlier, or if the tumour tissue had been delivered on time, could that have made a difference? We'll never know. +"Everybody did so well and we're so grateful to everyone who helped raise so much money." +Tanya Kelvie, head teacher of Aylesford School, said: "This is a very sad day for us and our thoughts go out to the family." Join the debate.. \ No newline at end of file diff --git a/input/test/Test963.txt b/input/test/Test963.txt new file mode 100644 index 0000000..0b71a8a --- /dev/null +++ b/input/test/Test963.txt @@ -0,0 +1 @@ +You are here: Home / Education / Thomas Wall Trust Grants for Registered Charities: Addressing Social Needs in the Community Thomas Wall Trust Grants for Registered Charities: Addressing Social Needs in the Community Deadline : 28 September 2018 Thomas Wall Trust is seeking applications from registered charities for its Grant program. Thomas Wall II created his Trust in 1920 for the "encouragement and assistance of educational work and social service". Today, the Trust continues to assist in these areas by providing grants to individuals and organisations. People who meet all of the following requirements are eligible for funding: Specific projects or activities serving the educational and social needs of the community. Grants do not normally exceed £1,000 and it must be clear how a grant of this size will make a significant contribution to the project or activity. Eligibility Criteria The Trust can only accept applications from registered charities. The Trust can only accept applications from charities with an annual income of less than £100,000. What will not be funded Building or redevelopment work Projects which take place within hospital, nursing or residential care settings Medical researc \ No newline at end of file diff --git a/input/test/Test964.txt b/input/test/Test964.txt new file mode 100644 index 0000000..022defe --- /dev/null +++ b/input/test/Test964.txt @@ -0,0 +1,9 @@ +Tweet +Norfolk Southern Corp. (NYSE:NSC) Chairman James A. Squires sold 34,077 shares of the company's stock in a transaction dated Monday, August 13th. The stock was sold at an average price of $171.73, for a total transaction of $5,852,043.21. Following the completion of the sale, the chairman now directly owns 63,958 shares of the company's stock, valued at $10,983,507.34. The transaction was disclosed in a filing with the Securities & Exchange Commission, which is available through the SEC website . +NSC stock opened at $173.47 on Friday. The stock has a market cap of $48.15 billion, a price-to-earnings ratio of 26.24, a PEG ratio of 1.58 and a beta of 1.39. Norfolk Southern Corp. has a one year low of $116.77 and a one year high of $174.43. The company has a quick ratio of 0.70, a current ratio of 0.81 and a debt-to-equity ratio of 0.55. Get Norfolk Southern alerts: +Norfolk Southern (NYSE:NSC) last released its quarterly earnings results on Wednesday, July 25th. The railroad operator reported $2.50 EPS for the quarter, beating the Thomson Reuters' consensus estimate of $2.31 by $0.19. The business had revenue of $2.90 billion during the quarter, compared to analyst estimates of $2.87 billion. Norfolk Southern had a net margin of 52.36% and a return on equity of 14.53%. The company's quarterly revenue was up 9.9% on a year-over-year basis. During the same period in the prior year, the firm posted $1.71 earnings per share. analysts predict that Norfolk Southern Corp. will post 9.06 earnings per share for the current year. The business also recently disclosed a quarterly dividend, which will be paid on Monday, September 10th. Stockholders of record on Monday, August 6th will be issued a dividend of $0.80 per share. The ex-dividend date of this dividend is Friday, August 3rd. This represents a $3.20 annualized dividend and a dividend yield of 1.84%. This is an increase from Norfolk Southern's previous quarterly dividend of $0.72. Norfolk Southern's dividend payout ratio is 48.41%. +Institutional investors and hedge funds have recently bought and sold shares of the company. First Command Financial Services Inc. increased its holdings in shares of Norfolk Southern by 74.7% during the second quarter. First Command Financial Services Inc. now owns 7,038 shares of the railroad operator's stock valued at $1,062,000 after acquiring an additional 3,010 shares in the last quarter. Her Majesty the Queen in Right of the Province of Alberta as represented by Alberta Investment Management Corp acquired a new position in shares of Norfolk Southern during the first quarter valued at about $217,000. Guardian Investment Management acquired a new position in shares of Norfolk Southern during the first quarter valued at about $943,000. Stewardship Financial Advisors LLC acquired a new position in shares of Norfolk Southern during the first quarter valued at about $1,188,000. Finally, Connor Clark & Lunn Investment Management Ltd. acquired a new position in shares of Norfolk Southern during the second quarter valued at about $9,188,000. Hedge funds and other institutional investors own 73.24% of the company's stock. +A number of research firms recently weighed in on NSC. Zacks Investment Research raised shares of Norfolk Southern from a "hold" rating to a "buy" rating and set a $170.00 price objective for the company in a research note on Tuesday, June 26th. Stifel Nicolaus upped their price objective on shares of Norfolk Southern from $159.00 to $176.00 and gave the stock a "hold" rating in a research note on Thursday, July 26th. Credit Suisse Group upped their price objective on shares of Norfolk Southern from $176.00 to $182.00 and gave the stock an "outperform" rating in a research note on Thursday, July 26th. Citigroup raised shares of Norfolk Southern from a "neutral" rating to a "buy" rating and set a $176.00 price objective for the company in a research note on Monday, June 25th. Finally, UBS Group upped their price objective on shares of Norfolk Southern from $182.00 to $189.00 and gave the stock a "buy" rating in a research note on Thursday, July 26th. One investment analyst has rated the stock with a sell rating, twelve have issued a hold rating and nine have issued a buy rating to the company's stock. The stock presently has an average rating of "Hold" and an average price target of $164.42. +Norfolk Southern Company Profile +Norfolk Southern Corporation, together with its subsidiaries, engages in the rail transportation of raw materials, intermediate products, and finished goods. It also transports overseas freight through various Atlantic and Gulf Coast ports, as well as coal, automotive, and industrial products; and provides commuter passenger services. +Further Reading: Fundamental Analysis Receive News & Ratings for Norfolk Southern Daily - Enter your email address below to receive a concise daily summary of the latest news and analysts' ratings for Norfolk Southern and related companies with MarketBeat.com's FREE daily email newsletter \ No newline at end of file diff --git a/input/test/Test965.txt b/input/test/Test965.txt new file mode 100644 index 0000000..123b875 --- /dev/null +++ b/input/test/Test965.txt @@ -0,0 +1,16 @@ +The Daily Show host Trevor Noah has landed in hot water after he compared newly-elected Pakistani president Imran Khan to Donald Trump. +The recent wave of backlash comes just weeks after Trevor angered Aboriginal activists over comments he made in a joke several years ago. +Trevor told viewers of his show that he believed the former cricketer and Trump had a lot in common. +The comedian said coverage of the Pakistani leader was like listening to reports about a "tanned Trump" and that Imran's residency was a "Pakistani Trump Tower". +"Look, I'm not saying Imran Khan is the brown Trump. Imran Khan is one of many leaders around the world following the successful format of the hit show called 'The Trump Presidency', including apparently using the same writers." +He ended by urging those who wanted to move to Pakistan to avoid Trump to maybe go somewhere else. +"I don't know if Prime Minister Khan will turn out like President Trump, but if you were moving to Pakistan to escape Trump, you might want to pick some place else," Trevor said at the end of his segment. +Trevor's comments grabbed headlines and hit the trends lists from the gulf to India and beyond, with many slamming the comedian's comparison. +Before you leave let Trevor know he got the whole Imran khan trump comparison wrong. I'm a big fan of Trevor but wth was that?!! It's like comparing Nelson Mandela to krusty the clown +— Ayesha Chak (@ayeshachak) August 17, 2018 @Trevornoah I really want you to get your facts straight about Imran Khan. He is the most popular politician in Pakistan. Comparing him with Donald Trump it's an insult to Pakistani people. pic.twitter.com/YlI2qbTv1a +— fouzia shafiq (@fouzi_s) August 16, 2018 Used to be a fan Trevor as I thought you did your research and spoke the truth. The Imran Khan and Trump comparison was baseless and rubbish and not that it matters to you, you have lost a fan for life +— Global Citizen (@twisted__metal) August 16, 2018 @TheDailyShow I lost respect for Trevor Noah after watching Imran Khan comparison. You are just like other people who make an opinion without knowing the facts. Do some research first about his political struggle and philanthropy work. He is our national hero#ShameonyouTrevorNoah +— sam (@samxsam80) August 16, 2018 @TheDailyShow Trevor you are comparing Donald Trump with top sportsman and leader with cult following like Imran Khan that is so silly and in bad taste perhaps you can be called Trump for cracking absurd jokes like your President. +— Sarah (@doubleS_5) August 16, 2018 Some defended Trevor, saying haters were going overboard. +The Trevor Noah Skit on Imran Khan was funny! I'd say most Insafians had the same opinion as well if anything it's the Imran Khan haters that are going overboard making an issue where there is none +— something awful (@samstargazer) August 16, 2018 Trevor Noah responds to joke outrage: I'm not trying to hurt people "What I understand about outrage is that people don't generally want to listen or understand from their side. They go 'No, we are angry' and ... TshisaLIVE 21 days ago Leslie Jones defends comedians amidst Trevor Noah backlash "I think that's so stupid. It's just so dumb," says Leslie Jones. TshisaLIVE 15 days ago Piers Morgan slams Trevor Noah over 'derogatory' joke Piers Morgan says he is still waiting for Trevor to "apologise for his racist and sexist mockery of Aboriginal women". TshisaLIVE 22 days ago WATCH | Trevor Noah hits back at outrage over 'racist' World Cup joke "When I'm saying 'African' I'm not saying it to exclude them from their French-ness, I'm saying it to include them in my African-ness." TshisaLIVE 29 days ag \ No newline at end of file diff --git a/input/test/Test966.txt b/input/test/Test966.txt new file mode 100644 index 0000000..8af145c --- /dev/null +++ b/input/test/Test966.txt @@ -0,0 +1,19 @@ +Elkton budget amendment shifts $171K By Katie Tabeling ktabeling@cecilwhig.com +Elkton Finance Director Steve Repole introduced several budget amendments that would recognize several payments that needed to be settled in Fiscal Year 2018. CECIL WHIG PHOTO BY KATIE TABELING Save +ELKTON — A board quorum unanimously passed several amendments to Elkton's Fiscal Year 2018 budget, shifting dollars from one account to another to recognize payments for several of the town's notable endeavors this year. +Elkton Finance Director Steven Repole presented five budget amendments during Wednesday's town meeting, four of which authorized moving $171,500 combined from the town's unassigned fund balance to the general fund. The FY 2018 unassigned fund balance, considered as Elkton's "rainy day" savings account, was at $2.6 million. +Repole assured the commissioners that amending the last fiscal year's budget was normal, as Elkton had to account for what cash was in its coffers as it approaches its annual audit in the fall. FY 2018 ended on June 30, 2018. +"This is the normal course as we approach the end of the year," Repole assured the commissioners. "We approve the final expenditures and revenues received for items that weren't budgeted or went over budget, so we're clearing that up with these budget amendments now for the last fiscal year." +Breaking down the total moved from unassigned fund balance, $74,638 was recognized to purchase the 2.38 acres on Booth Street for the town's future community/recreation center, $40,000 to account for the over-expended waste removal account and $18,000 for the new boat ramp at Marina Park. +Cecil County originally agreed to transfer the undeveloped land behind the Cecil County Public School administration building for $78,000 and to waive fees associated with building the new Gilpin Manor Elementary School, but Repole said that the contractor had paid for those fees up front during final negotiations. +"We charged the county for the fees at Gilpin, and they paid us. So we paid them back, so it's a swap of the fees," Mayor Rob Alt said. +Elkton also spent more in waste removal services last fiscal year due to town officials cleaning out the homeless encampments at Meadow Park and Marina Park, according to town officials. +Other line items in the budget amendments included HVAC work at various town offices ($22,764) new special event speakers ($9,500) and 324 Hollingsworth Street, one of the blighted properties that town officials have targeted for demolition ($6,030). +The Hollingsworth Street house, which went to tax sale this year, is the first blighted property that the Town of Elkton is pushing to own outright once its tax bill is paid. Paying off the taxes and demolition costs could cost Elkton thousands more. +Repole also presented a budget amendment that would move $288,000 from the assigned fund balance to road maintenance projects. That revenue stream is paid through state Highway User Revenue (HUR), otherwise known as tolls, and can only be used for road maintenance. +"We went beyond the current year's receipts, but we had [$700,000] or $800,000 in that account from prior years," he said. +Alt and Commissioners Charles Givens and Earl Piner Sr. all voted to approve the budget amendments. Although Commissioners Mary Jo Jablonski and Jean Broomell were absent, the three men constituted a quorum, or a town board majority, that allowed matters to proceed. Under Elkton's charter, no ordinance or action would be approved without the favorable votes of a majority of the whole number of members elected to the board. +That means, even with Broomell and Jablonski absent, all actions taken on Wednesday night would need unanimous support from the three voting board members. +Repole also introduced two budget amendments for FY 2019, one to allocate $7,000 seized in Elkton Police Department's drug arrests for upgrades to EPD's bulletproof vests. +The second amendment recognizes $250,000 from Forest Conservation Fees and Critical Area Forest Mitigation Fees to buy 46.6 acres to create some sort of walking trail from Marina Park to neighborhoods near Whitehall Road. Although Alt originally planned to connect the path directly to Whitehall Road, pressure from Kensington Court residents dissuaded him from that plan. However, he still plans for some sort of primitive path extending to Marina Park. +The board quorum unanimously passed the two budget amendments for FY 2019 \ No newline at end of file diff --git a/input/test/Test967.txt b/input/test/Test967.txt new file mode 100644 index 0000000..d050efc --- /dev/null +++ b/input/test/Test967.txt @@ -0,0 +1,19 @@ +17, 2018 in Firefox - 4 comments +Stylish, a web browser extension to load so-called userstyles in supported browsers that modify looks and layout of webpages, has returned to the official Mozilla Add-ons Store for Firefox after its removal by Mozilla over privacy concerns . +Stylish, which was removed by Google from the company's Chrome Web Store as well at the time, was found to send a user's complete browsing history to servers operated by the company and linked the data to a unique ID. +Stylish and the accompanying userstyles.org site were transferred to a new owner back in 2016 by its original creator. The new owner, apparently, sold the extension and domain then to analytics company SimilarWeb in 2017 . +A new version of Stylish is now again available on Mozilla's Addons website. The new version comes without release notes which makes it difficult to find out what changed. +If you compare the current description of Stylish on Mozilla's website with the description of Stylish before it was pulled, you will notice that a note about privacy and data collecting has been added to the description: +We care about your privacy and thus it is important to us that you understand our data practices: +Stylish provides you with services that include the suggestion of and access to relevant styles for web pages you visit, as well as the install count for each style. In order to enable this service, we collect browsing data, as detailed in our privacy policy: https://userstyles.org/login/policy +The browsing usage data collected includes: visited URLs, your Internet Protocol address, your operating system and the browser you are using, and the date and time stamp. +The data collected is not collected nor used to allow the identification of any individual user, and you may always opt-out from this automatic data collection in the add-on option page. +The description reveals to users that Stylish does collect information to provide some of the functionality of the service. +Did anything else change? You may notice that all but the latest version of the extension are removed from the versions listing. Did Mozilla remove these when it banned Stylish, or did the developers of Stylish remove those? I don't know and there is no information on the page that provides that answer. +If you are brave enough to install Stylish in Firefox, you will notice that the extension has a new welcome screen that pops up automatically after installation. +It displays three options, all opt-in, on the page: Share usage analytics -- sends analytics data to Stylish. Styles on-the-go -- Powers the style recommendation feature, submits URLs to the server if enabled. Access styles through search results -- Same as Styles on-the-go, but for search results pages. +It is not necessary to enable any of those to use Stylish. If you don't opt-in to the second and third option you won't get recommendations automatically. +Note that Stylish has yet to make a return in the Chrome Web Store. It seems likely that the extension will resurface on Chrome's official Web Store as well in the near future. Closing Words +We don't know if Mozilla reviewed the new Stylish version or not. The organization does not indicate human reviewed extensions in any way on the site. If Stylish has not been reviewed by a human, it is possible that the extension may get pulled again when that happens; we don't know. +Stylish is a popular extension and the changes made are welcome changes. It remains to be seen if the company can regain the trust of users or if Stylish users stick to alternatives such as Stylus instead. +Now You: What is your take on the development? Summary Stylish add-on makes a return Description Stylish, a web extension that was pulled over privacy concerns from official extension repositories, is once again available on Mozilla AMO for Firefox. Autho \ No newline at end of file diff --git a/input/test/Test968.txt b/input/test/Test968.txt new file mode 100644 index 0000000..9ccc510 --- /dev/null +++ b/input/test/Test968.txt @@ -0,0 +1,15 @@ +China's Red Cross donates mobile clinics, ambulances to Syria 0 2018-08-17 10:41 By: Xinhua +Officials from the Red Cross Society of China (RCSC) and Syria's Arab Red Crescent (SARC) inaugurate a mobile medical clinic at the donation ceremony in Damascus, Syria, on Aug. 16, 2018. The Red Cross Society of China (RCSC) on Thursday donated mobile medical clinics and ambulances to Syria's Arab Red Crescent (SARC). The donation, which included two bus-turned mobile medical clinics and two ambulances, was delivered at a ceremony held in the Syrian capital Damascus. (Xinhua/Ammar Safarjalani) +DAMASCUS, Aug. 16 (Xinhua) -- The Red Cross Society of China (RCSC) on Thursday donated mobile medical clinics and ambulances to Syria's Arab Red Crescent (SARC). +The donation, which included two bus-turned mobile medical clinics and two ambulances, was delivered at a ceremony held in the Syrian capital Damascus. +It aims to help Syrians living in hard-to-reach areas or those who need emergency care. +Wang Qinglei, the representative of the Beiqi Foton Motor, the company that took part in the funding of the donation under the RCSC umbrella, told Xinhua the mobile clinics are equipped with X-ray machines, ultrasound scanner, defibrillator, distance diagnosis and treatment system. +He noted that these medical equipment turn the bus into a mobile hospital, which can offer emergency medical care, health examination and mini surgeries. +The vehicles are powered by an electrical power generating system, which enables the clinics to operate in areas where electricity is not available. +Wang pointed out that his company's total donation is estimated at 6 million yuan (roughly 900,000 U.S. dollars). It is part of the first stage of the total humanitarian aid provided to Syria by the RCSC, which is estimated at 8 million yuan. +"If put into use, the medical units could serve hundreds of people every day, especially for the war-torn and remote communities," Wang said. +For his part, Muhammad al-Jarrah, head of the medical services in SARC, told Xinhua this kind of assistance is crucial in hard-to-reach areas as well as in the time of emergency. +Sun Shuopeng, the executive vice president and secretary general of Chinese Red Cross Foundation, said that the RCSC is carrying out comprehensive humanitarian aid projects in Syria, which include donating mobile medical units and establishing prosthetic rehabilitation centers for Syrian children. +On Wednesday, the Chinese delegation inaugurated a children prothetic rehabilitation center funded by the RCSC in Damascus. +"All funds of the prosthetic rehabilitation project were raised online by the Chinese public. We launched an online fundraising project called One Dollar for Syrian Children," Sun told Xinhua, adding that the project raised 100,000 U.S. dollars in a short time. +Following the delivery ceremony, Chinese engineers and technicians also trained the Syrians to operate the equipment and do the maintenance work \ No newline at end of file diff --git a/input/test/Test969.txt b/input/test/Test969.txt new file mode 100644 index 0000000..3b9b9e8 --- /dev/null +++ b/input/test/Test969.txt @@ -0,0 +1,9 @@ +6–9pm Wednesday 5 September 2018 Venue +John Curtin School of Medical Research, 131 Garran Road, The Australian National University Speakers Professor Siobhán Wills, Ulster University Associate Professor David Letts AM CSM, ANU College of Law Associate Professor Jeremy Farrall, ANU College of Law Accommodation +For interstate visitors, we offer suggestions for accommodation near ANU . Contact Presented by Law Reform & Social Justice Film screening +Between 2005 and 2007, United Nations peacekeeping troops carried out several raids in Cité Soleil - an economically depressed neighbourhood of Port au Prince, Haiti. Although the raids were targeted at criminal gang leaders, scores of civilians, amongst them children, were killed with many more injured by the actions of the peacekeepers. The UN has never investigated what happened. No one from the UN or other official bodies have visited the people of Cité Soleil to ask them about their experiences. +It Stays With You examines the impacts of the raids on the community in the ten years since they happened. The documtary uniquely combines testimony from victims and survivors with doctrinal legal analysis on the use of deadly force and human rights. +This free screening will be followed by a panel discussion with director of the film Professor Siobhán Wills in conversation with Associate Professors David Letts and Jeremy Farrall. Speakers Siobhán Wills » +Professor Siobhán Wills is a professor of law at Ulster University's Transitional Justice Institute. She is leading a research project on the rules of engagement for peacekeepers not engaged in hostilities in an armed conflict. Professor Wills received a grant from the Arts and Humanities Research Council to make this documentary. David Letts AM CSM » +Associate Professor David Letts AM CSM is Director of the Military Law Program and of the Centre for Military and Security Law at the ANU College of Law and has had a long career in the Royal Australian Navy. His research centres on the application of legal regimes tomilitary options. Jeremy Farrall » +Associate Professor Jeremy Farrall has worked for the United Nations in a range of capacities and is now based at the ANU College of Law. He co-authored the book Strengthening the Rule of Law Through the United Nations Security Council . His response to the peacekeeping problems exposed by It Stays With You will draw upon policy proposals to strengthening the rule of law through the Security Council. Centre \ No newline at end of file diff --git a/input/test/Test97.txt b/input/test/Test97.txt new file mode 100644 index 0000000..7356730 --- /dev/null +++ b/input/test/Test97.txt @@ -0,0 +1 @@ +70 DQMpro Released Industry Specific Mailing List to Make your Business Better and Enhance Sales Leads DQMpro, the best email marketing list provider released its fresh and updated industry-specific mailing lists. The list has been customized to helps b2b marketers, industry executives, decision-makers, professionals and private firms in finding the mailing lists of their target audience. It enables customers to reach out to their most ideal prospects via telephone, email or mail. Kevin Mitchell, Marketing Coordinator at DQMpro says, "Industry-specific email lists are exclusive and have standardized good enough to offer you the better revenue. We are proud as a team to maintain the utmost level of security because b2b mailing lists are most up-to-date, reliable, and accurate that would definitely meet all your business goals. Our Mailing Lists of Industry has been arranged with wide-ranging research and human-verification process." DQMpro's industrial mailing lists come with detailed contact database of your target prospects in every aspect to grow your customer base and enhance b2b sales leads by 32%. Why DQMpro Industrial Mailing List best? DQMpro provides well-segmented, exhaustive and highly updated contacts, so you can meet the right professionals, leading industries, and business heads at the right time without any hassle. The business email database they offer, easy to access and use as well as you can be used for business reaching and enhancing brand value. With the highly targeted b2b email list, marketers can easily enhance the conversion rate by 35%. Benefits of Highly Targeted Industry Specific Email List: � Maximum Accurac \ No newline at end of file diff --git a/input/test/Test970.txt b/input/test/Test970.txt new file mode 100644 index 0000000..541a017 --- /dev/null +++ b/input/test/Test970.txt @@ -0,0 +1,23 @@ +Chloé and Daniel Beurdick peer into a flow hive. The innovative hive allows for the collection of honey without disturbing the bees. +Story and photos by Mathew Roland +A new farm has taken root in Birch Bay called Home Farm UPick & Events. The family-owned and operated farm is offering the public a new source of fresh, all-natural produce. +Located on 25 acres at 8020 Kickerville Road, Home Farm is owned and operated by husband and wife Daniel Beurdick and Bridgette DiMonda with help from their seven-year-old daughter, Chloé Beurdick. +The idea to start a farm began in 2016 when Daniel, who is currently a serviceman for Puget Sound Energy (PSE), applied for a job opening in Whatcom County. The family of three moved 95 miles north from Monroe to Birch Bay in 2017 to opt out of a larger city and transition into traditional farming lifestyle. +Daniel grew up working on a farm in Connecticut, so moving to Birch Bay was a return to his roots. +"I've always liked growing things," he said. "I'm amazed at how things can start so tiny and just grow up into something and then you get a reward out of it." +Daniel's farming skills and Bridgette's background in real estate marketing made for the perfect combination to form Home Farm's brand on social media. +Formerly a golf driving range, converting the land into a functional farm was not easy. +Daniel, Bridgette and Chloé lived in their 34-foot camper on the property for 11 months while they renovated the home and prepped the land. They hauled out 15,000 pounds of scrap metal, 10,000 pounds of trash and donated 1,200 golf clubs left on the property. In October 2017, the family started planting. +Support from surrounding neighbors and community members helped Home Farm grow. +Lenny Sund, who works for a subcontractor of PSE, stepped up to support Home Farm by lending tractors and rotary tillers. +"We still try and help each other," he said. "If my neighbor breaks down, he calls to borrow something. If I break down, I borrow something from him. I want to see them succeed. It's just nice to see the land is being used for growing something." +Early on, the family wanted to start a berry farm but quickly decided to create an all-crop farm, with the goal of supplying the surrounding community with fresh produce. +Currently the farm yields approximately 6,000 strawberries of four different varieties, 2,000 raspberries of four different varieties, 1,200 blueberries of four different varieties and contains 100 red current plants and 100 black current plants and three acres of sweet corn. +The farm also has 2 acres of pumpkin, 1 acre of green beans and peas, half an acre of pickling cucumbers and a couple of rows of sunflowers in addition to approximately 22 beehives and 50 chickens. +"Our whole model is come to us, come and experience farming, have fun! We have fun here and we want people to come and enjoy it," DiMonda said. +With all that is going on at the Home Farm, they have big plans for the future. +Residents and customers can expect future crops of potatoes, garlic, carrots, lettuce, spinach, tomatoes and honey. Other future plans include Saturday movie nights at the farm, an animal petting zoo with goats and sheep and an orchard of 40-50 fruit trees. +Home Farm currently sells a variety of fresh fruits and vegetables at a stand located at 8020 Kickerville Road from 8 a.m. to 7 p.m., seven days a week. Community members are also welcome to drop by for U-Pick pumpkins this October. +To learn more, contact Home Farm at 425/239-9402 or . +You can also follow the Home Farm on Instagram @homefarm.birchbay. +Editor of The Northern Light Like to share \ No newline at end of file diff --git a/input/test/Test971.txt b/input/test/Test971.txt new file mode 100644 index 0000000..4d7409c --- /dev/null +++ b/input/test/Test971.txt @@ -0,0 +1,25 @@ +Adirondack Scenic Railroad plans rail bike operations soon Aug 17, 2018 at 5:15 AM +UTICA — The Adirondack Scenic Railroad plans to expand with a rail bike operation soon. +Officials with the organization recently tested the first four-seat rail bike prototype with a ride from Charlie's Inn at Lake Clear Junction to Saranac Lake Depot. The bike reportedly performed flawlessly, officials said. +"This is really a one of a kind experience," said Mark Piersma, director of marketing and public relations at Adirondack Scenic Railroad. "It's a unique experience." +Piersma described the rail bikes as paddle boats for the railway. Each bike has four seats with four wheels on the rails. +The bikes have four sets of pedals that can be peddled individually. Basically, this means that everyone does not have to peddle to move the bike. If someone gets tired, he or she can stop and others can continue to peddle and move the bike down the track. +The rail bikes are made in Utica. +Currently, the organization has three bikes set to use, with new bikes — which are slated to include small motors to help propel the rider — in the future. +The rail bikes are on a 6-mile stretch of tracks between Thendara Station and Carter Station, both in the Old Forge area. +"The vistas are outstanding," Piersma said of the scenery viewable during the ride. +Riders are not required to travel both ways, Piersma said. It is possible for riders to start at either station and then get a ride back. +"If you take a one-way trip we will bring you back by train," Piersma said. "It offers two different perspectives of the track." +Piersma said the group had spent a long process looking into using the rail bikes on the tracks. This means people of all abilities can use the bikes. +"In my opinion, anyone can do this," Piersma said. "It's really easy to do." +Jack Roberson, executive director of the Adirondack Scenic Railroad, said in a release that the rail bikes operation is just about set. +"We are looking forward to beginning production of the finalized version of the bike and starting business," he said. "We have a few cosmetic changes to make, but otherwise, everything looks great." +People looking to book a trip on the rail bikes can make reservations at adirondackrr.com. Officials expect the reservations to go quick. +The group is expected to introduce rail bike service in Saranac Lake in the near future. Rail bike service in Saranac Lake was terminated in 2016 after New York said the rail line should close. +The railroad has been at odds with the state and other groups for a number of years over rail vs. trail concepts. +The Adirondack Railway Preservation Society, which oversees the railroad, wanted to connect the railroad from Tupper Lake to Lake Placid. It filed a lawsuit in April 2016 challenging the state's proposed 34-mile trail project. The project has sought to replace 34 miles of track with a multi-use recreational trail connecting the villages of Tupper Lake, Saranac Lake and Lake Placid. +In September, Judge Robert Main in Franklin County released a written decision in the lawsuit against the proposed Adirondack rail trail, ruling in favor of preserving the existing railway between Lake Placid and Tupper Lake. +Prior to the ruling, the DEC had been moving forward with the trail's development. A conceptual design was released in May, while DEC officials hosted a number of public information sessions that same month in Saranac Lake, Tupper Lake and Lake Placid. +The state in April declined to appeal the ruling. +Contact reporter Ed Harris at 315-792-5063 or follow him on Twitter (@OD_EHarris). Never miss a story +Choose the plan that's right for you. Digital access or digital and print delivery \ No newline at end of file diff --git a/input/test/Test972.txt b/input/test/Test972.txt new file mode 100644 index 0000000..07e0901 --- /dev/null +++ b/input/test/Test972.txt @@ -0,0 +1,24 @@ +Adirondack Scenic Railroad plans rail bike operations soon Aug 17, 2018 at 5:15 AM +UTICA — The Adirondack Scenic Railroad plans to expand with a rail bike operation soon. +Officials with the organization recently tested the first four-seat rail bike prototype with a ride from Charlie's Inn at Lake Clear Junction to Saranac Lake Depot. The bike reportedly performed flawlessly, officials said. +"This is really a one of a kind experience," said Mark Piersma, director of marketing and public relations at Adirondack Scenic Railroad. "It's a unique experience." +Piersma described the rail bikes as paddle boats for the railway. Each bike has four seats with four wheels on the rails. +The bikes have four sets of pedals that can be peddled individually. Basically, this means that everyone does not have to peddle to move the bike. If someone gets tired, he or she can stop and others can continue to peddle and move the bike down the track. +The rail bikes are made in Utica. +Currently, the organization has three bikes set to use, with new bikes — which are slated to include small motors to help propel the rider — in the future. +The rail bikes are on a 6-mile stretch of tracks between Thendara Station and Carter Station, both in the Old Forge area. +"The vistas are outstanding," Piersma said of the scenery viewable during the ride. +Riders are not required to travel both ways, Piersma said. It is possible for riders to start at either station and then get a ride back. +"If you take a one-way trip we will bring you back by train," Piersma said. "It offers two different perspectives of the track." +Piersma said the group had spent a long process looking into using the rail bikes on the tracks. This means people of all abilities can use the bikes. +"In my opinion, anyone can do this," Piersma said. "It's really easy to do." +Jack Roberson, executive director of the Adirondack Scenic Railroad, said in a release that the rail bikes operation is just about set. +"We are looking forward to beginning production of the finalized version of the bike and starting business," he said. "We have a few cosmetic changes to make, but otherwise, everything looks great." +People looking to book a trip on the rail bikes can make reservations at adirondackrr.com. Officials expect the reservations to go quick. +The group is expected to introduce rail bike service in Saranac Lake in the near future. Rail bike service in Saranac Lake was terminated in 2016 after New York said the rail line should close. +The railroad has been at odds with the state and other groups for a number of years over rail vs. trail concepts. +The Adirondack Railway Preservation Society, which oversees the railroad, wanted to connect the railroad from Tupper Lake to Lake Placid. It filed a lawsuit in April 2016 challenging the state's proposed 34-mile trail project. The project has sought to replace 34 miles of track with a multi-use recreational trail connecting the villages of Tupper Lake, Saranac Lake and Lake Placid. +In September, Judge Robert Main in Franklin County released a written decision in the lawsuit against the proposed Adirondack rail trail, ruling in favor of preserving the existing railway between Lake Placid and Tupper Lake. +Prior to the ruling, the DEC had been moving forward with the trail's development. A conceptual design was released in May, while DEC officials hosted a number of public information sessions that same month in Saranac Lake, Tupper Lake and Lake Placid. +The state in April declined to appeal the ruling. +Contact reporter Ed Harris at 315-792-5063 or follow him on Twitter (@OD_EHarris). Never miss a stor \ No newline at end of file diff --git a/input/test/Test973.txt b/input/test/Test973.txt new file mode 100644 index 0000000..25e0fe3 --- /dev/null +++ b/input/test/Test973.txt @@ -0,0 +1,7 @@ +Swami Agnivesh manhandled near BJP office in Delhi India Blooms News Service | @indiablooms | 17 Aug 2018 #SwamiAgnivesh , #Manhandled , #BJPHeadquarters , #Delhi +New Delhi, Aug 17 (IBNS) : Activist-politician Swami Agnivesh was manhandled on Friday near the BJP headquarters in Delhi, where he had gone to pay his last respects to former prime minister Atal Bihari Vajpayee, media reports said. +This is the second attack in a month on the 79-year-old social activist, who was beaten in Jharkhand by a mob that allegedly included BJP workers. +"I had gone to pay my respects to Vajpayee ji. Because of the police pickets, I had to walk down the last stretch... suddenly a group of people came and attacked us. There were two-three of us and they were quite a few. They beat us badly, pushed us around, abused us and knocked off my turban," Agnivesh told NDTV on the phone. +"They kept shouting 'he's a traitor, he's a traitor, beat him'," he added. +A mobile phone video taken at the time of the incident, shows Agnivesh being chased, heckled and pushed around by a group. His headgear is yanked by one man and a woman is seen holding her slipper, NDTV reports. +Swami Agnivesh manhandled near BJP office in Delhi India Blooms News Servic \ No newline at end of file diff --git a/input/test/Test974.txt b/input/test/Test974.txt new file mode 100644 index 0000000..7f96b79 --- /dev/null +++ b/input/test/Test974.txt @@ -0,0 +1,6 @@ +Turkish lira steady despite new threats from Trump 2018-08-17T08:25:59Z 2018-08-17T09:21:55Z (AP Photo/Lefteris Pitarakis). A general view of Istanbul, Thursday, Aug. 16, 2018. Turkey's finance chief tried to reassure thousands of international investors on a conference call Thursday, in which he pledged to fix the economic troubles that have ... +ANKARA, Turkey (AP) - Turkey's currency remains steady against the dollar despite an apparent threat of possible new sanctions by U.S. President Donald Trump. +The Turkish lira stood at 5.80 per dollar on Friday, up about 0.4 percent against the dollar. +The currency has recovered from record lows earlier this week. Investors, already worried about Turkey's economy, were irked by a diplomatic and trade dispute with the United States over the continued detention of an American pastor Andrew Brunson on espionage and terror-related charges. +In a tweet on Thursday, Trump urged Brunson to serve as a "great patriot hostage" while he is jailed and criticized Turkey for "holding our wonderful Christian Pastor." +Trump added: "We will pay nothing for the release of an innocent man, but we are cutting back on Turkey! \ No newline at end of file diff --git a/input/test/Test975.txt b/input/test/Test975.txt new file mode 100644 index 0000000..0e85fe8 --- /dev/null +++ b/input/test/Test975.txt @@ -0,0 +1,12 @@ +Ancora Advisors LLC Acquires 8,141 Shares of Pfizer Inc. (PFE) Donald Scott | Aug 17th, 2018 +Ancora Advisors LLC boosted its holdings in shares of Pfizer Inc. (NYSE:PFE) by 2.9% in the 1st quarter, according to its most recent Form 13F filing with the Securities and Exchange Commission. The firm owned 289,460 shares of the biopharmaceutical company's stock after buying an additional 8,141 shares during the quarter. Ancora Advisors LLC's holdings in Pfizer were worth $10,273,000 at the end of the most recent quarter. +A number of other hedge funds and other institutional investors have also made changes to their positions in the stock. Ballew Advisors Inc bought a new position in shares of Pfizer in the first quarter worth approximately $102,000. Earnest Partners LLC bought a new position in shares of Pfizer in the fourth quarter worth approximately $105,000. First Dallas Securities Inc. bought a new position in shares of Pfizer in the fourth quarter worth approximately $118,000. Woodard & Co. Asset Management Group Inc. ADV bought a new position in shares of Pfizer in the fourth quarter worth approximately $118,000. Finally, Delpha Capital Management LLC bought a new position in shares of Pfizer in the fourth quarter worth approximately $126,000. Institutional investors own 69.28% of the company's stock. Get Pfizer alerts: +PFE has been the subject of a number of recent analyst reports. ValuEngine lowered shares of Pfizer from a "buy" rating to a "hold" rating in a research report on Wednesday, May 2nd. JPMorgan Chase & Co. reiterated a "buy" rating and issued a $42.00 price target on shares of Pfizer in a research report on Wednesday, May 2nd. BMO Capital Markets dropped their price target on shares of Pfizer from $43.00 to $42.00 and set an "outperform" rating for the company in a research report on Wednesday, May 2nd. Morningstar set a $43.50 price target on shares of Pfizer and gave the stock a "buy" rating in a research report on Wednesday, May 2nd. Finally, DZ Bank reiterated a "sell" rating on shares of Pfizer in a research report on Thursday, May 3rd. Two investment analysts have rated the stock with a sell rating, twelve have given a hold rating and nine have assigned a buy rating to the company's stock. The company presently has an average rating of "Hold" and an average target price of $40.95. +PFE stock opened at $41.42 on Friday. Pfizer Inc. has a one year low of $32.32 and a one year high of $41.64. The company has a current ratio of 1.16, a quick ratio of 0.91 and a debt-to-equity ratio of 0.41. The firm has a market capitalization of $243.65 billion, a PE ratio of 15.63, a P/E/G ratio of 1.98 and a beta of 0.96. +Pfizer (NYSE:PFE) last released its earnings results on Tuesday, July 31st. The biopharmaceutical company reported $0.81 EPS for the quarter, topping the consensus estimate of $0.74 by $0.07. Pfizer had a net margin of 42.35% and a return on equity of 25.35%. The firm had revenue of $13.47 billion for the quarter, compared to the consensus estimate of $13.30 billion. During the same quarter in the previous year, the firm earned $0.67 earnings per share. The company's quarterly revenue was up 4.4% compared to the same quarter last year. equities research analysts predict that Pfizer Inc. will post 2.99 EPS for the current year. +The business also recently announced a quarterly dividend, which will be paid on Tuesday, September 4th. Stockholders of record on Friday, August 3rd will be issued a $0.34 dividend. This represents a $1.36 annualized dividend and a dividend yield of 3.28%. The ex-dividend date is Thursday, August 2nd. Pfizer's dividend payout ratio (DPR) is presently 51.32%. +In related news, Director W Don Cornwell sold 5,223 shares of the company's stock in a transaction on Monday, June 4th. The shares were sold at an average price of $36.40, for a total transaction of $190,117.20. The transaction was disclosed in a filing with the SEC, which is accessible through this hyperlink . Also, insider Laurie J. Olson sold 10,214 shares of the company's stock in a transaction on Monday, August 13th. The shares were sold at an average price of $41.00, for a total transaction of $418,774.00. Following the sale, the insider now directly owns 72,672 shares in the company, valued at approximately $2,979,552. The disclosure for this sale can be found here . Insiders sold 785,453 shares of company stock worth $29,937,357 in the last three months. Insiders own 0.06% of the company's stock. +Pfizer Profile +Pfizer Inc discovers, develops, manufactures, and sells healthcare products worldwide. It operates in two segments, Pfizer Innovative Health (IH) and Pfizer Essential Health (EH). The IH segment focuses on the development and commercialization of medicines and vaccines, and consumer healthcare products in various therapeutic areas, including internal medicine, vaccines, oncology, inflammation and immunology, and rare diseases, as well as consumer healthcare, such as over-the-counter brands comprising dietary supplements, pain management, gastrointestinal, and respiratory and personal care. +Read More: Should you buy a closed-end mutual fund? +Want to see what other hedge funds are holding PFE? Visit HoldingsChannel.com to get the latest 13F filings and insider trades for Pfizer Inc. (NYSE:PFE). Pfizer Pfize \ No newline at end of file diff --git a/input/test/Test976.txt b/input/test/Test976.txt new file mode 100644 index 0000000..f1a9d8d --- /dev/null +++ b/input/test/Test976.txt @@ -0,0 +1,39 @@ +Share +It's a science-geek fantasy: With hard work, sharp wits, and keen eyes, an amateur discovers something all the experts missed. Something big, something that leaves the PhDs confused, perplexed, and delighted. +For the dozen citizen scientists who helped discover a peculiar star called KIC 8462852, this fantasy came true, though the reality is less lone-genius-eureka-moment and more slow-building-ensemble-drama. And they did it with the relentless, unprejudiced curiosity that comes naturally to amateurs. +KIC 8462852 dims suddenly and erratically, unlike any other star known to science. Astronomers have even floated the idea that it is surrounded by a colossal solar-energy-harvesting "megastructure" built by advanced aliens. It has been called " the most mysterious star in the galaxy " and the "WTF star" (that's " Where's The Flux ," naturally), but mostly it's better known as "Tabby's star" for the astronomer who has taken the lead on investigating it. Thanks largely to the ET dazzle, the star has become a buzzworthy, boldface name in the news and on social media. An artist's concept of an "uneven ring of dust" orbiting KIC 8462852 +After its initial burst of weirdness, Tabby's star behaved like a normal star for more than two years. But then this past May, Tabby's star again went haywire. The internet lit up with urgent calls to action. +Now, thanks to observations mobilized by the latest series of dips, a clearer picture of the "WTF star" is finally starting to emerge, as detailed in a new paper in the Astrophysical Journal. Until now, every explanation astronomers had been able to offer up fell short. Starspots? Too small, wrong timing. Orbiting asteroids or comets? Telescopes don't pick up the signature of radiating heat. A cloud of gas or dust closer to Earth? Maybe, but why aren't other stars affected in the same way? It's the kind of stumper that invited improbable explanations, that pit Occam's razor—which favors the simplest explanation—against Sherlock Holmes' famous dictum: When you have eliminated the impossible, whatever remains must be the truth…however improbable. +Regardless of what's actually driving the curious dimming of Tabby's star, without citizen scientists, it would still be just another undistinguished pinprick on the sky. Here's the story of how amateurs helped discover the strangest star in the galaxy—and why citizen scientists might be the x-factor in many more discoveries to come. Thousands of Open Minds +In northern Ontario, when the sky is clear and there's no moon, Adam Szewczyk can see the Milky Way. +For years, Szewczyk, who lives outside Toronto, had nursed an interest in astronomy. As a kid, he watched Carl Sagan's TV miniseries "Cosmos" and borrowed books about planets from the library. His parents bought him a small telescope from Walmart as a graduation gift, but he was never able to see much through it. Then, in 2011, he read an article about a web site called Planet Hunters where amateur volunteers could help scientists comb through mountains of data collected by the Kepler Space Telescope. Szewczyk signed up— a "spur of the moment" thing, he recalls—and soon he was scouring Kepler data a few times a week. KIC 8462852 dims suddenly and erratically, unlike any other star known to science. +Kepler may be a marvel of science, but its operation is dead simple: stare, stare, and stare some more. Twice an hour, almost every hour, for four years, Kepler recorded the brightness of some 150,000 presumably ordinary stars in its field of view. All that staring generated about 2.5 billion data points per year, too much for scientists to comb through by hand. Luckily, they didn't have to. Kepler scientists fine-tuned their computer programs to pick out the signatures of orbiting planets. They knew, though, that some things would slip through the cracks—planets orbiting stars orbiting other stars, planets being tugged off course by neighboring planets, even things that weren't planets at all. +"Because of the enormous data volume involved, our planet-finding algorithms were designed to throw away anything that didn't look like a planet so professional astronomers could focus their efforts on the mission goals," says Jason Wright, an astronomer at Penn State. To catch the needle-in-a-haystack oddities that would elude the computers, a team led by Yale astronomer Debra Fischer set up Planet Hunters, where they could enlist an army of human eyes to sort through the computers' discards. +Anyone can sign up to be a Planet Hunter. After a short online training, Planet Hunters are served a series graphs, called light curves, that show the brightness of a target star over a period of 30 days. A typical light curve—that is, a boring one—looks like a scruffy straight line. An interesting light curve, to a planet hunter, is one that dips somewhere along its length. This dip is the signature of a transit, an event in which a planet orbits in front of the star, temporarily obscuring a small fraction of the incoming starlight. +Szewczyk had been on Planet Hunters for a few months when he spotted a particularly strange light curve. It had a dip—that much was obvious. But the dip didn't conform to the standard profile. "I found its peaks and periods a bit unusual and fascinating, so I decided to mention it in 'Talk,' " the volunteer discussion board , Szewczyk recalls. He dashed off a comment ("bizarre peak—a giant transit") that caught the attention of other volunteers, including Daryll LaCourse. +LaCourse, a veteran Planet Hunter who estimates that he has classified tens of thousands of light curves on the site, was also intrigued. "[The dip] was not nicely symmetric, as any well-mannered planet transit should be," he says. A planetary transit usually leaves a U-shaped notch on the light curve, like a cartoon smile, but this dip was straight on one side and droopy on the other. Wondering what they were seeing, LaCourse and other "Talk" regulars emailed astronomer Tabetha "Tabby" Boyajian, then a postdoc at Yale, who served as the liaison between the scientists and the Planet Hunters volunteers. (Boyajian is now an assistant professor at Louisiana State University.) The Planet Hunters noticed this unusual planetary transit. +"When they showed the star to me, we all thought it was a data glitch," Boyajian says. But the Planet Hunters had already run the light curve through tests that root out faulty data, she says. It had passed: the dip was real. +"Every trained astronomer's first reaction to seeing the light curve is 'bad data,' because we've seen bad data so many times that it is almost always the reason we see something totally outside of our range of expectations," Wright says. "It would not have been spotted without the amateur eyeballs on the data." +"Professionals know how to look for specific patterns, specific behaviors," says astronomer Stella Kafka. As director of the American Association of Variable Star Observers, a community of "citizen-astronomers" who collect science data with their backyard telescopes, Kafka is a champion of the discovery power of amateurs. "Non-professional astronomers are not looking for one thing: They can actually see the forest. For that reason, they are more alert to little irregularities that are real, but unusual," she says. "That's where discoveries happen." +"You could call it thousands of untrained eyes, but I call it thousands of open minds," Kafka says. "It would not have been spotted without the amateur eyeballs on the data." +Amateurs may be unbiased, but they are not naïve, and the most experienced citizen scientists have developed the deft data-smarts of autodidacts. "The amateurs ended up learning a lot about Kepler and its data set," Wright says. "They were able to learn what sorts of anomalies are just ordinary data artifacts or rare but boring astrophysical situations and to really focus on the oddballs that suggest something new." +The combination of clean-slate thinking and in-the-weeds experience is a powerful vehicle for discovery. In fact, LaCourse points out, many of the most active Planet Hunters have left the original online classifier behind, moving on to custom desktop tools of their own design. "Ninety percent of the published discoveries from the project to date are the result of citizen scientists working outside of the web-based viewer and collaborating about their findings on the PH [Planet Hunters] Talk discussion forums," LaCourse says. The Waiting Game +Szewczyk's original oddball transit in 2011 was considered a fluke at first, not a discovery. "[The 2011 light curve] was simply noted with some mild interest and then filed away by the citizen scientists as one curiosity amongst many," LaCourse says. Fresh Kepler light curves hit the Planet Hunters database every three months, but it took two years for KIC 8462852 to "dip" again—this time, much deeper. And then, two years later, something even stranger: "a series of deep dips quite unlike anything we had seen before," LaCourse says. +The latest light curves were a cliffhanger, with the measured light levels rising and falling all the way to the tail end of the data set. To see how the story ended, the Planet Hunters would have to wait for the next quarter's upload. +But the data never came. On May 12, 2013, a pointing system failure ended Kepler's planned mission. With its once-steady stare now wandering, Kepler was no longer fit for long-term monitoring. (Today, Kepler operates in an alternative observing mode, but cannot hold aim on Tabby's star.) That left Boyajian and her colleagues, professional and amateur alike, with a problem. They had seen 10 dips, each one different. Some were tiny, barely measurable things. Others plunged as much as 20%. Some lasted for days, others for weeks. Boyajian and her team couldn't predict when another one might happen, but they didn't want to miss it. It was like a phone conversation dropped mid-sentence: they were left waiting for KIC 8462852 to call back, and they didn't want to miss the call when it did. +Meanwhile, by calling in favors from astronomer friends around the world, Boyajian was cobbling together a fuller picture of the star. At the 10-meter Keck telescope on Hawaii's Mauna Kea, she and her colleagues snapped high-resolution images of KIC 8462852. At the Roque de los Muchachos Observatory in La Palma, Spain, they used a spectrograph to search the star's light for chemical signatures that might explain its behavior. Her team also combined data from space- and ground-based telescopes to see how much ultraviolet and infrared energy the star was giving off. +Boyajian published a draft of the results in 2015. Of the 49 authors, 11 were amateurs, including LaCourse, who got the second-author spot after Boyajian. The paper asked more questions than it answered, but the authors had little choice. The project was at an impasse: "We'd pretty much exhausted all of our resources," Boyajian said. +Wright, the Penn State astronomer, entered the fray with a flourish when he hypothesized that the dips could be caused by a "megastructure"—specifically, a swarm of alien-built structures circling around the star. It was not exactly a mainstream explanation, but it was worth considering, Wright thought. +To test that hypothesis or any other, astronomers would have to get detailed measurements of the star during a dip, ideally using multiple telescopes to cover a wide swath of the electromagnetic spectrum. But chances of the planned observations just happening to match the timing of a dip were exceedingly slim. +"We needed a small amount of time every night on a range of small-ish telescopes around the world so we could get something like round-the-clock monitoring for the next dip," Wright says. But that isn't how time on professional telescopes is doled out. "Telescope time is normally awarded in units of night or half-nights many months in advance," Wright explains. Plus, getting time on a research telescope is a competitive process. "Telescope time with professional telescopes is becoming extremely valuable and also rare," Kafka says. "No one is going to give you a week of time to monitor a star in the 20-meter class" of telescope. +Kafka knew that legions of backyard astronomers would jump at the chance to contribute to observe the star, so she quickly mobilized AAVSO, the amateur astronomer organization, and light curves started pouring in from observers around the world. +Merging light curves from so many different telescopes and observers is like trying to align fingerprints, and it proved nearly impossible to do in real-time. So Boyajian tapped into a network called the Las Cumbres Observatory, a private, non-profit meta-telescope made up of 18 different telescopes. There, astronomers can buy time by the hour. With a "bulk discount," an hour on the network's smallest telescopes costs about $125. +The Las Cumbres telescopes, which range from 0.4 meters to two meters across, are split among six different observatories located around the world. Through a series of hand-offs, Las Cumbres can track an object day and night. The entire network is controlled by an artificially-intelligent scheduler that allots time on the telescopes to as many as 50 different astronomy experiments at once. If clouds roll in at one site, the scheduler can even reassign telescopes on the fly. It is the first and, so far, only network of its kind. +"The Las Cumbres Observatory Global Telescope network was practically designed for this sort of thing," Wright says. "All we needed to use it was funds." +Wright and Boyajian estimated that it would cost about $100,000 to keep tabs on KIC 8462852 for about two hours a day for a year. Boyajian considered applying for a grant from the National Science Foundation, but she didn't like her odds: of every ten astrophysics proposals sent in to the NSF, only one or two earns funding. Plus, the winners tend to be proposals with "pretty much guaranteed results," Boyajian says—and hers was not. Even if she did get a grant, there would be a yearlong lag between writing up the application and cashing the check. Of every ten astrophysics proposals sent in to the NSF, only one or two earns funding." +Unwilling to wait on a grant award that might never materialize, Boyajian went back to the crowd: this time, the Kickstarter crowd-funding platform. In May 2016, buoyed by the "megastructure" buzz and a TED talk she had delivered the previous February, she launched "The most mysterious star in the galaxy" on Kickstarter . Las Cumbres gifted the project 200 hours to stay on the star while the Kickstarter commitments came in. In June 2016, the campaign nosed past its goal, and in March, Kickstarter dollars started paying for time on the telescope network. +All along, Boyajian waited for a dip to come. "I remained optimistic, but prepared myself for nothing to happen," she says. Then, on May 18, the brightness measurements from the Las Cumbres Observatory started dropping. The dip—if it was a dip—was still shy of the "three sigma" benchmark that divides meaningful signals from natural uncertainty. But when astronomers at other telescopes reported seeing it, too, Boyajian decided to "pull the trigger," and on May 19, word of the dip was rippling across the internet. +Within hours, dozens of research telescopes swung toward KIC 8462852, measuring its brightness across the electromagnetic spectrum. From space, NASA's Swift satellite scanned for X-ray and ultraviolet radiation, and the WISE spacecraft, serendipitously pointed in the right direction, took infrared readings. Citizen-astronomers joined in, too. Between May and the end of September, KIC 8462852 dipped three times—Kickstarter backers named the dips "Elsie," "Celeste," "Skara Brae," and "Angkor." +Boyajian and her colleagues are still working to understand their data, though Boyajian says that so far the measurements all point to obscuring dust, which blocks more blue light than red light, as the cause of the dips. But where did the dust come from, where is it located, and why don't telescopes pick up its heat signature? Boyajian and her colleagues are still trying to figure that out. They don't know when it might dip again, or for how long, so the key, says Boyajian, is to simply keep watching. +The new observations also all but rule out the possibility of a "megastructure" or any other solid object, which would be opaque at every wavelength. That may be a relief for Szewczyk, who muses about the possibility of aliens around Tabby's star: "If we somehow get their attention and if they come to 'consume' us, I will be guilty as charged for starting all this just by making a 'blip' in a 'Talk' page." Tell us what you think on #NOVAnext, Facebook , or . +Image credit: NASA/JPL-Caltech / Wikimedia Commons , Planet Hunters Talk Kate Becke \ No newline at end of file diff --git a/input/test/Test977.txt b/input/test/Test977.txt new file mode 100644 index 0000000..7277e98 --- /dev/null +++ b/input/test/Test977.txt @@ -0,0 +1 @@ +SBP reserves decrease $216.5mn to $10.15bn By 0 38 ISLAMABAD: Foreign exchange reserves held by the central bank decreased 2.09% on a weekly basis, according to data released on Thursday. On August 10, the foreign currency reserves held by the SBP were recorded at $10,152.6 million, down $216.5 million compared with $10,369.1 million in the previous week. The decrease in reserves has been attributed to external debt servicing and other official payments. Overall, liquid foreign reserves held by the country, including net reserves held by banks other than the SBP, stood at $16,712.8 million. Net reserves held by banks amounted to $6,560.2 million. Two weeks ago, China reportedly agreed to immediately give a loan of $2 billion to Pakistan, a move meant to arrest the slide in foreign currency reserves and provide much-needed breathing space to the new government. Of the agreed amount, $1 billion had already been transferred to the central bank account. According to officials in the Ministry of Finance, the loan would be categorised as official bilateral inflow. Earlier, the reserves had dipped to an alarmingly low level at $9.06 billion, forcing the central bank to let the rupee depreciate massively on four separate occasions since December 2017, and sparking concerns about the country's ability to finance a hefty import bill and meet debt obligations in coming months. In April, the SBP's reserves had increased $593 million due to official inflows. A few months ago, the foreign currency reserves surged due to official inflows including $622 million from the Asian Development Bank (ADB) and $106 million from the World Bank. The SBP also received $350 million under the Coalition Support Fund (CSF). In January, the SBP made a $500-million loan repayment to the State Administration of Foreign Exchange (SAFE), China. Pakistan also raised $2.5 billion in November 2017 by floating dollar-denominated bonds in the international market in a bid to shore up official reserves. SHAR \ No newline at end of file diff --git a/input/test/Test978.txt b/input/test/Test978.txt new file mode 100644 index 0000000..d87335d --- /dev/null +++ b/input/test/Test978.txt @@ -0,0 +1 @@ +Twitter Haphazardly Enforces Its Rules. That's Great For Alex Jones and Infowars. Sara Boboltz • August 15, 2018 Twitter CEO Jack Dorsey's company suspended the personal account of conspiracy theorist Alex Jones amid public pressure. (Bloomberg via Getty Images) More Twitter CEO Jack Dorsey has faced a barrage of criticism for his company's refusal to remove accounts belonging to Alex Jones , the far-right conspiracy theorist whose incendiary screeds have already led other tech industry titans to boot him from their platforms. On Tuesday, Dorsey's company finally took some action: It suspended Jones ' personal account for one week after he urged his viewers to get their "battle rifles" ready to use against the media. To Twitter's critics, the decision to block Jones wasn't exactly a cause for celebration. Before his suspension, Jones had a prolific history of hateful and abusive remarks that went more or less unchecked. He regularly attacks Jewish businessman George Soros, whom Jones terms an " insane Nazi collaborator ," has repeatedly linked LGBTQ people and Muslims to pedophilia, and once vowed to "destroy" drag queens. Jones' fringe views, oft-baseless claims and hate-filled rhetoric have him currently embroiled in several lawsuits, including efforts to hold him accountable for pushing the idea that the Sandy Hook Elementary School shooting was faked by the government ― which Jones also discusses over Twitter. Parents of the murdered children face so many threats that some have needed to move several times, The New York Times reported last month. Similarly, Jones claimed that students who survived the mass shooting at a high school in Parkland, Florida, were "crisis actors," leading to more abuse. While Jones is currently temporarily blocked from tweeting to his 800,000-some personal followers, he can still speak to the 430,000 who follow his conspiracy website, Infowars, which remains free to fret over supposed "Islamic training camps prepar[ing] recruits to trigger something big in coming civil war." Meanwhile, Media Matters reporter Andrew Lawrence learned this week that a simple reference to the 1987 classic "The Princess Bride" could be interpreted as a rule-breaker on Twitter. In a post addressed to the far-right writer Ben Shapiro, Lawrence echoed the film's hero Westley (Carey Elwes) challenging Vizzini (Wallace Shawn) to a "battle of wits" involving poisoned wine to secure the safety of Princess Buttercup (Robin Wright). Courtesy screengrab of Twitter's emailed suspension notification. (Andrew Lawrence / Twitter) More Twitter removed the post and suspended Lawrence for promoting or encouraging self-harm. After Lawrence appealed the decision, he received a form email within an hour saying the company had erred in suspending his account. Twitter users have complained for years about the site's unevenly enforced policies, saying the company has failed to keep abuse and general ugliness at bay. Women and minorities, in particular, say Twitter systematically fails to adequately address the proliferation of messages containing grossly offensive and threatening comments toward them. "I do understand it can be difficult for a website like Twitter to make decisions about what is a bannable offense and what isn't," Lawrence told HuffPost in an email. "But when you have people getting suspended for quoting 'The Princess Bride' on the same day that CNN reports Twitter admitted Alex Jones has violated their rules but won't suspend his account, it's pretty obvious their system isn't working." Other violations Twitter has deemed worthy of punitive action are equally puzzling. Last August, site suspended a user in Japan who celebrated a single mosquito's death . In June, "The Wire" creator David Simon was suspended, apparently for a Monty Python–esque line instructing someone to "die of boils" after that person defended President Donald Trump's immigration policy requiring the separation of children and parents at the U.S.-Mexico border. To the site, those were threats of violence akin to Jones' threat to take up arms against the media. (Inexplicably, Simon faced no consequences for previously tweeting "die of boils.") Twitter user Barbara Applewood said she was suspended last week for saying Sean Hannity, a public figure, is a "Partisan Whore." So..I was suspended for hate directed towards @seanhannity . I called him a Partisan Whore. I received a follow-up message from Twitter saying further tweets will cause me to have my account permanently suspended. So now, apparently, I'm as bad as Roger Stone. pic.twitter.com/98r3k2t89d — Barbara Apple Wood (@AppleWood1957) August 7, 2018 Casey Kaemerer was suspended Friday for calling right-wing pundit Laura Ingraham, another public figure, "white trash." Both terms were considered hate speech, unlike Jones' repeated efforts to demonize Muslims . I know I'm late to this convo but I was suspended for this tweet. F*CK @Twitter and their BS! I stand by this tweet and you made me delete it. Why? Bc it's true?! She can dish it but can't take it and @jack protects all of the racist as*holes. pic.twitter.com/WRBmB8xuR0 — gone country (@casekaem) August 11, 2018 Similar examples of misguided attempts to crack down on Twitter abuse are easy to find. A user who only wanted to go by their Twitter handle, Insulin Cowboy, said they were suspended for promoting self-harm with "a GIF saying I was tired." (The user told HuffPost they didn't remember the specific image.) Twitter user Max, who told HuffPost he preferred not to give his last name, posted a tweet in July illustrating the homophobic insults he endures on the website. "I tweeted that people had been calling me a 'queer cunt,'" Max told HuffPost over Twitter's messaging service. "Someone responded to say, 'I don't care if you're a queer cunt, I like you,' and I replied saying, 'I'm definitely queer and arguably a cunt,' and they suspended my account for 'promoting hate.'" (spilleroftea / Twitter) More If Twitter was simply being overprotective of its users, plucking tweets from the site because some algorithm determined them to be harmful, the issue would likely become one of the site's many in-jokes. But it's not. The problem is not just what Twitter considers harmful ― it's what the site doesn't. "I'd once reported a man for calling me 'cunt' 40 tweets in a row, and that didn't violate Twitter's [terms of service]," Twitter user Scarlett Parrish told HuffPost. "Someone else tried to track down my home address, a third guy threatened to rape me, that was all OK." Parrish was suspended for responding to a comment she found offensive by employing a Scottish insult for white people. "A racist got in my mentions and tried to lecture me about 'white slavery,'" she wrote in a lengthy appeal to Twitter, also posted on her personal blog , in which she demanded to know why the company took action against her but not those who were threatening her. (Unlike Jones, who is still able to peruse Twitter at his leisure, Parrish wasn't even able to browse the site while her account was suspended.) Facebook: We have banned InfowarsApple: We have banned InfowarsTwitter: Your account has been banned for tweeting "Sandy Hook really happened you idiot" at @UnJewTheMedia — Jason O. Gilbert (@gilbertjasono) August 6, 2018 Similarly, in screenshots he shared with HuffPost, Max explained how he reported another user for telling him "the noose is waiting," only to be told that that user did not violate any policy. These examples abound . Twitter's abuse problem persists even as the company has made pledges in recent years to tackle it. According to a February Vanity Fair feature , the culprit is a failure of leadership exacerbated by an exodus of talented technologists at the company. Twitter has been more or less successful in preventing users from promoting ISIS on the platform, and a campaign launched against Russian-linked bots resulted in the banishment of many such accounts. The everyday harassment and abuse continue, insiders told Vanity Fair, because Twitter leadership hasn't decided how to define them. Without clear goal posts, the company has not designed a sophisticated system of handling this problem. Until it does, user experience on Twitter is not likely to improve, and Twitter may keep justifying the presence of harmful accounts by conspiracy theorists like Alex Jones. This article originally appeared on HuffPost \ No newline at end of file diff --git a/input/test/Test979.txt b/input/test/Test979.txt new file mode 100644 index 0000000..8b17861 --- /dev/null +++ b/input/test/Test979.txt @@ -0,0 +1 @@ +Becker's Hospital Review asked readers to share the best or most efficient way to recognize employees. Readers shared various methods, from handwritten notes to award ceremonies. Read their responses below.
Heather Brace
Senior Vice President and Chief People Officer of Intermountain Healthcare (Salt Lake City)
"Recognition is not a 'one size fits all' approach. Everyone likes to be recognized in different ways — some public, some private. The best thing a leader can do is make a personal and genuine connection with their employees and understand how to recognize them in a meaningful way. At the end of the day, everyone wants to feel valued and know that the work they do is meaningful and connected to a higher purpose."      
Robert Brooks
COO of Erlanger Health System (Chattanooga, Tenn.)
"For employees that are raised up as going above and beyond, I like to immediately at the employee's next shift do executive rounds in their department and thank them for their excellence."
Jim Dunn, PhD
Chief Human Resources Officer of Atrium Health (Charlotte, N.C.)
"In the midst of an industry in constant evolution and transformation, it's more important than ever to recognize and appreciate our teammates who give of themselves each day to care and serve our patients and communities. At Atrium Health, we understand the value of both peer-to-peer and leader-to-team member recognition and have a streamlined digital recognition platform with a variety of easy ways to express appreciation for any of our 38,000 teammates — from a simple birthday or anniversary eCard, to monetary compensation for work that is above and beyond their normal duties. But for us, the most effective and ultimately efficient way to recognize employees is to build a culture where all teammates feel valued and a strong tie to our mission and vision. We encourage and empower leaders to get to know their teammates so well that they understand the kind of recognition that will make each individual on their team feel most appreciated for their amazing work."
Aaron Gillingham
Senior Vice President and Chief Human Resources Officer of Beaumont Health (Southfield, Mich.)
"Efficient isn't always the most effective. In my career, some of the most effective forms of recognition I've received have been in the form of a handwritten note. Just recently, I received a letter from a board member appreciating me and another leader for our work on a project. The first thing I did was take a picture of it and sent it to my wife (it's contagious). Finally, it is important to ensure that the recognition is frequent, specific and timely (from the book, 'The Carrot Principle')."
Jan Keys, DNP, RN
Chief Nursing Executive of Erlanger Health System (Chattanooga, Tenn.)
"The most efficient way to recognize employees is to thank them in person while spending some time with them in their job. Listening to the employees will gain insight to their everyday challenges and allow them to bring life to what they do to make things work. It does take time but in the end is very rewarding for both employee and manager."
Michael Pulido
COO of Mosaic Life Care (St. Joseph, Mo.)
"The most efficient way to recognize employees is to be specific and sincere. I have found these attributes help clarify the action that was recognized and will more likely be repeated, valued and appreciated if done with authenticity."
Cory Reeves
CFO of Gordon Hospital (Calhoun, Ga.)
"I do think you have to know your employees individually to be able to recognize them … One person might like to be called out in front of a room and thanked, where that might be horribly embarrassing to another person … They're going to more like having an afternoon off with their family or something much different. So, I think you have to tailor that to individual employees and their needs."
Deeb Salem, MD
Co-Interim CEO of Tufts Medical Center and Physician-in-Chief at Tufts Medical Center (Boston)
"Holding award ceremonies honoring excellent employees, that are attended by their peers."
Bob Sutton
President and CEO of Avera Health (Sioux Falls, S.D.)
"For us, it's not as much about efficiency as authenticity. I have been traveling to each of our regional hospitals to just listen to everyone from physicians and nurses, to IT and imaging technicians, to food service and housekeeping staff. My mom was a single parent who worked hard as a janitor and housekeeper as she raised seven kids. So, I make a point of spending time with housekeepers at each facility I visit. They know a lot about how our organization functions at the front lines of patient care and service, and they are more valuable to our everyday operations than they realize."
Warner Thomas
President and CEO of Ochsner Health System (New Orleans)
"I personally feel the best way to recognize employees is to send them a quick note, just recognizing what they've done or their importance to the organization … If there is a specific patient compliment we get or a letter I might get from a patient, I think a note directly to the physician or the nurse or the caregiver is a great way to recognize people. And, I actually send them directly to their home versus sending them interoffice … I've just gotten amazing feedback from people on doing that, so that's how I like to recognize people."
Jack Towsley
President of Fluent Health, a subsidiary of Presbyterian Healthcare Services (Albuquerque, N.M.)
"Start with saying 'thank you' regularly and consistently. There is no 'one size fits all' way to recognize all employees as everyone is different. Some people appreciate public accolades, while others appreciate private conversations, which is why I believe recognition works best at the individual level. This requires a leader to spend enough time with employees to become familiar with their individual needs and desires and match the recognition to that style."
 
Heather Brace
Senior Vice President and Chief People Officer of Intermountain Healthcare (Salt Lake City)
"Recognition is not a 'one size fits all' approach. Everyone likes to be recognized in different ways — some public, some private. The best thing a leader can do is make a personal and genuine connection with their employees and understand how to recognize them in a meaningful way. At the end of the day, everyone wants to feel valued and know that the work they do is meaningful and connected to a higher purpose."      
Robert Brooks
COO of Erlanger Health System (Chattanooga, Tenn.)
"For employees that are raised up as going above and beyond, I like to immediately at the employee's next shift do executive rounds in their department and thank them for their excellence."
Jim Dunn, PhD
Chief Human Resources Officer of Atrium Health (Charlotte, N.C.)
"In the midst of an industry in constant evolution and transformation, it's more important than ever to recognize and appreciate our teammates who give of themselves each day to care and serve our patients and communities. At Atrium Health, we understand the value of both peer-to-peer and leader-to-team member recognition and have a streamlined digital recognition platform with a variety of easy ways to express appreciation for any of our 38,000 teammates — from a simple birthday or anniversary eCard, to monetary compensation for work that is above and beyond their normal duties. But for us, the most effective and ultimately efficient way to recognize employees is to build a culture where all teammates feel valued and a strong tie to our mission and vision. We encourage and empower leaders to get to know their teammates so well that they understand the kind of recognition that will make each individual on their team feel most appreciated for their amazing work."
Aaron Gillingham
Senior Vice President and Chief Human Resources Officer of Beaumont Health (Southfield, Mich.)
"Efficient isn't always the most effective. In my career, some of the most effective forms of recognition I've received have been in the form of a handwritten note. Just recently, I received a letter from a board member appreciating me and another leader for our work on a project. The first thing I did was take a picture of it and sent it to my wife (it's contagious). Finally, it is important to ensure that the recognition is frequent, specific and timely (from the book, 'The Carrot Principle')."
Jan Keys, DNP, RN
Chief Nursing Executive of Erlanger Health System (Chattanooga, Tenn.)
"The most efficient way to recognize employees is to thank them in person while spending some time with them in their job. Listening to the employees will gain insight to their everyday challenges and allow them to bring life to what they do to make things work. It does take time but in the end is very rewarding for both employee and manager."
Michael Pulido
COO of Mosaic Life Care (St. Joseph, Mo.)
"The most efficient way to recognize employees is to be specific and sincere. I have found these attributes help clarify the action that was recognized and will more likely be repeated, valued and appreciated if done with authenticity."
Cory Reeves
CFO of Gordon Hospital (Calhoun, Ga.)
"I do think you have to know your employees individually to be able to recognize them … One person might like to be called out in front of a room and thanked, where that might be horribly embarrassing to another person … They're going to more like having an afternoon off with their family or something much different. So, I think you have to tailor that to individual employees and their needs."
Deeb Salem, MD
Co-Interim CEO of Tufts Medical Center and Physician-in-Chief at Tufts Medical Center (Boston)
"Holding award ceremonies honoring excellent employees, that are attended by their peers."
Bob Sutton
President and CEO of Avera Health (Sioux Falls, S.D.)
"For us, it's not as much about efficiency as authenticity. I have been traveling to each of our regional hospitals to just listen to everyone from physicians and nurses, to IT and imaging technicians, to food service and housekeeping staff. My mom was a single parent who worked hard as a janitor and housekeeper as she raised seven kids. So, I make a point of spending time with housekeepers at each facility I visit. They know a lot about how our organization functions at the front lines of patient care and service, and they are more valuable to our everyday operations than they realize."
Warner Thomas
President and CEO of Ochsner Health System (New Orleans)
"I personally feel the best way to recognize employees is to send them a quick note, just recognizing what they've done or their importance to the organization … If there is a specific patient compliment we get or a letter I might get from a patient, I think a note directly to the physician or the nurse or the caregiver is a great way to recognize people. And, I actually send them directly to their home versus sending them interoffice … I've just gotten amazing feedback from people on doing that, so that's how I like to recognize people."
Jack Towsley
President of Fluent Health, a subsidiary of Presbyterian Healthcare Services (Albuquerque, N.M.)
"Start with saying 'thank you' regularly and consistently. There is no 'one size fits all' way to recognize all employees as everyone is different. Some people appreciate public accolades, while others appreciate private conversations, which is why I believe recognition works best at the individual level. This requires a leader to spend enough time with employees to become familiar with their individual needs and desires and match the recognition to that style."
 
Becker's Hospital Review
in a prepared statement Aug. 23, and said an additional 60 vacant "nondirect patient care positions" will not be filled.
"ProMedica has worked diligently to improve efficiencies and reduce costs across the organization, and we have made great progress. Unfortunately, like so many other health systems, it has not been enough given the current healthcare environment. And, while we recently partnered with HCR ManorCare and expect the partnership to bring opportunities for growth and synergy, we still must address pre-merger ProMedica financial issues now. As a result, and after a rigorous and thoughtful review, we have made the tough decision to reduce our workforce to address and respond to these external factors," she said.
Ms. Strauss told
Becker's
the system's human resources department is working with affected employees and will notify them of opportunities to return to ProMedica if a future position meets their needs.
A ProMedica spokesperson told the
The Blade
many of the jobs were located at the health system's corporate headquarters, which opened last August. The individual specified none of the eliminated positions were from Toledo-based HCR ManorCare, which ProMedica and Welltower, a real estate investment trust,
®
(LEI) for the Euro Area increased 0.4 percent in
July 2018
The Conference Board Coincident Economic Index
®
(CEI) for the Euro Area increased 0.1 percent in
July 2018
to 103.0 (2016=100).
The composite economic indexes are the key elements in an analytic system designed to signal peaks and troughs in the business cycle. The leading and coincident economic indexes are essentially composite averages of several individual leading or coincident indicators. They are constructed to summarize and reveal common turning point patterns in economic data in a clearer and more convincing manner than any individual component – primarily because they smooth out some of the volatility of individual components.
The updated data tables can be found
Aug. 24, 2018
/PRNewswire/ -- tarte cosmetics is sick of seeing internet trolls clogging up IG feeds with hateful, provoking, and just plain mean comments. Wouldn't the world be a better place if we used the powers of social media for good? That's where National Kiss & Makeup day (Saturday, 8/25) comes in. tarte cosmetics wants you to help drown out negativity with kindness.
Kiss & kindness lip set, $27 for 5 lipsticks, Don’t be mean behind the screen lip set, $27 for 5 lipsticks, #kissandmakeup magnetic palette, $18
What exactly is #kissandmakeup?
#kissandmakeup is a campaign tarte launched in 2016 to raise awareness about the negative impacts of cyberbullying. They've partnered with the
Tyler Clementi Foundation
to help prevent bullying while spreading kindness & making a statement of positivity across social media.
This year, tarte is spreading the #kissandmakeup message by leaving kiss mark emojis any time they see bullying in their feeds – whether it's rude comments piling up below someone's post or people fighting amongst each other, tarte's goal is to work together to hide the hate with expressions of love! tarte would love for you to get involved! Below are the call-to-action details PLUS other fun deals & launches:
Help @tartecosmetics take a stand against cyberbullies by using kiss mark emojis to flush out negative comments from our social media feeds:
Any time you see negative comments under someone's post, leave as many kiss mark emojis as you can! This will help overpower negativity & keep bullying at bay!
If you see people asking "what's with the kiss marks?", respond with
#kissandmakeup
so they can learn more about @tartecosmetics efforts to help end cyberbullying.
AND THAT'S NOT ALL!
On National Kiss and Makeup day (8/25) ONLY, purchase one of tarte's limited-edition #kissandmakeup sets –and you'll get
20%
Tidal Royalty Corp.
(OTC: TDRYF) is also listed on the Canadian Securities Exchange under the ticker (CSE: RLTY.U). Earlier this month, the Company announced breaking news that it has, "entered into a letter of intent (LOI) with an established licensed operator in Illinois to finance the expansion of the Illinois cannabis company's operations and strategic acquisitions.
The Illinois cannabis company LOI: The Illinois cannabis company is led by a seasoned management team with years of cannabis industry experience. The Illinois cannabis company currently operates a state-of-the-art 75,000-sq. ft. facility that uses highly advanced plant monitoring technologies to precisely track plant inputs and other critical control factors in order to achieve optimal production yield and consistency. The Illinois cannabis company will use proceeds from the financing to expand its existing cultivation and manufacturing facility, as well as pursue acquisition of additional strategic assets that will increase market share.
Pursuant to the LOI, Tidal Royalty will provide the Illinois cannabis company with up to USD 41-Million, in the form of both a royalty financing and equity investment. The royalty financing and equity investment will be staged over specific milestones set by Tidal Royalty management:
Royalty financing: Tidal Royalty will receive a 15% net sales royalty on all the Illinois cannabis company's Illinois operations. This includes both net sales generated from existing cultivation and dispensary sales, as well as incremental sales generated by the planned expansion.
Equity investment: Tidal Royalty will purchase the Illinois cannabis company's common shares at an agreed-upon valuation.
'As Tidal Royalty looks forward to where the U.S. cannabis market is headed, we are excited to broaden our investment strategy,' said Paul Rosen, chief executive officer and chairman of Tidal Royalty. 'We are very excited to count the Illinois cannabis company among our portfolio constituents. Between the near-term cash flow generated by their existing operations, management's vision and drive to grow their market share, and the ability to accelerate their growth with Tidal Royalty capital, we feel this is going to be the beginning of a great long-term relationship between our companies.'
Illinois is the sixth-most populous state in the United States with nearly 13 Million residents. According to Marijuana Business Daily, the state's medical market is expected to grow to USD 150-Million by the end of 2018 with significant opportunity for upside as the market develops.
The LOI includes an exclusivity period during which the Illinois cannabis company will not negotiate with any other party. Closing of the transaction contemplated by the LOI is subject to, among other things, the satisfactory completion of Tidal Royalty's diligence investigation, which is currently underway. Tidal Royalty expects to announce further details in respect to the contemplated transaction with the Illinois cannabis company upon the execution of a definitive agreement between the parties and the receipt of all necessary regulatory approvals.
With the execution of this LOI, Tidal Royalty has now entered into letters of intent for expansion projects in California, Nevada, Massachusetts and Illinois. In addition, Tidal Royalty is in the process of evaluating multiple additional opportunities across the
United States
, including in Florida, New York, Arizona, Ohio and Michigan. Tidal Royalty intends to provide further information on those discussions when the parties reach an agreement and execute respective letters of intent."
For recent video news footage on Tidal Royalty Corp., see Chairman and CEO Paul Rosen Interviewed on the Floor of NYSE by Cheddar TV at
.
Solis Tek Inc.
(OTCQB: SLTK) is a vertically integrated technology innovator, developer, manufacturer and distributor focused on bringing products and solutions to commercial cannabis growers in both the medical and recreational space in legal markets across the U.S. The Company recently provided an update on its previously announced acquisition from
May 11
th
, 2018. The cannabis cultivation and processing facility build-out is progressing on schedule and Solis Tek expects operations to begin in the first half of 2019. Solis Tek plans to develop the facility into a technologically advanced cultivation and processing facility in
Arizona
. The 70,000-square foot facility, located in
Phoenix, Arizona
has advanced to the design phase, which is expected to be completed by October 2018. Production and oil extraction is in the process of build-out with equipment estimated to be purchased in the third quarter of this year. Solis Tek is working with the local municipalities and power companies to ensure the proper power feeds are available for its facility. Solis Tek Chief Executive Officer,
Alan Lien
, commented, "We remain excited about this opportunity in
Arizona
and its growth and profitability potential. We are pleased with the progress to-date and the work of our partners on the project. We look forward to commencing operations at this facility in the first half of 2019."
Freedom Leaf Inc.
(OTCQB: FRLF) is a group of diversified, international, vertically-integrated hemp businesses and cannabis media companies. Freedom Leaf Inc. is a fully-reporting and audited publicly-traded company. Earlier this year, the Company announced that it had consummated its previously-announced acquisition of the Irie CBD Product Line, including virtually all: assets, trademarks, formulating equipment, formulas and products. Irie is a
California
-based CBD, "Cannabidiol", a product line that, and has been operating since 2015, it formulates, manufactures and distributes CBD tinctures, CBD edibles, CBD topicals and CBD concentrates to retail markets across the country. Irie boasts a large inventory of more than 25 different products and recorded approximately
USD 1.5 Million
of revenue in 2017and net profits in excess of
USD 200,000
. Irie also leases a full manufacturing and processing facility in
Oakland, California
.
Clifford Perry
, CEO and Co-Founder of Freedom Leaf, commented, "The acquisition of the Irie CBD product lines adds another level of integration to our already vertically-integrated business model - increasing our revenues and margins. Freedom Leaf already has commenced providing Irie CBD with the raw material from our Leafceuticals extractions."
Abattis Bioceuticals Corp.
(OTC: ATTBF) is a leading diversified cannabis company, with interests in operations engaged in growing, extraction, testing, propagation and retail distribution. The Company recently announced that it has completed the sale of its 35% interest in Northern Vine Canada Inc. to Emerald Health Therapeutics Inc., in exchange for
USD 2 Million
in cash and
USD 4 Million
in common shares of Emerald, 50% of which are free trading and 50% of which may be sold in 30 days. The share purchase agreement governing the Disposition also provides that, upon Northern Vine and/or Emerald earning gross revenues of
USD 10 Million
from the sale of products or provision of services to customers introduced by Abattis, Emerald will issue Abattis an additional
USD 4 Million
in common shares of Emerald. "The sale of Northern Vine is a great achievement for Abattis," stated Abattis President and CEO,
Rob Abenante
. "We learned several valuable lessons setting up this pilot lab, which will prove to be of tremendous value as we launch our second industrial-scale lab in
Ontario
We have experienced team of Developers, SEO, and marketing. They all work together to grow business and we are GOOGLE certified team for business growth -->L More $88 USD in 7 days (319 Reviews \ No newline at end of file diff --git a/input/test/Test997.txt b/input/test/Test997.txt new file mode 100644 index 0000000..0e3f7d1 --- /dev/null +++ b/input/test/Test997.txt @@ -0,0 +1,9 @@ +Windstream (WIN) Price Target Cut to $4.50 Donna Armstrong | Aug 17th, 2018 +Windstream (NASDAQ:WIN) had its price objective reduced by Bank of America from $7.50 to $4.50 in a research report report published on Monday. Bank of America currently has an underperform rating on the technology company's stock. +A number of other equities research analysts also recently weighed in on WIN. ValuEngine downgraded Windstream from a sell rating to a strong sell rating in a report on Wednesday, May 2nd. Morgan Stanley lifted their price objective on Windstream from $2.00 to $10.00 and gave the company an equal weight rating in a report on Tuesday, May 29th. Deutsche Bank lifted their price objective on Windstream from $2.00 to $10.00 and gave the company a hold rating in a report on Wednesday, May 30th. Citigroup downgraded Windstream from a neutral rating to a sell rating and set a $2.25 price objective on the stock. in a report on Wednesday, July 18th. Finally, Zacks Investment Research raised Windstream from a hold rating to a buy rating and set a $4.25 price objective on the stock in a report on Thursday, July 19th. Seven research analysts have rated the stock with a sell rating, three have given a hold rating and two have given a buy rating to the company's stock. The company has a consensus rating of Hold and an average price target of $4.98. Get Windstream alerts: +NASDAQ WIN opened at $5.15 on Monday. The company has a debt-to-equity ratio of -7.40, a quick ratio of 0.63 and a current ratio of 0.70. The company has a market cap of $211.26 million, a price-to-earnings ratio of -0.63 and a beta of -0.21. Windstream has a 1-year low of $3.03 and a 1-year high of $13.65. +Windstream (NASDAQ:WIN) last released its quarterly earnings data on Thursday, August 9th. The technology company reported ($2.30) earnings per share for the quarter, beating analysts' consensus estimates of ($2.66) by $0.36. The company had revenue of $1.44 billion for the quarter, compared to the consensus estimate of $1.44 billion. Windstream had a negative return on equity of 191.89% and a negative net margin of 36.51%. The company's quarterly revenue was down 3.2% on a year-over-year basis. During the same period in the previous year, the business earned ($1.85) earnings per share. sell-side analysts predict that Windstream will post -11.54 EPS for the current year. +Several large investors have recently bought and sold shares of WIN. JPMorgan Chase & Co. raised its stake in shares of Windstream by 1,151.7% in the first quarter. JPMorgan Chase & Co. now owns 6,228,135 shares of the technology company's stock valued at $8,781,000 after acquiring an additional 5,730,564 shares during the last quarter. Tibra Equities Europe Ltd bought a new position in shares of Windstream in the first quarter valued at approximately $819,000. Wells Fargo & Company MN raised its stake in shares of Windstream by 148.1% in the fourth quarter. Wells Fargo & Company MN now owns 652,756 shares of the technology company's stock valued at $1,208,000 after acquiring an additional 389,632 shares during the last quarter. Schwab Charles Investment Management Inc. raised its stake in shares of Windstream by 19.2% in the first quarter. Schwab Charles Investment Management Inc. now owns 2,029,154 shares of the technology company's stock valued at $2,862,000 after acquiring an additional 326,356 shares during the last quarter. Finally, Deutsche Bank AG raised its stake in shares of Windstream by 113.6% in the fourth quarter. Deutsche Bank AG now owns 605,082 shares of the technology company's stock valued at $1,116,000 after acquiring an additional 321,756 shares during the last quarter. +About Windstream +Windstream Holdings, Inc provides network communications and technology solutions in the United States. Its Consumer & Small Business segment offers services, including traditional local and long-distance voice services, and high-speed Internet services; and value-added services, such as security and online back-up. +Further Reading: Diversification Windstream Windstrea \ No newline at end of file diff --git a/input/test/Test998.txt b/input/test/Test998.txt new file mode 100644 index 0000000..579dcda --- /dev/null +++ b/input/test/Test998.txt @@ -0,0 +1 @@ +Published on Aug 17, 2018 About Books [RECOMMENDATION] The Moral Underground: How Ordinary Americans Subvert an Unfair Economy by Lisa Dodson Online : Called a "fascinating exploration of economic civil disobedience" by "Publishers Weekly, " Lisa Dodson s stunning book "The Moral Underground" features stories of middle-class managers and professionals who refuse to be complicit in an economy that puts a decent life beyond the reach of the working poor. Whether it s a nurse choosing to treat an uninsured child, a supervisor padding a paycheck, or a restaurant manager sneaking food to a worker s children, these unsung heroes reach across the economic fault line to restore a sense of justice to the working world. Selected as the "Writer as Witness" text to be read and discussed by the incoming Class of 2014 at American University, "The Moral Underground" is based on Dodson s eight years of research and conversations with hundreds of Americans about the need to create ethical alternatives to rules that ignore the humanity of working parents and put their children at risk. "The Moral Underground" has been called "powerful" by "The Weekly Sift, ""the documentary tradition at its very best" by Pulitzer Prize-winner Robert Coles, and "inspiring" and "hard hitting" by "Spirituality and Practice" magazine, which wrote, "Dodson does a remarkable job of conveying the sense of deep unfairness that pervades the feelings of these individuals who are paid less than they need to live."Creator : Lisa Dodson Best Sellers Rank : #5 Paid in Kindle Store Link Download News : https://sakidekbinngah.blogspot.com/?book=1595586423 .. \ No newline at end of file diff --git a/input/test/Test999.txt b/input/test/Test999.txt new file mode 100644 index 0000000..0b38e74 --- /dev/null +++ b/input/test/Test999.txt @@ -0,0 +1,9 @@ +Dear visitor,You are viewing 1 of your 2 free articles We've made wider, important changes to our print and online content to enhance the value of exclusive, insightful, discerning content we create every day. Support valuable editorial content by becoming a member of our Credit Club - register for free or choose a paid plan. Under a third of small businesses paid on time 17 Aug 2018 +More than three in five small businesses are dealing with late payment issues, according to research from YouGov and Hitachi Capital Business Finance. Calum Fuller EditorAs editor of Credit Strategy, I'm responsible for both the print magazine and the website. I have been a journalist since more... Calum Fuller EditorAs editor of Credit Strategy, I'm responsible for both the print magazine and the website. I have been a journalist since more... +A sample of 1,201 business decision makers were asked to report on the invoices they had sent customers and suppliers that were due for payment at the start of June 2018. +The survey found only three in ten small businesses (30 percent) said all their invoices had been paid on time. +Some 63 percent were dealing with late payment, while 48 percent of respondents reported having invoices paid a week late. Around 46 percent had invoices paid a month late and 35 percent said they were having to wait for more than a month to have some invoices settled in full. +It was also found that the smallest businesses – those with an annual turnover or less than £1m – were most at risk of serious non-payment. +They were most likely to have invoices paid more than a month late (26 percent) and most likely to have bad debt risks from non-payment (25 percent). In total, 20 percent of the UK's smallest businesses said they were living with non-payment for 20 percent of their invoices. +Gavin Wraith-Carter, managing director at Hitachi Capital Business Finance, said: "At a critical moment in the economic cycle we need to ensure that small businesses continue to be the engine room to our country's growth and prosperity. Late payment directly threatens this. +"We estimate there is around £50bn of cash locked up in late payments and this disproportionately affects the small business community, not to mention the valuable time and resources small business divert from the production line to needlessly chasing late payments. It's time for change and we fully support policy changes that protect the welfare and economic growth of small businesses – and by implication – the country at large. \ No newline at end of file